在对象具有许多复杂关系的架构中,有哪些可维护的方法来处理
- 解决依赖关系
- 乐观的更新
在反应应用程序中?
例如,给定这种类型的模式:
```
type Foo {
...
otherFooID: String,
bars: List<Bar>
}
type Bar {
...
bizID: String,
}
type Biz {
...
}
```
用户可能想要保存以下内容 ->
firstBiz = Biz();
secondBiz = Biz();
firstFoo = Foo({bars: [Bar({biz: firstBiz})]
secondFoo = Foo({bars: [Bar({biz: secondBiz})] otherFooId: firstFooId.id})
第一个问题:选择真实身份
上面的第一个问题是正确的id
. 即为了让 secondFoo 保存,它需要知道 firstFoo 的实际 id。
为了解决这个问题,我们可以做出权衡,让客户端选择 id,使用类似 uuid 的东西。我看不出这有什么严重的错误,所以我们可以说这可行
第二个问题:按顺序保存
即使我们从前端确定了 id,服务器仍然需要按顺序接收这些保存请求。
```
- save firstFoo
// okay. now firstFoo.id is valid
- save secondFoo
// okay, it was able to resolve otherFooID to firstFoo
```
这里的理由是后端必须保证被引用的任何 id 都是有效的。
```
- save secondFoo
// backend throws an error otherFooId is invalid
- save firstfoo
// okay
```
我不确定解决这个问题的最佳方法是什么
目前想到的方法
有自定义操作,通过承诺进行协调
save(biz).then(_ => save(Bar).then(_ => save(firstFoo)).then(_ => save(second)
这里的缺点是它相当复杂,并且这些组合的数量将继续增长
创建一个挂起/解析助手
const pending = {} const resolve = (obj, refFn) => { return Promise.all(obj, refFn(obj)); } const fooRefs = (foo) => { return foo.bars.map(bar => bar.id).concat(foo.otherFooId); } pending[firstFoo].id = resolve(firstFoo, fooRefs).then(_ => save(firstFoo))
```
2. 的问题是,如果我们忘记解决或添加到挂起,它很容易导致一堆错误。
潜在的解决方案
似乎 Relay 或 Om next 可以解决这些问题,但我想要一些功率较低的东西。也许可以与 redux 一起使用的东西,或者是我缺少的一些概念。
非常感谢的想法