5

假设我有一个这样的结构,它是从 API 获取并在我的实体上使用“normalizr”的结果:

entities: {
    users:{
        1: {
            name: 'John',
            posts: [ 1, 4 ]
        }
    },
    posts: {
        1: {
            name: 'First Post',
        },
        4: {
            name: 'Second Post',
        }
    }
}

现在我有一个按用户过滤帖子的方法,它基本上可以做到这一点:

let filteredPosts = {};
entities.users.posts.forEach(key => {
    if(posts.hasOwnProperty(key))
        filteredPosts[key] = posts[key]
});

还有一个页面显示来自该用户的帖子,例如:

render() {
    return(
        <div>
            {Object.keys(filteredPosts).map(key => {
                return (
                    <div>{filteredPosts[key].name}</div>
                );
            })}
        </div>
    )
}

我的实体减速器非常简单:

import { merge } from 'lodash';
...
function entities(state = { users: {}, posts: {} }, action) {
    if (action.response && action.response.entities) {
        return merge({}, state, action.response.entities);
    }
    return state;
}

现在,如果我向 API 发出请求为该用户添加帖子,返回新创建的帖子记录,该记录将自动添加到我的实体上的帖子中。

我将如何处理更新用户以反映该更改,以便用户现在有 3 个帖子,数组中有新的帖子 ID?

我应该创建一个减速器并听取帖子创建操作,然后state.entities.users.posts在那里更新吗?重新获取实体似乎不是一种选择。最好的方法是什么?

谢谢

更新:

这是我现在必须使用的解决方案,以保持数据一致。我修改了我的回复以说明创建的帖子 ID。我知道这可以分解为多个减速器,但我仍然想知道是否有更好和更直接的方法,我不必为每个嵌套实体都这样做。

function entities(state = {}, action) { 
    ...

    if(action.type === 'POST_ADD_SUCCESS') {
        // Get the user id from the created post
        let userId = response.entities.posts[response.result].userId;
        // Add the user with all his posts to the response
        response.entities.users = {
            [userId]: {
                posts: [...state.users[userId].posts, response.result]
            }
        }
    }
    ...
    // Merge normally
    return merge({}, state, response.entities);
}
4

3 回答 3

1

您更新的代码段看起来大部分都在正确的路径上,尽管我不确定您为什么仍然在其中引用“响应”。您的动作创建者函数可能应该获取用户 ID 和帖子 ID,当 AJAX 调用成功时,创建一个看起来像{type : POST_ADD_SUCCESS, userId : userId : postId}. 换句话说,reducer 根本不应该知道任何关于“响应”的信息,只是应该将帖子 ID 'x' 添加到用户 ID 'y' 的列表中。

于 2016-02-11T01:15:25.170 回答
0

为什么不直接使用 normalizr 作为中间件而不是自己滚动呢?像https://github.com/wbinnssmith/redux-normalizr-middleware

于 2016-05-21T23:02:40.473 回答
0

您是否考虑过在成功发布到 API 的帖子时发送带有格式化实体的新操作?

const foo = (entities) => { 
  type: "POST_ADD_SUCCESS"
  response : { entities }
}

动作类型无关紧要,因为您的实体减速器无论如何都会拦截该动作

于 2016-05-31T13:20:39.703 回答