- html - 出于某种原因,IE8 对我的 Sass 文件中继承的 html5 CSS 不友好?
- JMeter 在响应断言中使用 span 标签的问题
- html - 在 :hover and :active? 上具有不同效果的 CSS 动画
- html - 相对于居中的 html 内容固定的 CSS 重复背景?
所以我最近尝试在firebase中对用户进行FlatList搜索,但是我遇到了一堆错误,尽管代码中似乎没有错误。目前,该列表搜索并没有返回任何内容,尽管“用户”的 firebase 集合中有明显的数据。当我尝试在 getUsers() 中 Promise 的解析语句正上方记录“结果”时,我突然看到了用户,虽然我得到了“结果”不存在的错误,这很奇怪,因为为什么会出现错误使代码工作?无论如何,如果有人能够帮助我尝试使这个 FlatList 工作,我将不胜感激。我已经为此工作了 3 天,似乎无法在线找到任何解决方案或修复代码。为了你的帮助,我很乐意给你一个邓肯 donut ,因为这对我来说意义重大。感谢所有帮助和提示,并提前感谢您的宝贵时间! (我的平面列表的代码在下面没有样式)
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, limit));
}, 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,
height: 46,
width: 46,
justifyContent: 'center',
alignItems: 'center'
},
settingsButton: {
width: 46,
height: 46,
borderRadius: 23,
marginRight: 15,
marginBottom: 10
},
settingsButtonGradient: {
borderRadius: 23,
height: 46,
width: 46,
justifyContent: 'center',
alignItems: 'center'
},
input: {
height: 45,
width: 250,
paddingLeft: 10,
fontFamily: "Avenir",
fontSize: 18
},
inputView: {
flexDirection: 'row',
justifyContent: 'center',
alignItems: 'center',
borderRadius: 50,
paddingLeft: 10,
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",
fontFamily: "Avenir",
color: "#FF5151",
},
spacer: {
width: 50
},
listItem: {
flexDirection: 'row',
paddingLeft: 15,
paddingRight: 15,
paddingTop: 10,
paddingBottom: 10,
backgroundColor: "white",
marginLeft: 20,
marginRight: 20,
marginBottom: 10,
borderRadius: 15,
alignItems: 'center',
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,
fontFamily: "Avenir",
paddingBottom: 3
},
subText: {
fontSize: 15,
fontFamily: "Avenir"
},
textBody: {
flex: 1,
justifyContent: 'center',
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"
和
"somegal"
在结果中。如果至少有 20 个名称以“ome”开头,则它们应该出现在 FlatList 中,而不是不以搜索字符串开头的条目。
"ome"
的条目字符串中的任何位置。 // 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;
}
现在我们有了一个用户名-用户 ID 对的列表,我们需要他们的其余用户数据,可以使用以下方法获取:
// 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);
}
注:虽然上面的代码功能,它仍然是低效的。您可以通过使用一些第三方文本搜索解决方案和/或在
Callable Cloud Function 中托管此搜索来提高性能。 .
_.debounce
的错误使用
handleSearch
键入时,指令
setSearchText
被调用,它会触发你的组件的渲染。然后这个渲染会移除你所有的函数,去抖函数,
getUsers
依此类推,然后重新创建它们。您需要确保当您调用这些状态修改函数之一时,您已准备好进行重绘。而不是去抖动
makeRemoteRequest
,最好对
handleSearch
进行去抖动处理功能。
const handleSearch = _.debounce(async (text) => {
setSearchText(text);
// ...
}, 250);
useEffect
的次优使用
useEffect
调用
makeRemoteRequest()
,虽然这有效,但您可以使用
useEffect
自己调用电话。然后您可以删除对
makeRemoteRequest()
的所有引用。并使用触发的渲染进行调用。
const SearchScreen = ({ navigation }) => {
const [searchText, setSearchText] = useState(""); // casing searchText to lowercase is handled by `getUsers` and `searchUsernames`, no need for two state variables for the same data
const [data, setData] = useState([]);
const [expanding, setExpanding] = useState(true); // shows/hides footer in FlatList (renamed from "loading")
const [refreshing, setRefreshing] = useState(false); // shows/hides refresh over FlatList
const [userNumLoad, setUserNumLoad] = useState(20);
const [error, setError] = useState(""); // note: error is unused in your code at this point
// decides whether a database call is needed
// combined so that individual changes of true to false and vice versa
// for refreshing and expanding don't trigger unnecessary rerenders
const needNewData = refreshing || expanding;
useEffect(() => {
// if no data is needed, do nothing
if (!needNewData) return;
let disposed = false;
getUsers(userNumLoad, searchText).then(
(userData) => {
if (disposed) return; // do nothing if disposed/response out of date
// these fire a render
setData(userData);
setError("");
setExpanding(false);
setRefreshing(false);
},
(err) => {
if (disposed) return; // do nothing if disposed/response out of date
// these fire a render
setData([]);
setError(err);
setExpanding(false);
setRefreshing(false);
//alert("An error has occurred. Please try again later.");
console.log(err);
}
);
return () => disposed = true;
}, [userNumLoad, searchText, needNewData]); // only rerun this effect when userNumLoad, searchText and needNewData change
const handleSearch = _.debounce((text) => {
setSearchText(text); // update query text
setData([]); // empty existing data
setExpanding(true); // make database call on next draw
}, 250);
const handleRefresh = async () => {
setRefreshing(true); // make database call on next draw
};
const handleLoadMore = async () => {
setUserNumLoad(userNumLoad + 20); // update query size
setExpanding(true); // make database call on next draw
};
const renderFooter = () => {
if (!expanding) return null;
return (
<View style={{ paddingVertical: 20 }}>
<ActivityIndicator animating size="large" />
</View>
);
};
return ( /** your render code here */ );
}
关于javascript - React Native Flatlist 搜索没有从 firebase 用户集合中返回任何值,我们在Stack Overflow上找到一个类似的问题: https://stackoverflow.com/questions/67129703/
问题是,当用户回复彼此的帖子时,我必须这样做: margin-left:40px; 对于 1 级深度 react margin-left:80px; 对于 2 层深等 但是我想让 react div
我试图弄清楚如何将 React Router 与 React VR 连接起来。 首先,我应该使用 react-router dom/native ?目前尚不清楚,因为 React VR 构建在 Rea
我是 React 或一般编码背景的新手。我不确定这些陈述之间有什么区别 import * as react from 'react' 和 import react from 'react' 提前致谢!
我正在使用最新的稳定版本的 react、react-native、react-test-renderer、react-dom。 然而,react-native 依赖于 react@16.0.0-alp
是否 react 原生 应用程序开发可以通过软件架构实现,例如 MVC、MVP、MVVM ? 谢谢你。 最佳答案 是的。 React Native 只是你提到的那些软件设计模式中的“V”。如果你考虑其
您好我正在尝试在我的导航器右按钮中绑定(bind)一个功能, 但它给出了错误。 这是我的代码: import React, { Component } from 'react'; import Ico
我使用react native创建了一个应用程序,我正在尝试生成apk。在http://facebook.github.io/react-native/docs/signed-apk-android.
1 [我尝试将分页的 z-index 更改为 0,但没有成功] 这是我的codesandbox的链接:请检查最后一个选择下拉列表,它位于分页后面。 https://codesandbox.io/s/j
我注意到 React 可以这样导入: import * as React from 'react'; ...或者像这样: import React from 'react'; 第一个导入 react
我是 react-native 的新手。我正在使用 React Native Paper 为所有屏幕提供主题。我也在使用 react 导航堆栈导航器和抽屉导航器。首先,对于导航,论文主题在导航组件中不
我有一个使用 Ignite CLI 创建的 React Native 应用程序.我正在尝试将 TabNavigator 与 React Navigation 结合使用,但我似乎无法弄清楚如何将数据从一
我正在尝试在我的 React 应用程序中进行快照测试。我已经在使用 react-testing-library 进行一般的单元测试。然而,对于快照测试,我在网上看到了不同的方法,要么使用 react-
我正在使用 react-native 构建跨平台 native 应用程序,并使用 react-navigation 在屏幕之间导航和使用 redux 管理导航状态。当我嵌套导航器时会出现问题。 例如,
由于分页和 React Native Navigation,我面临着一种复杂的问题。 单击具有类别列表的抽屉,它们都将转到屏幕 问题陈述: 当我随机点击类别时,一切正常。但是,在分页过程中遇到问题。假
这是我的抽屉导航: const DashboardStack = StackNavigator({ Dashboard: { screen: Dashboard
尝试构建 react-native android 应用程序但出现以下错误 info Running jetifier to migrate libraries to AndroidX. You ca
我目前正在一个应用程序中实现 React Router v.4,我也在其中使用 Webpack 进行捆绑。在我的 webpack 配置中,我将 React、ReactDOM 和 React-route
我正在使用 React.children 渲染一些带有 react router 的子路由(对于某个主路由下的所有子路由。 这对我来说一直很好,但是我之前正在解构传递给 children 的 Prop
当我运行 React 应用程序时,它显示 export 'React'(导入为 'React')在 'react' 中找不到。所有页面错误 see image here . 最佳答案 根据图像中的错误
当我使用这个例子在我的应用程序上实现 Image-slider 时,我遇到了这个错误。 import React,{Component} from 'react' import {View,T
我是一名优秀的程序员,十分优秀!