계단식 양식 필드를 처리하는 3가지 접근 방식을 공유하고 싶습니다.
첫 번째 접근 방식, 상태 변수 사용
이 게시물에서는 일반 변수를 사용하여 국가, 주, 도시 데이터를 기반으로 계단식 양식 필드를 처리하는 두 번째 접근 방식을 볼 수 있습니다.
react-native-element-dropdown react-native-paper
우리는 드롭다운 필드에 React-native-element-dropdown을 사용하고 있습니다
import React, { useState, useEffect } from "react"; import { View, Text, StyleSheet, TouchableOpacity } from "react-native"; import { Dropdown } from "react-native-element-dropdown"; export default function App() { return ( <View> <p>ZDropDown is a custom component. </p> <h3> Sample data </h3> <pre class="brush:php;toolbar:false">const listCountry = [ { countryId: "1", name: "india" }, { countryId: "2", name: "uk" }, { countryId: "3", name: "canada" }, { countryId: "4", name: "us" }, ]; const listSate = [ { stateId: "1", countryId: "1", name: "state1_india" }, { stateId: "4", countryId: "2", name: "state1_uk" }, { stateId: "7", countryId: "3", name: "state1_canada" }, { stateId: "10", countryId: "4", name: "state1_us" }, ]; const listCity = [ { cityId: "1", stateId: "1", countryId: "1", name: "city1_state1_country1", }, { cityId: "6", stateId: "2", countryId: "1", name: "city6_state2_country1", }, { cityId: "7", stateId: "3", countryId: "1", name: "city7_state3_country1", }, { cityId: "23", stateId: "8", countryId: "3", name: "city23_state8_country3", }, { cityId: "30", stateId: "10", countryId: "4", name: "city30_state10_country4", }, { cityId: "35", stateId: "12", countryId: "4", name: "city35_state12_country4", }, { cityId: "36", stateId: "12", countryId: "4", name: "city36_state12_country4", }, ];
첫 번째 접근 방식에서는 4개의 상태 변수를 사용했지만 여기서는 4개의 일반 변수(드롭다운용 3개, 포커스 필드용 1개)와 상태 효과(페이지 새로 고침)를 전환하고 트리거하는 데 사용되는 상태 변수를 사용합니다.
var country = { list: [], selectedCountry: {}, selectedValue: null, }; var state = { list: [], selectedState: {}, selectedValue: null, }; var city = { list: [], selectedCity: {}, selectedValue: null, }; var focusField = ''; export default function App() { const [refreshPage, setRefreshPage] = useState(false); return ( <View> <p>Focus and Blur events get triggered more than onChange event so it is better to maintain a separate variable to represent the focus field and avoid data mess up situations. </p> <h3> Load Country </h3> <p>Load country dropdown from the sample data. (you can use api call)<br> </p> <pre class="brush:php;toolbar:false">export default function App() { . . . const loadCountry = () => { // load data from api call country.list = [...listCountry]; // switching value will refresh the ui setRefreshPage(!refreshPage); }; useEffect(() => { loadCountry(); }, []); return ( . . . )
상태 변수(refreshPage)를 전환하여 포커스 필드를 설정하고 페이지를 새로 고치는 함수를 사용하고 있습니다
const changeFocusField = (fld = '') => { focusField = fld; setRefreshPage(!refreshPage); };
<Text>Country</Text> <ZDropDown . . . isFocus={focusField === 'country'} onFocus={() => changeFocusField('country')} onBlur={() => changeFocusField('')} onChange={null} /> <Text>State</Text> <ZDropDown . . . isFocus={focusField === 'state'} onFocus={() => changeFocusField('state')} onBlur={() => changeFocusField('')} onChange={null} /> <Text>City</Text> <ZDropDown . . . isFocus={focusField === 'city'} onFocus={() => changeFocusField('city')} onBlur={() => changeFocusField('')} onChange={null} />
이제 반쯤 끝났습니다.
선택한 국가에서 국가 선택에 따라 해당 주상태를 로드해야 합니다.
국가 필드를 업데이트하고 국가에 초점을 맞춘 후 국가를 기반으로 상태를 로드하세요.
<Text>Country</Text> <ZDropDown . . . onChange={(item) => { country.selectedCountry = item; country.selectedValue = item.countryId; focusField = ''; loadState(); }} />
첫 번째 접근 방식의 차이점을 보셨나요? 이전에는 3개의 상태 변수가 업데이트되었지만 여기서는 하나의 상태 변수만 업데이트됩니다.
국가가 변경되면 주와 도시가 모두 변경됩니다. 따라서 새 값을 설정하기 전에 기존 데이터를 지워야 합니다.
const loadState = async () => { state = { list: [], selectedState: {}, selectedValue: null }; city = { list: [], selectedCity: {}, selectedValue: null }; const arr = listSate.filter( (ele) => ele.countryId === country.selectedValue ); if (arr.length) { state.list = arr; } refreshPage(!refreshPage); };
국가 및 주를 기준으로 도시 필드를 로드합니다.
<Text>State</Text> <ZDropDown . . . onChange={(item) => { state.selectedValue = item.stateId; state.selectedState = item; changeFocusField(''); loadCity(); }} />
const loadCity = async () => { city = { list: [], selectedCity: {}, selectedValue: null }; const arr = listCity.filter((ele) => ele.stateId === state.selectedValue); if (arr.length) city.list = arr; setRefreshPage(!refreshPage); };
모든 설정이 완료되었으며 이제 양식 필드가 제대로 작동합니다.
두 가지 추가 기능 중 하나는 페이지 재설정이고 다른 하나는 경고 표시입니다.
폼 변수와 포커스 변수는 지워야 합니다.
. . . const resetForm = () => { country = {list: [...listCountry],selectedCountry: {}, selectedValue: null}; state = { list: [], selectedState: {}, selectedValue: null }; city = { list: [], selectedCity: {}, selectedValue: null }; focusField = ''; setRefreshPage(!refreshPage); }; . . . <TouchableOpacity onPress={() => resetForm()}> <h3> Warning </h3> <p>We have to show a warning msg if the parent field value is null. For that we are using SnackBar component from paper.<br> </p> <pre class="brush:php;toolbar:false">import { Snackbar } from "react-native-paper"; . . . var snackMsg = ''; export default function App() { . . . const [visible, setVisible] = useState(false); const onToggleSnackBar = () => setVisible(!visible); const onDismissSnackBar = () => setVisible(false); . . . return ( <View> <p>We moved snackMsg to ordinary variable from state variable.</p> <p>Since State and City fields have parent field, they have to be validated.<br> </p> <pre class="brush:php;toolbar:false"> <Text>State</Text> <ZDropDown onFocus={() => { focusField('state'); if (!country.selectedValue) { snackMsg = 'Select country'; onToggleSnackBar(); changeFocusField('country'); } }} . . . /> <Text>City</Text> <ZDropDown onFocus={() => { focusField('city'); if (!country.selectedValue) { snackMsg = 'Select country'; onToggleSnackBar(); changeFocusField('country'); } else if (!state.selectedValue) { snackMsg = 'Select state'; onToggleSnackBar(); changeFocusField('state'); } }} . . . />
완료되었습니다.
감사합니다.
여기에서 전체 코드 참조
위 내용은 계단식 형태 React Native 개선의 상세 내용입니다. 자세한 내용은 PHP 중국어 웹사이트의 기타 관련 기사를 참조하세요!