3

我刚开始使用backbone.js,我正在寻找一种在模型上声明字段而不必提供默认值的方法。真的只是供参考,这样当我开始创建实例的时候,就可以看到我需要初始化哪些字段。

用类似java的东西我会写

public class CartLine{
    StockItem stockItem;
    int quantity;

    public int getPrice(){
        return stockItem.getPrice() * quantity;
    }

    public int getStockID(){
        //
    }
}

然而,对于主干模型,我在我的方法中引用了这些字段,但我实际上并没有声明它们——看起来我可以轻松地创建一个CartLine不包含stockItem属性或quantity属性的对象。声明对象时不提字段感觉很奇怪。特别是因为对象应该代表服务器上的实体。

var CartLine = Backbone.Model.extend({

  getStockID: function(){
    return this.stockItem.id;
  },

  getTotalPrice: function() {
    return this.quantity * this.StockItem.get('price');
  }
});

我想我可以通过使用 validate 添加某种参考 -

CartLine.validate = function(attrs){
  if (!(attrs.stockItem instanceof StockItem)){
    return "No Valid StockItem set";
  }
  if (typeof attrs.quantity !== 'number'){
    return "No quantity set";
  }
}

但我的问题是——我错过了什么吗?这有一个既定的模式吗?

4

1 回答 1

3

defaults它们实际上是用于作为 json 的一部分从服务器来回传输的“字段”或数据。

如果您只想创建一些成员变量作为模型的一部分,它们是专有的并且不会来回发送到服务器,那么您可以在对象本身上声明它们 a) 或 b) 在初始化方法中 (在构造过程中调用),它们可以作为 opts 的一部分传入:

var Widget = Backbone.Model.extend({

    widgetCount: 0,

    defaults: {
        id: null,
        name: null
    }

    initialize: function(attr, opts) {
       // attr contains the "fields" set on the model
       // opts contains anything passed in after attr
       // so we can do things like this
       if( opts && opts.widgetCount ) {
          this.widgetCount = opts.widgetCount;
       }
    }
});

var widget = new Widget({name: 'the blue one'}, {widgetCount: 20});

请记住,如果您在类上声明对象或数组,它们本质上是常量,更改它们将修改所有实例:

var Widget = Backbone.Model.extend({

    someOpts: { one: 1, two: 2},

    initialize: function(attr, opts) {
       // this is probably not going to do what you want because it will
       // modify `someOpts` for all Widget instances.
       this.someOpts.one = opts.one; 
    }
});
于 2013-05-01T15:15:49.833 回答