对redux工具包的createSlice中的多个动作做出反应

时间:2020-09-26 19:53:28

标签: reactjs redux redux-toolkit

我正在重构我的reducer以使用redux-toolkit的createSlice。 现在我有一个非常基于事件的reduce,有时需要对不同的操作进行类似的状态更新 。 对于原始的switch/case语句,这没有问题:

        case ActionTypes.CREATION_CANCELLED:
        case ActionTypes.NEW_MARKER_INFOWINDOW_CLOSED:
        case ActionTypes.MARKER_SELECTED:
            return {...state, isCreating: false};

使用createSlice函数可以实现这种行为吗?

1 个答案:

答案 0 :(得分:2)

您可以使用 the extraReducers "builder callback" notation 执行此操作。使用此表示法,您可以通过向 builder 对象添加案例来创建减速器。 builder.addMatcher 函数的第一个参数确定哪些操作类型与这种情况相匹配。

如果您的操作共享通用字符串格式,您可以使用基于字符串的匹配器(如 action.type.endsWith('/rejected'))以相同方式处理所有 rejected 操作。

否则,您可以定义自己的自定义匹配器函数,该函数接受一个 action 并返回一个 boolean,以表明它是否匹配。

因为我们想要匹配多个动作类型,我们可以为此创建一个帮助器。

// helper function to match any actions in a provided list
// actions can be `string` types or redux-toolkit action creators
const isAnyOf = (...matchers: Array<string | { type: string }>) => 
  ( action: AnyAction ) =>
    matchers.some((matcher) =>
      typeof matcher === "string"
        ? matcher === action.type
        : matcher.type === action.type
    );

我们可以将其与您现有的 string 常量一起使用:

const slice = createSlice({
  name: "some name",
  initialState: {
    someProp: [],
    isCreating: false
  },
  reducers: {},
  extraReducers: (builder) => {
    return builder.addMatcher(
      isAnyOf(
        ActionTypes.CREATION_CANCELLED,
        ActionTypes.NEW_MARKER_INFOWINDOW_CLOSED,
        ActionTypes.MARKER_SELECTED
      ),
      (state, action) => {
        state.isCreating = false;
      }
    );
  }
});

或者使用 Redux Toolkit 动作创建者:

const creationCancelled = createAction("CREATION_CANCELLED");
const newMarkerInfoWindowClosed = createAction("NEW_MARKER_INFOWINDOW_CLOSED");
const markerSelected = createAction("MARKER_SELECTED");

const slice = createSlice({
  name: "some name",
  initialState: {
    someProp: [],
    isCreating: false
  },
  reducers: {},
  extraReducers: (builder) => {
    return builder.addMatcher(
      isAnyOf(creationCancelled, newMarkerInfoWindowClosed, markerSelected),
      (state, action) => {
        state.isCreating = false;
      }
    );
  }
});