후크를 사용하거나 HOC를 선택하십시오
후크 사용 또는 HOC (고차 구성 요소) 패턴을 당신의 상점이 변경 될 때, 당신은 자동 업데이트를 할 수 있습니다. 이것은 프레임 워크가없는 매우 가벼운 접근법입니다.
useStore상점 업데이트를 처리하는 Hooks 방법
interface ISimpleStore {
on: (ev: string, fn: () => void) => void;
off: (ev: string, fn: () => void) => void;
}
export default function useStore<T extends ISimpleStore>(store: T) {
const [storeState, setStoreState] = useState({store});
useEffect(() => {
const onChange = () => {
setStoreState({store});
}
store.on('change', onChange);
return () => {
store.off('change', onChange);
}
}, []);
return storeState.store;
}
withstores HOC 핸들 스토어 업데이트
export default function (...stores: SimpleStore[]) {
return function (WrappedComponent: React.ComponentType<any>) {
return class WithStore extends PureComponent<{}, {lastUpdated: number}> {
constructor(props: React.ComponentProps<any>) {
super(props);
this.state = {
lastUpdated: Date.now(),
};
this.stores = stores;
}
private stores?: SimpleStore[];
private onChange = () => {
this.setState({lastUpdated: Date.now()});
};
componentDidMount = () => {
this.stores &&
this.stores.forEach((store) => {
// each store has a common change event to subscribe to
store.on('change', this.onChange);
});
};
componentWillUnmount = () => {
this.stores &&
this.stores.forEach((store) => {
store.off('change', this.onChange);
});
};
render() {
return (
<WrappedComponent
lastUpdated={this.state.lastUpdated}
{...this.props}
/>
);
}
};
};
}
SimpleStore 클래스
import AsyncStorage from '@react-native-community/async-storage';
import ee, {Emitter} from 'event-emitter';
interface SimpleStoreArgs {
key?: string;
defaultState?: {[key: string]: any};
}
export default class SimpleStore {
constructor({key, defaultState}: SimpleStoreArgs) {
if (key) {
this.key = key;
// hydrate here if you want w/ localState or AsyncStorage
}
if (defaultState) {
this._state = {...defaultState, loaded: false};
} else {
this._state = {loaded: true};
}
}
protected key: string = '';
protected _state: {[key: string]: any} = {};
protected eventEmitter: Emitter = ee({});
public setState(newState: {[key: string]: any}) {
this._state = {...this._state, ...newState};
this.eventEmitter.emit('change');
if (this.key) {
// store on client w/ localState or AsyncStorage
}
}
public get state() {
return this._state;
}
public on(ev: string, fn:() => void) {
this.eventEmitter.on(ev, fn);
}
public off(ev: string, fn:() => void) {
this.eventEmitter.off(ev, fn);
}
public get loaded(): boolean {
return !!this._state.loaded;
}
}
사용하는 방법
후크의 경우 :
// use inside function like so
const someState = useStore(myStore);
someState.myProp = 'something';
HOC의 경우 :
// inside your code get/set your store and stuff just updates
const val = myStore.myProp;
myOtherStore.myProp = 'something';
// return your wrapped component like so
export default withStores(myStore)(MyComponent);
SURE 만들
그래서 같은 글로벌 변화의 혜택을 얻을 수있는 싱글로 저장을 내보내려면 :
class MyStore extends SimpleStore {
public get someProp() {
return this._state.someProp || '';
}
public set someProp(value: string) {
this.setState({...this._state, someProp: value});
}
}
// this is a singleton
const myStore = new MyStore();
export {myStore};
이 방법은 매우 간단하며 저에게 효과적입니다. 나는 또한 큰 팀에서 일하고 Redux와 MobX를 사용하고 좋은 것이지만 많은 상용구를 찾습니다. 나는 항상 필요할 때 간단 할 수있는 많은 코드를 싫어했기 때문에 개인적으로 내 접근법을 좋아합니다.
this.forceUpdate()
모든 대답 여러 의견의 나머지 부분은 사용에 반대하는 반면에 적합한 솔루션이다forceUpdate()
. 그렇다면 질문에 아직 적절한 해결책 / 응답을 얻지 못했다고 말하는 것이 좋을까요?