1、TextInput
聚焦弹起键盘
使用以下方式并不能直接弹起键盘,原因尚不清楚,可能是由于setModalVisible
的异步性导致的
1 2 3 4 5 6 const toggleModal = async ( ) => { await setModalVisible (!isModalVisible); if (!isModalVisible) { inputRef?.current ?.focus (); } };
可以变化一下思路,聚焦——>失去焦点——>聚焦,聚焦 10ms
之后失去焦点,失去焦点触发onBlur
函数后再聚焦
代码如下
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 const toggleModal = async ( ) => { await setModalVisible (!isModalVisible); console .log (inputRef); if (!isModalVisible) { inputRef?.current ?.focus (); setTimeout (() => { Keyboard .dismiss (); }, 10 ); } };<TextInputonBlur onBlur ={() => { inputRef?.current?.focus(); }} /> ;
这里一定要使用async
和await
2、useRef
获取组件实例
使用钩子useRef
获取组件
1 2 3 4 5 6 7 8 9 10 11 12 const textInput : any = useRef (null );<TextInput ref ={textInput} value ={searchText} onChangeText ={(text) => setSearchText(text)}/> ; textInput?.current ?.value ();
3、父组件调用子组件方法并传值
父子间挂在子组件
1 2 3 const notionModalRef :any = useRef (null ) <CreateNotionModal props={{toggleModal,isModalVisible,id}} ref={notionModalRef}/>
其中props
用于传递对象值,ref
用于传递组件
获取组件以及数据
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 23 24 25 26 27 28 29 30 31 32 33 34 35 36 37 38 39 40 41 42 43 44 45 46 47 48 49 50 51 52 53 54 55 56 57 58 59 60 61 62 63 64 65 66 export default forwardRef (({ props }: any , ref: any ) => { const { notionModalRef } = ref; const { toggleModal, isModalVisible, id } = props; useImperativeHandle (notionModalRef, () => ({ inputOnFocus, })); const inputOnFocus = ( ) => {}; return ( <View style ={styles.centeredView} > <View style ={styles.modalView} > <TextInput multiline ={true} style ={styles.input} maxLength ={1000} autoFocus ={true} value ={textInput} ref ={inputRef} onBlur ={() => { inputRef?.current?.focus(); }} onChangeText={(text) => setTextInput(text)} /> <View style ={styles.modalBtn} > <Pressable onPress ={() => { toggleModal(); }} > {/* <Pressable onPress ={() => {} }> */} {({ pressed }) => <Text style ={styles.cancel} > 取消</Text > } </Pressable > <Pressable onPress ={async () => { setTextInput(await pasteFromClipboard(textInput)); }} > {({ pressed }) => ( <Ionicons color ={Colors.light.tint} name ='clipboard-outline' size ={30} style ={{ marginRight: 15 , opacity: pressed ? 0.5 : 1 }} /> )} </Pressable > <Pressable onPress ={create} > {({ pressed }) => ( <Ionicons color ={Colors.light.tint} name ='send-outline' size ={30} style ={{ marginRight: 15 , opacity: pressed ? 0.5 : 1 }} /> )} </Pressable > </View > </View > </View > ); });
使用
1 notionModalRef?.current ?.inputOnFocus ();
我这里用到了useState
的数据,注意状态变化,即组件是否显示与notionModalRef?.current?.inputOnFocus()
的关系
4、expo 抽屉打开与关闭
试了很多种方法,都是显示closeDrawer
未定义
可以使用@react-navigation/native
中的DrawerActions
和useNavigation
组合实现抽屉打开与关闭
1 2 3 4 5 6 7 8 import { DrawerActions , useNavigation } from "@react-navigation/native" ;const CustomDrawer = ( ) => { const navigation = useNavigation (); const tagRename = ( ) => { navigation.dispatch (DrawerActions .closeDrawer ()); }; };
5、全局数据储存
使用useContext
存储全局变量。
首先创建context
实例,对外暴露一个数据对象,里面可包含数值、函数等
1 2 3 4 5 6 7 8 9 10 11 12 13 type SqliteType = { db : SQLite .SQLiteDatabase | null | any ; openDb : () => void ; getDbFile : () => void ; exeSql : (type : string , data: any [] ) => Promise <any >; };const SqliteContext = createContext<SqliteType >({ db : null , openDb : () => {}, getDbFile : () => {}, exeSql : async () => {}, });
创建提供者
这里使用useRef
创建数据,使用useState
在异步函数中会出现问题
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 const SqliteProvider = ({children}:PropsWithChildren ) => { const db = useRef<null |SQLite .SQLiteDatabase >(null ) const openDb = ( ) => { } const getDbFile = async ( ) => { } const exeSql = async (type :string ,data:any [] ) => { } ... }
对外暴露的数据
1 2 3 4 5 6 7 8 9 const SqliteProvider = ({children}:PropsWithChildren ) => { ... return ( <SqliteContext.Provider value ={{db,openDb,getDbFile,exeSql}} > {children} </SqliteContext.Provider > ) }
导出提供者及useContext(SqliteContext)
实例
1 2 3 export default SqliteProvider ;export const useSqlite = ( ) => useContext (SqliteContext );
监听组件
1 2 3 4 5 6 7 8 9 10 11 12 function RootLayoutNav ( ) { return ( <SqliteProvider > <Stack screenOptions ={{ headerShown: false }}> <Stack.Screen name ='(drawer)' options ={{ headerShown: false }} /> </Stack > </SqliteProvider > ); }
使用
1 const { exeSql, getDbFile } = useSqlite ();
6、sqlite
实现增删改查
这里使用execAsync
异步函数获取数据
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 const exeSql = async (type : string , data: any [] ) => { try { if (db.current == null ) { console .log ("数据库不存在" ); openDb (); } const readOnly = false ; return db?.current ?.execAsync ([{ sql : sqls[type ], args : data }], readOnly) .then ((result: any ) => { const data = result[0 ]?.rows ; console .log ("执行结果" , result[0 ]?.rows ); return data; }); } catch (error) { console .error ("An error occurred:" , error); throw error; } };
使用
1 2 3 exeSql ("searchAllTags" , []).then ((res ) => { console .log (res); });
这里封装一些sql
语句
1 2 3 4 5 6 7 8 9 10 11 12 const sqls : any = { searchAllNotions : "SELECT * FROM NOTIONS" , insertNotion : "INSERT INTO NOTIONS (id,content,tag,create_time,update_time) VALUES (?, ?, ?, ?,?)" , updateNotionById : "UPDATE notions SET content = ?,update_time = ? WHERE id = ?" , searchNotionById : "SELECT content FROM notions WHERE id = ?" , searchTagNameById : "SELECT name FROM tags WHERE id = ?" , searchTagIdByName : "SELECT id FROM tags WHERE name = ?" , searchChildrenTagsById : "SELECT name FROM tags WHERE father = ?" , searchAllTags : "SELECT * FROM TAGS" , };
7、dayjs
简单使用
导入库
1 import dayjs from "dayjs" ;
生成时间(毫秒)
生成时间
1 dayjs ().subtract (1 , "hour" ).toISOString ();
计算开始到现在的天数
1 2 3 4 5 6 import dayjs from "dayjs" ;import relativeTime from "dayjs/plugin/relativeTime" ; dayjs.extend (relativeTime);console .log (dayjs (created_at).fromNow ());
8、获取页面管线列表
当前页面处于的管线位置
1 const segments = useSegments () > ["(user)" , "film" ];
9、vscode 配置 prettier
prettier
安装依赖
1 npm i -D prettier eslint-config-prettier eslint-plugin-prettier
修改 vscode 设置
1 2 3 4 5 6 7 8 "editor.defaultFormatter" : "esbenp.prettier-vscode" , "files.autoSave" : "onFocusChange" , "editor.formatOnSave" : true , "editor.formatOnType" : true , "[typescript]" : { "editor.defaultFormatter" : "esbenp.prettier-vscode" } , "prettier.useEditorConfig" : false
在页面下新增文件.prettierrc.js
,以下是我的默认配置
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 23 24 25 26 27 28 29 30 31 32 33 34 35 36 37 38 39 40 41 42 43 44 45 46 47 48 49 50 51 52 53 54 55 56 57 58 59 60 61 62 63 64 65 66 67 68 69 70 71 72 73 74 75 76 77 78 79 80 81 82 83 84 85 86 87 88 89 90 91 92 93 94 95 96 97 98 99 100 101 module .exports = { printWidth : 80 , tabWidth : 2 , useTabs : false , semi : true , singleQuote : false , quoteProps : "as-needed" , jsxSingleQuote : false , trailingComma : "all" , bracketSpacing : true , bracketSameLine : false , arrowParens : "avoid" , htmlWhitespaceSensitivity : "ignore" , vueIndentScriptAndStyle : false , endOfLine : "crlf" , proseWrap : "never" , useEditorConfig : false , singleAttributePerLine : true , disableLanguages : ["html" ], };
每次修改.prettierrc.js
重启才能生效
10、解决异步获取数据组件不刷新
可以新增一个状态,数据加载时为false
,加载成功后变为true
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 23 24 25 26 27 28 29 30 31 32 33 34 35 36 37 38 39 40 41 42 43 44 45 46 const getData = async ( ) => { setIsLodingData (true ); const notionsPromise = exeSql ("searchAllNotions" , []).then (async (res) => { for (let i = 0 ; i < res.length ; i++) { await exeSql ("searchTagNameById" , [res[i].tag ]).then ((res2 ) => { res[i].tag = res2[0 ].name ; }); } return res; }); const tagsPromise = exeSql ("searchAllTags" , []); const [notions, tags] = await Promise .all ([notionsPromise, tagsPromise]); setAllNotions (notions); setTags (tags); setIsLodingData (false ); }; { } { isLodingData ? ( <ActivityIndicator animating ={isLodingData} color ={Colors.light.tint} /> ) : ( <FlatList data ={notions.current} renderItem ={({ item }) => ( <CartItem cartType ='show' notion ={item} func ={getData} /> )} contentContainerStyle={{ gap: defalutSize, padding: defalutSize * 0.5, }} /> ); }
getData
函数中有两个异步加载函数,为了提高获取数据的效率,可以同时异步加载数据,加载完成后再赋值
之前的代码为
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 const getData = async ( ) => { await exeSql ("searchAllNotions" , []).then (async res => { for (let i = 0 ; i < res.length ; i++) { await exeSql ("searchTagNameById" ,[res[i].tag ]).then ((res2 )=> { res[i].tag = res2[0 ].name }) } setAllNotions (res); }) }); await exeSql ("searchAllTags" , []).then (async res => { setTags (res); }); };
11、useEffect 和 useRef 区别
11.1 定义
useEffect
:管理状态。管理函数组件的状态和更新状态,变化后重新渲染徐建。
useRef
:操作 DOM
元素。用于函数式组件中访问的全局变量,而不必渲染组件。
12、返回页面刷新
使用页面监听事件,监听navigate
的值,一旦返回页面,navigate
的值就会发生改变,从而触发刷新函数。
1 2 3 4 5 6 7 8 9 10 11 import { useNavigation } from "expo-router" ;const navigation = useNavigation ();useEffect (() => { const unsubscribe = navigation.addListener ("focus" , () => { onRefresh (); }); return unsubscribe; }, [navigation]);
13、Provider 顺序问题
在写简记软件时,将数据库操作和灵感都封装成了全局provider
,在灵感里使用到数据库的相关操作。
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 const updateNotion = async (textInput: string , id: string ) => { await exeSql ("searchNotionById" , [id]).then ( async (searchNotionByIdRes : any ) => { if (searchNotionByIdRes[0 ]?.rows [0 ]?.content === textInput) { return ; } const updata_time = dayjs ().valueOf (); await exeSql ("updateNotionById" , [textInput, updata_time, id]).then ( () => {} ); } ); };
在封装时需要将DataProvider
放在SqliteProvider
里面,不然在使用DataProvider
时会找不到数据库,因为先加载的DataProvider
时SqliteProvider
还未加载。
14、报错ExpoMetroConfig.loadAsync
is not a function
使用
代替
参考