我无法让embedded
hasMany
正确使用ember数据。
我有类似的东西
App.Post = DS.Model.extend({
comments: DS.hasMany('App.Comment')
});
App.Comment = DS.Model.extend({
post: DS.hasMany('App.Post'),
name: attr('string')
});
我的API会为GET /post
返回以下内容:
[
{
id: 1
comments: [{name: 'test'}, {name: 'test2'}]
},
...
]
我需要发送POST /post
:
[
{
comments: [{name: 'test'}, {name: 'test2'}]
},
...
]
我想与Ember模特合作并让他们提出适当的要求:
var post = App.store.createRecord(App.Post, hash_post_without_comments);
post.get('comments').createRecord(hash_comment);
App.store.commit(); // This should call the POST api
和
var posts = App.store.find(App.Post); // This should call the GET api
当我尝试post: DS.hasMany('App.Post', {embedded: true})
之类的内容时,GET正在运行,但POST正在尝试为两个记录进行POST而不仅是父记录。
编辑:我的真实用例
1-我刚从master
构建了ember数据2-我的适配器:RESTAdapter
3-序列化程序:JSONSerializer
4-我添加了
App.MyAdapter.map('App.Join', {
columns: { embedded: 'always' }
});
5-我的模型是:
App.Join = DS.Model.extend({
rowCount: DS.attr('number'),
columns: DS.hasMany('App.JoinColumn'),
});
App.JoinColumn = DS.Model.extend({
join: DS.belongsTo('App.Join')
});
6-何时:
var a = App.Join.find(1);
a.get('columns').createRecord({});
App.store.commit();
发送了一个用于joincolumn的POST,并且父级不是脏的
我缺少什么?
答案 0 :(得分:46)
在master上,正确的API是:
App.Adapter.map('App.Post', {
comments: { embedded: 'always' }
});
embedded
的两个可能值是:
load
:加载时嵌入子记录,但应保存为独立记录。为了使其起作用,子记录必须具有ID。always
:子记录在加载时嵌入,并保存在同一记录中。当然,这会影响记录的肮脏(如果子记录发生更改,适配器会将父记录标记为脏记录。)如果您没有自定义适配器,可以直接在map
上致电DS.RESTAdapter
:
DS.RESTAdapter.map('App.Post', {
comments: { embedded: 'always' }
});
答案 1 :(得分:7)
我有完全相同的问题。
已在ember数据问题跟踪器上报告此错误。 以下PR添加了2个显示问题的失败测试:https://github.com/emberjs/data/pull/578
现在似乎没有解决方法。
修改强>
sebastianseilund 2天前开了PR,解决了你的问题。 看看:https://github.com/emberjs/data/pull/629/files
答案 2 :(得分:5)
添加此更新,其他人遇到这篇文章,并且很难弄清楚当前版本的ember-data有什么用。
从Ember Data 1.0.0.beta.7开始,您需要覆盖序列化程序上的相应方法。这是一个例子:
1)重新打开序列化程序(贷记至this post):
DS.RESTSerializer.reopen({
serializeHasMany: function(record, json, relationship) {
var hasManyRecords, key;
key = relationship.key;
hasManyRecords = Ember.get(record, key);
if (hasManyRecords && relationship.options.embedded === "always") {
json[key] = [];
hasManyRecords.forEach(function(item, index) {
// use includeId: true if you want the id of each model on the hasMany relationship
json[key].push(item.serialize({ includeId: true }));
});
} else {
this._super(record, json, relationship);
}
}
});
2)将embedded: 'always'
选项添加到模型的关系中:
App.Post = DS.Model.extend({
comments: DS.hasMany('comment', {
embedded: 'always'
})
});
答案 3 :(得分:5)
这对我有用(Ember 1.5.1 + pre.5349ffcb,Ember Data 1.0.0-beta.7.f87cba88):
App.Post = DS.Model.extend({
comments: DS.hasMany('comment', { embedded: 'always' })
});
App.PostSerializer = DS.ActiveModelSerializer.extend(DS.EmbeddedRecordsMixin, {
attrs: {
comments: { embedded: 'always' }
}
});