Hooks的出現,想必你們有所瞭解。若是你是一個Hooks新手,想用Hooks去構造你的應用程序。不要心急,你只須要跟着我一塊兒學習hooks,半個小時你就能掌握React Hooks,並用Hooks去重構你的項目html
const [state, setState] = useState(initialState);
複製代碼
在初始渲染的時候,返回的狀態( state )與做爲第一個參數( initialState )傳遞的值相同。react
setState 函數用於更新 state(狀態) 。它接受一個新的 state(狀態) 值,並將組件排入從新渲染的隊列。git
const id = props;
const [value, setValue] = useState(1)
useEffect(() => {
dosomething();
},[id, value]);
複製代碼
useEffect 這個反作用函數在react全生命週期中扮演着很重要的角色,與 componentDidMount 和 componentDidUpdate 不一樣,傳遞給 useEffect 的函數在延遲事件期間在 layout(佈局) 和 paint(繪製) 後觸發。咱們也能夠把useEffect看做是生命週期函數的一個集合,以前在生命週期中didMount,didUpdate,WillReceiveProps,WillUnmount均可以將函數做爲第一個參數dosomething在useEffect執行。
第一個參數爲函數dosomething(),第二個參數爲一個數組,數組裏面的id和value只要有一個改變都會執行dosomething()。github
useEffect(() => {
getDeviceSituation(projectId);
}, [getDeviceSituation, projectId]);
const getDeviceSituation = useCallback((id) => {
dispatch({
type: 'runTimeCenter/getDeviceSituation',
payload: {
projectId: id,
},
});
}, [dispatch]);
const onClickTag = () => {
getDeviceSituation(projectId);
};
return (
<div onclick = {onClickTag}></div>
)
複製代碼
兩種用途
react-native
function TextInputWithFocusButton() {
const inputEl = useRef(null);
const onButtonClick = () => {
inputEl.current.focus();
};
return (
<>
<input ref={inputEl} type="text" />
<button onClick={onButtonClick}>Focus the input</button>
</>
);
}
複製代碼
2.實例化字段,方便保留任何可變值數組
const string = useRef('aaa');
複製代碼
function useInputValue(initialValue) {
const [value, setValue] = useState(initialValue);
const onChange = (event) => {
setValue(event.currentTarget.value);
};
return {
value,
onChange
};
}
function Demo(props){
const name = useInputValue('sss')
return (
<input {...name} />
)
}
複製代碼
是否是感受代碼很清爽,這樣我就能夠將全部的組件Hooks化,說白了自定義Hooks,也就是自定義組件。bash