私は、React Context API と useReducer および useContext フックを使用して、奇妙な状況で頭を壁にぶつけています。
ここが私の本店です。
import React, { createContext, useReducer } from 'react';
import { Reducers } from './Reducers';
import { surveys } from '../../testData.json';
export const context = createContext();
const { Provider } = context;
export const Store = ({ children }) => {
const [store, dispatch] = useReducer(Reducers, {
editSurvey: { display: false },
surveys,
});
return <Provider value={{ store, dispatch }}>{children}</Provider>;
};
これが私の Reducers 関数と私の Action タイプです:
import { Actions } from './Actions';
const { DISPLAY_NEW_SURVEY, HIDE_SURVEY } = Actions;
export const Reducers = (state, action) => {
const { type, payload } = action;
console.log(state, action);
switch (type) {
case DISPLAY_NEW_SURVEY:
return { ...state, editSurvey: { display: true } };
case HIDE_SURVEY:
return { ...state, editSurvey: { display: false } };
default:
return state;
}
};
export const Actions = {
DISPLAY_NEW_SURVEY: 'DISPLAY_NEW_SURVEY',
HIDE_SURVEY: 'HIDE_SURVEY',
};
反応ポータルを条件付きでレンダリングするために使用される編集プロパティ内に表示プロパティがあります。以下を参照してください。
import React, { useContext } from 'react';
import { EditSurveyPortal } from '../EditSurvey/EditSurveyPortal';
import { context } from '../../store/Store';
export const NavItem = ({ name, NavImage }) => {
const { dispatch } = useContext(context);
return (
<div
id={name}
style={{ cursor: 'pointer' }}
onClick={() => {
dispatch({ type: 'DISPLAY_NEW_SURVEY' });
}}
>
<NavImage alt={name} width={10} height={10} />
<EditSurveyPortal />
</div>
);
};
import React, { useContext } from 'react';
import { createPortal } from 'react-dom';
import { context } from '../../store/Store';
import { EditSurvey } from './EditSurvey';
export const EditSurveyPortal = () => {
const {
store: {
editSurvey: { display },
},
dispatch,
} = useContext(context);
return display
? createPortal(
<div className="absolute top-0 left-0 w-screen h-screen z-10 flex justify-center items-center bg-gray-400 bg-opacity-50">
<EditSurvey />
</div>,
document.getElementById('root'),
)
: null;
};
実際の編集調査コンポーネントは次のとおりです。
import React from 'react';
import { Card, CardHeader } from '../Utility/Card';
import { Close } from '../Images/Close';
export const EditSurvey = ({ dispatch }) => {
return (
<Card>
<CardHeader className="flex justify-between align-center">
<div className="inline-block relative rounded">
<span className="absolute top-0 l-0 bg-gray-200 text-gray-800 rounded-l px-2 py-1">
Title
</span>
<input type="text" className="rounded p-1" />
</div>
<div
className="text-gray-800"
style={{ cursor: 'pointer' }}
onClick={() => {
dispatch({ type: 'HIDE_SURVEY' });
}}
>
<Close width={8} height={8} />
</div>
</CardHeader>
</Card>
);
};
私の問題は、ポータルの閉じるボタンをクリックすると、HIDE_SURVEY がディスパッチされ、すぐに DISPLAY_NEW_SURVEY がディスパッチされることです。
私は一生これを理解することはできません。どんな助けでも大歓迎です。
ありがとう!