我可以在减速机中发送动作吗?

时间:2016-04-19 22:44:59

标签: reactjs redux reducers

是否可以在减速机本身中发送动作?我有一个进度条和一个音频元素。目标是在音频元素中更新时间时更新进度条。但是我不知道将ontimeupdate事件处理程序放在何处,或者如何在ontimeupdate的回调中调度一个动作来更新进度条。这是我的代码:

//reducer

const initialState = {
    audioElement: new AudioElement('test.mp3'),
    progress: 0.0
}

initialState.audioElement.audio.ontimeupdate = () => {
    console.log('progress', initialState.audioElement.currentTime/initialState.audioElement.duration);
    //how to dispatch 'SET_PROGRESS_VALUE' now?
};


const audio = (state=initialState, action) => {
    switch(action.type){
        case 'SET_PROGRESS_VALUE':
            return Object.assign({}, state, {progress: action.progress});
        default: return state;
    }

}

export default audio;

5 个答案:

答案 0 :(得分:119)

在reducer中调度操作是一种反模式。您的reducer应该没有副作用,只需消化动作有效负载并返回一个新的状态对象。在reducer中添加侦听器和调度操作可能会导致链接操作和其他副作用。

听起来像是初始化的AudioElement类,事件监听器属于组件而不是状态。在事件监听器中,您可以调度一个操作,该操作将更新状态为progress

您可以在新的React组件中初始化AudioElement类对象,也可以只将该类转换为React组件。

class MyAudioPlayer extends React.Component {
  constructor(props) {
    super(props);

    this.player = new AudioElement('test.mp3');

    this.player.audio.ontimeupdate = this.updateProgress;
  }

  updateProgress () {
    // Dispatch action to reducer with updated progress.
    // You might want to actually send the current time and do the
    // calculation from within the reducer.
    this.props.updateProgress();
  }

  render () {
    // Render the audio player controls, progress bar, whatever else
    return <p>Progress: {this.props.progress}</p>;
  }
}

class MyContainer extends React.Component {
   render() {
     return <MyAudioPlayer updateProgress={this.props.updateProgress} />
   }
}

function mapStateToProps (state) { return {}; }

return connect(mapStateToProps, {
  updateProgressAction
})(MyContainer);

请注意,updateProgressAction会自动包裹dispatch,因此您无需直接致电发送。

答案 1 :(得分:100)

在减速器完成之前启动另一个调度是反模式,因为当您的减速器完成时,您在减速器开始时收到的状态将不再是当前的应用程序状态。但是在reducer中安排另一个调度不是反模式。事实上,这就是榆树语言所做的,正如你所知道的,Redux试图将Elm架构带入JavaScript。

这是一个中间件,它会将属性asyncDispatch添加到您的所有操作中。当您的reducer已完成并返回新的应用程序状态时,asyncDispatch将触发store.dispatch您提供的任何操作。

// This middleware will just add the property "async dispatch"
// to actions with the "async" propperty set to true
const asyncDispatchMiddleware = store => next => action => {
  let syncActivityFinished = false;
  let actionQueue = [];

  function flushQueue() {
    actionQueue.forEach(a => store.dispatch(a)); // flush queue
    actionQueue = [];
  }

  function asyncDispatch(asyncAction) {
    actionQueue = actionQueue.concat([asyncAction]);

    if (syncActivityFinished) {
      flushQueue();
    }
  }

  const actionWithAsyncDispatch =
    Object.assign({}, action, { asyncDispatch });

  const res = next(actionWithAsyncDispatch);

  syncActivityFinished = true;
  flushQueue();

  return res;
};

现在你的减速机可以做到这一点:

function reducer(state, action) {
  switch (action.type) {
    case "fetch-start":
      fetch('wwww.example.com')
        .then(r => r.json())
        .then(r => action.asyncDispatch({ type: "fetch-response", value: r }))
      return state;

    case "fetch-response":
      return Object.assign({}, state, { whatever: action.value });;
  }
}

答案 2 :(得分:10)

您可以尝试使用redux-saga之类的库。它允许非常干净的方式来排序异步函数,触发操作,使用延迟等。它非常强大!

答案 3 :(得分:3)

redux-loop从榆树那里得到一个提示并提供这种模式。

答案 4 :(得分:0)

reducer 内部的 dispatch 和 action 好像出现了 bug。

我使用 useReducer 做了一个简单的反例,“INCREASE”被分派,“SUB”也被分派。

在示例中,我希望“INCREASE”被分派,然后“SUB”也会分派,并将 cnt 设置为 -1,然后 继续“INCREASE”操作以将 cnt 设置为 0,但它是 -1(“INCREASE”被忽略)

看到这个: https://codesandbox.io/s/simple-react-context-example-forked-p7po7?file=/src/index.js:144-154

let listener = () => {
  console.log("test");
};
const middleware = (action) => {
  console.log(action);
  if (action.type === "INCREASE") {
    listener();
  }
};

const counterReducer = (state, action) => {
  middleware(action);
  switch (action.type) {
    case "INCREASE":
      return {
        ...state,
        cnt: state.cnt + action.payload
      };
    case "SUB":
      return {
        ...state,
        cnt: state.cnt - action.payload
      };
    default:
      return state;
  }
};

const Test = () => {
  const { cnt, increase, substract } = useContext(CounterContext);

  useEffect(() => {
    listener = substract;
  });

  return (
    <button
      onClick={() => {
        increase();
      }}
    >
      {cnt}
    </button>
  );
};

{type: "INCREASE", payload: 1}
{type: "SUB", payload: 1}
// expected: cnt: 0
// cnt = -1