8

我用类似下面的东西定义我的api:

class MyFeathersApi {
  feathersClient: any;
  accountsAPI: any;
  productsAPI: any;

  constructor(app) {
    var port: number = app.get('port');

    this.accountsAPI = app.service('/api/accounts');
    this.productsAPI = app.service('/api/products');
  }

  findAdminAccounts(filter: any, cb: (err:Error, accounts:Models.IAccount[]) => void) {
    filter = { query: { adminProfile: { $exists: true } } }
    this.accountsAPI.find(filter, cb);
  }

当我想从客户端使用数据库适配器方法时,即查找和/或创建,我执行以下操作:

var accountsAPIService = app.service('/api/accounts');
accountsAPIService.find( function(error, accounts) {
  ...
});

如何从客户端调用自定义方法,例如 findAdminAccounts()?

4

1 回答 1

10

您只能使用客户端上的普通服务接口。我们发现对自定义方法的支持(以及它带来的从明确定义的接口到任意方法名称和参数的所有问题)并不是真正必要的,因为一切本身都可以描述为资源(服务)。

到目前为止,好处(如安全性、可预测性和发送明确定义的实时事件)远远超过了在概念化应用程序逻辑时所需的思维微小变化。

在您的示例中,您可以创建一个获取管理员帐户的包装服务,如下所示:

class AdminAccounts {
  find(params) {
    const accountService = this.app.service('/api/accounts');

    return accountService.find({ query: { adminProfile: { $exists: true } } });
  }

  setup(app) {
    this.app = app;
  }
}

app.use('/api/adminAccounts', new AdminAccounts());

或者,您可以实现一个挂钩,将查询参数映射到更大的查询,如下所示:

app.service('/api/accounts').hooks({
  before: {
    find(hook) {
      if(hook.params.query.admin) {
        hook.params.query.adminProfile = { $exists: true };
      }
    }
  }
});

现在这将允许调用类似/api/accounts?admin.

有关详细信息,请参阅此常见问题解答

于 2015-12-14T16:44:12.690 回答