3

这是错误: http: //puu.sh/lXzja/f773fb6c9a.png

我的用户模型的主键是用户名。我的路线的主键是路线名称。我的 api 根据 jsonapi.org 规范在 data:{} 中返回 jsons。因此 id 属性不在顶层,正如 js-data 所要求的那样。这就是我在 afterFind 中为“用户”返回 data.data 的原因。我试图在“路线”中做类似的事情,但它是一系列路线。控制台登录 beforeInject 给了我:

导致 beforeInject

这是配置:

  DS.defineResource({
    name: 'users',
    idAttribute: 'username',
    basePath: apiEndpoint,

    relations: {
        hasMany: {
            routes: {
                localField: 'routes',
                foreignKey: 'username'
            }
        }
    },
    // set just for this resource
    afterFind: function(resource, data, cb) {
        // do something more specific to "users"
        cb(null, data.data);
    }
});

DS.defineResource({
    name: 'routes',
    idAttribute: 'routename',
    basePath: apiEndpoint,
    cacheResponse: true,
    relations: {
        belongsTo: {
            users: {
                parent: true,
                localKey: 'username',
                localField: 'users'
            }
        }
    },
    beforeInject: function(resource, data) {
        // do something more specific to "users"
        console.log(data);
        return data.data.routes;
    }
});

这是我尝试加载路线但出错的地方:

  resolve: {
            user: function($route, DS) {
                var username = $route.current.params.username;
                return DS.find('users', username).then(function(user) {
                    DS.loadRelations('users', user.username, ['routes']).then(function(user) {
                        console.log(user);
                    }, function(err) {
                        console.log(err);
                    });
                });
            }
        }
4

1 回答 1

3

您的数据不仅嵌套在“数据”字段下,而且嵌套在“路由”字段下。因此,当您找到路线时,您会尝试注入以下内容:

{
  routes: [{
    // foreignKey to a user
    username: 'john1337',
    // primary key of a route
    id: 1234
  }]
}

当你需要注射时:

[{
  username: 'john1337',
  id: 1
}]

afterFindAll您的路线资源添加到cb(null, data.data.routes).

您要么需要:

A)为所有资源添加大量“后”挂钩或 B)使反序列化通用,以便它适用于所有资源。也许是这样的?

DS.defaults.afterFind = function (Resource, data, cb) {
  cb(null, data.data[Resource.name])
};
DS.defaults.afterFindAll = function (Resource, data, cb) {
  cb(null, data.data[Resource.name])
};
于 2015-12-16T17:20:02.660 回答