React Native Flatlist 搜索未从 firebase 用户集合返回任何值 浪费查询 /users错误使用 // above "const SearchScreen = ..." but below "searchUsernames" const getUsers = async (limit = 20, containsString = "") => { const usernameIdPairs = a

如何解决React Native Flatlist 搜索未从 firebase 用户集合返回任何值 浪费查询 /users错误使用 // above "const SearchScreen = ..." but below "searchUsernames" const getUsers = async (limit = 20, containsString = "") => { const usernameIdPairs = a

所以我最近尝试在 firebase 中对用户进行 FlatList 搜索,但我遇到了一堆错误,尽管代码中似乎没有错误。目前,该列表搜索并没有返回任何内容,尽管“用户”的 firebase 集合中有明确的数据。当我尝试在 getUsers() 中 Promise 的解析语句正上方记录“结果”时,我突然看到了用户,虽然我得到“结果”不存在的错误,这很奇怪,因为为什么会出现错误使代码工作?无论如何,如果有人能够帮助我尝试使这个 FlatList 工作,我将不胜感激。我已经为此工作了 3 天,似乎无法在线找到任何解决方案或修复代码。为了你的帮助,我很乐意给你一个邓肯甜甜圈,因为这对我来说意义重大。我感谢所有帮助和提示,并提前感谢您的时间! (我的平面列表的代码在下面,没有样式)

import React,{ useState,useContext,useEffect } from "react";
import {
    View,Text,StyleSheet,StatusBar,TextInput,ScrollView,Image,ActivityIndicator,TouchableOpacity,FlatList,} from "react-native";
import { FirebaseContext } from "../context/FirebaseContext";
import { UserContext } from "../context/UserContext";
import { FontAwesome5,Ionicons } from "@expo/vector-icons";
import { LinearGradient } from "expo-linear-gradient";
import _ from "lodash";
import "firebase/firestore";
import firebase from "firebase";
import config from "../config/firebase";

const SearchScreen = ({ navigation }) => {
    const [searchText,setSearchText] = useState("");
    const [loading,setLoading] = useState(true);
    const [data,setData] = useState([]);
    const [refreshing,setRefreshing] = useState(false);
    const [query,setQuery] = useState("");
    const [userNumLoad,setUserNumLoad] = useState(20);
    const [error,setError] = useState("");

    useEffect(() => {
        const func = async () => {
            await makeRemoteRequest();
        };
        func();
    },[]);

    const contains = (user,query) => {
        if (user.username.includes(query)) {
            return true;
        }
        return false;
    };

    const getUsers = async (limit = 20,query2 = "") => {
        var list = [];
        await firebase
            .firestore()
            .collection("users")
            .get()
            .then((querySnapshot) => {
                querySnapshot.forEach((doc) => {
                    if (doc.data().username.includes(query2)) {
                        list.push({
                            profilePhotoUrl: doc.data().profilePhotoUrl,username: doc.data().username,friends: doc.data().friends.length,uid: doc.data().uid,});
                    }
                });
            });

        setTimeout(() => {
            setData(list);
        },4000);


        return new Promise(async (res,rej) => {
            if (query.length === 0) {
                setTimeout(() => {
                    res(_.take(data,limit));
                },8000);

            } else {
                const formattedQuery = query.toLowerCase();
                const results = _.filter(data,(user) => {
                    return contains(user,formattedQuery);
                });
                setTimeout(() => {
                    res(_.take(results,8000);

            }
        });
    };

    const makeRemoteRequest = _.debounce(async () => {
        const users = [];
        setLoading(true);
        await getUsers(userNumLoad,query)
            .then((users) => {
                setLoading(false);
                setData(users);
                setRefreshing(false);
            })
            .catch((err) => {
                setRefreshing(false);
                setError(err);
                setLoading(false);
                //alert("An error has occured. Please try again later.");
                console.log(err);
            });
    },250);

    const handleSearch = async (text) => {
        setSearchText(text);
        const formatQuery = text.toLowerCase();
        await setQuery(text.toLowerCase());
        const data2 = _.filter(data,(user) => {
            return contains(user,formatQuery);
        });
        setData(data2);
        await makeRemoteRequest();
    };

    const handleRefresh = async () => {
        setRefreshing(true);
        await makeRemoteRequest();
    };

    const handleLoadMore = async () => {
        setUserNumLoad(userNumLoad + 20);
        await makeRemoteRequest();
    };

    const renderFooter = () => {
        if (!loading) return null;

        return (
            <View style={{ paddingVertical: 20 }}>
                <ActivityIndicator animating size="large" />
            </View>
        );
    };

    return (
        <View style={styles.container}>
            <View style={styles.header}>
                <TouchableOpacity
                    style={styles.goBackButton}
                    onPress={() => navigation.goBack()}
                >
                    <LinearGradient
                        colors={["#FF5151","#ac46de"]}
                        style={styles.backButtonGradient}
                    >
                        <Ionicons name="arrow-back" size={30} color="white" />
                    </LinearGradient>
                </TouchableOpacity>
                <View style={styles.spacer} />
                <Text style={styles.headerText}>Search</Text>
                <View style={styles.spacer} />
                <View style={{ width: 46,marginLeft: 15 }}></View>
            </View>
            <View style={styles.inputView}>
                <FontAwesome5 name="search" size={25} color="#FF5151" />
                <TextInput
                    style={styles.input}
                    label="Search"
                    value={searchText}
                    onChangeText={(newSearchText) => handleSearch(newSearchText)}
                    placeholder="Search for people"
                    autoCapitalize="none"
                    autoCorrect={false}
                />
            </View>

            <FlatList
                style={styles.list}
                data={data}
                renderItem={({ item }) => (
                    <TouchableOpacity>
                        <View style={styles.listItem}>
                            <Image
                                style={styles.profilePhoto}
                                source={
                                    item.profilePhotoUrl === "default"
                                        ? require("../../assets/defaultProfilePhoto.jpg")
                                        : { uri: item.profilePhotoUrl }
                                }
                            />
                            <View style={styles.textBody}>
                                <Text style={styles.username}>{item.username}</Text>
                                <Text style={styles.subText}>{item.friends} Friends</Text>
                            </View>
                        </View>
                    </TouchableOpacity>
                )}
                ListFooterComponent={renderFooter}
                keyExtractor={(item) => item.username}
                refreshing={refreshing}
                onEndReachedThreshold={100}
                onEndReached={handleLoadMore}
                onRefresh={handleRefresh}
            />
        </View>
    );
};

const styles = StyleSheet.create({
    container: {
        flex: 1
    },searchbar: {
        backgroundColor: 'white'
    },header: {
        height: 70,flexDirection: 'row',justifyContent: 'space-between',marginTop: 60,paddingLeft: 10,paddingRight: 10
    },goBackButton: {
        width: 46,height: 46,borderRadius: 23,marginBottom: 10,marginLeft: 15
    },backButtonGradient: {
        borderRadius: 23,width: 46,justifyContent: 'center',alignItems: 'center'
    },settingsButton: {
        width: 46,marginRight: 15,marginBottom: 10
    },settingsButtonGradient: {
        borderRadius: 23,input: {
        height: 45,width: 250,fontFamily: "Avenir",fontSize: 18
    },inputView: {
        flexDirection: 'row',alignItems: 'center',borderRadius: 50,paddingRight: 20,shadowColor: 'gray',shadowOffset: {width: 5,height: 8},shadowOpacity: 0.1,backgroundColor: "#ffffff",marginRight: 28,marginLeft: 28,marginTop: 10,marginBottom: 25
    },headerText: {
        fontSize: 35,fontWeight: "800",color: "#FF5151",},spacer: {
        width: 50
    },listItem: {
        flexDirection: 'row',paddingLeft: 15,paddingRight: 15,paddingTop: 10,paddingBottom: 10,backgroundColor: "white",marginLeft: 20,marginRight: 20,borderRadius: 15,shadowOpacity: 0.05,shadowRadius: 2,shadowOffset: {width: 3,height: 3}
    },line: {
        width: 100,color: 'black',height: 1
    },profilePhoto: {
        height: 50,width: 50,borderRadius: 25
    },username: {
        fontSize: 18,paddingBottom: 3
    },subText: {
        fontSize: 15,fontFamily: "Avenir"
    },textBody: {
        flex: 1,marginLeft: 20
    }
});

export default SearchScreen;

解决方法

以下是对您当前代码的一些观察。

浪费查询 /users

无论您是否需要,您都可以查询集合 /users 中的所有用户文档。对于少数用户来说,这很好。但是,当您将应用扩展到数百甚至数千用户时,这将很快成为一项代价高昂的工作。

与其阅读完整的文档只检查用户名,不如只查询您需要的数据。比使用 Firstore 更有效的方法是在实时数据库中创建用户名索引(项目可以同时使用 RTDB 和 Firestore)。

假设您有以下索引:

{
    "usernames": {
        "comegrabfood": "NbTmTrMBN3by4LffctDb03K1sXA2","omegakappas": "zpYzyxSriOMbv4MtlMVn5pUbRaD2","somegal": "SLSjzMLBkBRaccXIhwDOn6nhSqk2","thatguy": "by6fl3R2pCPITXPz8L2tI3IzW223",...
    }
}

您可以使用一次性命令从您的用户集合(具有适当的权限和足够小的用户列表)构建:

// don't code this in your app,just run from it in a browser window while logged in
// once set up,maintain it while creating/updating usernames
const usersFSRef = firebase.firestore().collection("users");
const usernamesRTRef = firebase.database().ref("usernames");

const usernameUIDMap = {};

usersFSRef.get().then((querySnapshot) => {
    querySnapshot.forEach((userDoc) => {
        usernameUIDMap[userDoc.get("username")] = userDoc.get("uid");
    });
});

usernamesRTRef.set(usernameUIDMap)
  .then(
    () => console.log("Index created successfully"),(err) => console.error("Failed to create index")
  );

当未提供搜索文本时,FlatList 应包含按字典顺序排序的前 20 个用户名。对于上面的索引,这将按顺序给出 "comegrabfood""omegakappas""somegal""thatguy" 等。当用户搜索包含文本 "ome" 的用户名时,我们希望用户名 "omegakappas" 首先出现在 FlatList 中,因为它以搜索字符串开头,但我们希望 "comegrabfood" 和 {{1}在结果中也是如此。如果至少有 20 个名称以“ome”开头,则它们应该是出现在 FlatList 中的名称,而不是不以搜索字符串开头的条目。

基于此,我们有以下要求:

  • 如果未提供搜索字符串,则返回与指定限制内​​的第一个用户名对应的用户数据。
  • 如果提供了搜索字符串,则返回尽可能多的以该字符串开头的条目(最多给定限制),如果还有剩余槽位,则查找字符串中任何位置包含 "somegal" 的条目。

这个的代码形式是:

"ome"

现在我们有一个用户名-用户 ID 对列表,我们需要他们的其余用户数据,可以使用以下方法获取:

// above "const SearchScreen = ..."
const searchUsernames = async (limit = 20,containsString = "") => {
    const usernamesRTRef = firebase.database().ref("usernames");
    const usernameIdPairs = [];

    // if not filtering by a string,just pull the first X usernames sorted lexicographically.
    if (!containsString) {
        const unfilteredUsernameMapSnapshot = await usernamesRTRef.limitToFirst(limit).once('value');
        
        unfilteredUsernameMapSnapshot.forEach((entrySnapshot) => {
            const username = entrySnapshot.key;
            const uid = entrySnapshot.val();
            usernameIdPairs.push({ username,uid });
        });

        return usernameIdPairs;
    }

    // filtering by string,prioritize usernames that start with that string
    const priorityUsernames = {}; // "username" -> true (for deduplication)
    const lowerContainsString = containsString.toLowerCase();
    
    const priorityUsernameMapSnapshot = await usernamesRTRef
        .startAt(lowerContainsString)
        .endAt(lowerContainsString + "/uf8ff")
        .limitToFirst(limit) // only get the first X matching usernames
        .once('value');

    if (priorityUsernameMapSnapshot.hasChildren()) {
        priorityUsernameMapSnapshot.forEach((usernameEntry) => {
            const username = usernameEntry.key;
            const uid = usernameEntry.val();

            priorityUsernames[username] = true;
            usernameIdPairs.push({ username,uid });
        });
    }

    // find out how many more entries are needed
    let remainingCount = limit - usernameIdPairs.length;       

    // set the page size to search
    //   - a small page size will be slow
    //   - a large page size will be wasteful
    const pageSize = 200;

    let lastUsernameOnPage = "";
    while (remainingCount > 0) {
        // fetch up to "pageSize" usernames to scan
        let pageQuery = usernamesRTRef.limitToFirst(pageSize);
        if (lastUsernameOnPage !== "") {
            pageQuery = pageQuery.startAfter(lastUsernameOnPage);
        }
        const fallbackUsernameMapSnapshot = await pageQuery.once('value');

        // no data? break while loop
        if (!fallbackUsernameMapSnapshot.hasChildren()) {
            break;
        }

        // for each username that contains the search string,that wasn't found
        // already above:
        //  - add it to the results array
        //  - decrease the "remainingCount" counter,and if no more results
        //    are needed,break the forEach loop (by returning true)
        fallbackUsernameMapSnapshot.forEach((entrySnapshot) => {
            const username = lastUsernameOnPage = entrySnapshot.key;
            if (username.includes(containsString) && !priorityUsernames[username]) {
                const uid = entrySnapshot.val();
                usernameIdPairs.push({ username,uid });
                // decrease counter and if no entries remain,stop the forEach loop
                return --remainingCount <= 0;
            }
        });
    }

    // return the array of pairs,which will have UP TO "limit" entries in the array
    return usernameIdPairs;
}

注意:虽然上面的代码可以运行,但效率仍然很低。您可以通过使用某些第三方文本搜索解决方案和/或在 Callable Cloud Function 中托管此搜索来提高性能。

错误使用 // above "const SearchScreen = ..." but below "searchUsernames" const getUsers = async (limit = 20,containsString = "") => { const usernameIdPairs = await searchUsernames(limit,containsString); // compile a list of user IDs,in batches of 10. let currentChunk = [],currentChunkLength = 0; const chunkedUIDList = [currentChunk]; for (const pair of usernameIdPairs) { if (currentChunkLength === 10) { currentChunk = [pair.uid]; currentChunkLength = 1; chunkedUIDList.push(currentChunk); } else { currentChunk.push(pair.uid); currentChunkLength++; } } const uidToDataMap = {}; // uid -> user data const usersFSRef = firebase.firestore().collection("users"); // fetch each batch of users,adding their data to uidToDataMap await Promise.all(chunkedUIDList.map((thisUIDChunk) => ( usersFSRef .where("uid","in",thisUIDChunk) .get() .then((querySnapshot) => { querySnapshot.forEach(userDataSnapshot => { const uid = userDataSnapshot.id; const docData = userDataSnapshot.data(); uidToDataMap[uid] = { profilePhotoUrl: docData.profilePhotoUrl,username: docData.username,friends: docData.friends.length,// consider using friendCount instead uid } }) }) ))); // after downloading any found user data,return array of user data,// in the same order as usernameIdPairs. return usernameIdPairs .map(({uid}) => uidToDataMap[uid] || null); }

在您的代码中,当您在键入时调用 _.debounce 时,会调用指令 handleSearch,这会触发组件的渲染。此渲染然后删除您的所有函数、去抖动函数、setSearchText 等,然后重新创建它们。您需要确保当您调用这些状态修改函数之一时,您已准备好进行重绘。与其去抖动 getUsers,不如去抖动 makeRemoteRequest 函数。

handleSearch

次优使用 const handleSearch = _.debounce(async (text) => { setSearchText(text); // ... },250);

在您的代码中,您使用 useEffect 来调用 useEffect,虽然这有效,但您可以使用 makeRemoteRequest() 来进行调用本身。然后,您可以删除对 useEffect 的所有引用并使用触发的渲染进行调用。

makeRemoteRequest()
,

您能否在 getUsers 的 then 回调中记录您的用户变量?

另外,检查您的 FlatList 组件的样式对象 (styles.list)。样式表中缺少它!

版权声明:本文内容由互联网用户自发贡献,该文观点与技术仅代表作者本人。本站仅提供信息存储空间服务,不拥有所有权,不承担相关法律责任。如发现本站有涉嫌侵权/违法违规的内容, 请发送邮件至 dio@foxmail.com 举报,一经查实,本站将立刻删除。

相关推荐


依赖报错 idea导入项目后依赖报错,解决方案:https://blog.csdn.net/weixin_42420249/article/details/81191861 依赖版本报错:更换其他版本 无法下载依赖可参考:https://blog.csdn.net/weixin_42628809/a
错误1:代码生成器依赖和mybatis依赖冲突 启动项目时报错如下 2021-12-03 13:33:33.927 ERROR 7228 [ main] o.s.b.d.LoggingFailureAnalysisReporter : *************************** APPL
错误1:gradle项目控制台输出为乱码 # 解决方案:https://blog.csdn.net/weixin_43501566/article/details/112482302 # 在gradle-wrapper.properties 添加以下内容 org.gradle.jvmargs=-Df
错误还原:在查询的过程中,传入的workType为0时,该条件不起作用 &lt;select id=&quot;xxx&quot;&gt; SELECT di.id, di.name, di.work_type, di.updated... &lt;where&gt; &lt;if test=&qu
报错如下,gcc版本太低 ^ server.c:5346:31: 错误:‘struct redisServer’没有名为‘server_cpulist’的成员 redisSetCpuAffinity(server.server_cpulist); ^ server.c: 在函数‘hasActiveC
解决方案1 1、改项目中.idea/workspace.xml配置文件,增加dynamic.classpath参数 2、搜索PropertiesComponent,添加如下 &lt;property name=&quot;dynamic.classpath&quot; value=&quot;tru
删除根组件app.vue中的默认代码后报错:Module Error (from ./node_modules/eslint-loader/index.js): 解决方案:关闭ESlint代码检测,在项目根目录创建vue.config.js,在文件中添加 module.exports = { lin
查看spark默认的python版本 [root@master day27]# pyspark /home/software/spark-2.3.4-bin-hadoop2.7/conf/spark-env.sh: line 2: /usr/local/hadoop/bin/hadoop: No s
使用本地python环境可以成功执行 import pandas as pd import matplotlib.pyplot as plt # 设置字体 plt.rcParams[&#39;font.sans-serif&#39;] = [&#39;SimHei&#39;] # 能正确显示负号 p
错误1:Request method ‘DELETE‘ not supported 错误还原:controller层有一个接口,访问该接口时报错:Request method ‘DELETE‘ not supported 错误原因:没有接收到前端传入的参数,修改为如下 参考 错误2:cannot r
错误1:启动docker镜像时报错:Error response from daemon: driver failed programming external connectivity on endpoint quirky_allen 解决方法:重启docker -&gt; systemctl r
错误1:private field ‘xxx‘ is never assigned 按Altʾnter快捷键,选择第2项 参考:https://blog.csdn.net/shi_hong_fei_hei/article/details/88814070 错误2:启动时报错,不能找到主启动类 #
报错如下,通过源不能下载,最后警告pip需升级版本 Requirement already satisfied: pip in c:\users\ychen\appdata\local\programs\python\python310\lib\site-packages (22.0.4) Coll
错误1:maven打包报错 错误还原:使用maven打包项目时报错如下 [ERROR] Failed to execute goal org.apache.maven.plugins:maven-resources-plugin:3.2.0:resources (default-resources)
错误1:服务调用时报错 服务消费者模块assess通过openFeign调用服务提供者模块hires 如下为服务提供者模块hires的控制层接口 @RestController @RequestMapping(&quot;/hires&quot;) public class FeignControl
错误1:运行项目后报如下错误 解决方案 报错2:Failed to execute goal org.apache.maven.plugins:maven-compiler-plugin:3.8.1:compile (default-compile) on project sb 解决方案:在pom.
参考 错误原因 过滤器或拦截器在生效时,redisTemplate还没有注入 解决方案:在注入容器时就生效 @Component //项目运行时就注入Spring容器 public class RedisBean { @Resource private RedisTemplate&lt;String
使用vite构建项目报错 C:\Users\ychen\work&gt;npm init @vitejs/app @vitejs/create-app is deprecated, use npm init vite instead C:\Users\ychen\AppData\Local\npm-