使用搜索参数获取Backbone集合

时间:2012-09-07 10:06:15

标签: search backbone.js query-string

我想使用Backbone.js实现搜索页面。搜索参数取自简单形式,服务器知道解析查询参数并返回结果的json数组。我的模型或多或少看起来像这样:

App.Models.SearchResult = Backbone.Model.extend({
    urlRoot: '/search'
});

App.Collections.SearchResults = Backbone.Collection.extend({
    model: App.Models.SearchResult
});

var results = new App.Collections.SearchResults();

我希望每次执行results.fetch()时,搜索表单的内容也会使用GET请求进行序列化。是否有一种简单的方法来添加它,或者我是以错误的方式执行它,并且可能应该手动编码请求并从返回的结果中创建集合:

$.getJSON('/search', { /* search params */ }, function(resp){
    // resp is a list of JSON data [ { id: .., name: .. }, { id: .., name: .. }, .... ]
    var results = new App.Collections.SearchResults(resp);

   // update views, etc.
});

思想?

4 个答案:

答案 0 :(得分:85)

Backbone.js fetch with parameters回答了你的大部分问题,但我也在这里提出了一些问题。

data参数添加到fetch来电,例如:

var search_params = {
  'key1': 'value1',
  'key2': 'value2',
  'key3': 'value3',
  ...
  'keyN': 'valueN',
};

App.Collections.SearchResults.fetch({data: $.param(search_params)});

现在,您的调用网址已添加了可在服务器端解析的参数。

答案 1 :(得分:13)

注意:代码已简化且未经过测试

我认为你应该拆分功能:

搜索模型

您的服务器端是一个正确的资源。允许的唯一操作是CREATE

var Search = Backbone.Model.extend({
  url: "/search",

  initialize: function(){
    this.results = new Results( this.get( "results" ) );
    this.trigger( "search:ready", this );
  }
});

结果集

它负责收集结果模型列表

var Results = Backbone.Collection.extend({
  model: Result
});

搜索表单

您看到此View正在进行智能作业,正在侦听form.submit,创建新的Search对象并将其发送到服务器created。这个created任务并不意味着搜索必须存储在数据库中,这是正常的creation行为,但并不总是需要这样。在我们的案例create中,搜索意味着搜索DB以查找具体的寄存器。

var SearchView = Backbone.View.extend({
  events: {
    "submit form" : "createSearch"
  },

  createSearch: function(){
    // You can use things like this
    // http://stackoverflow.com/questions/1184624/convert-form-data-to-js-object-with-jquery
    // to authomat this process
    var search = new Search({
      field_1: this.$el.find( "input.field_1" ).val(),
      field_2: this.$el.find( "input.field_2" ).val(),
    });

    // You can listen to the "search:ready" event
    search.on( "search:ready", this.renderResults, this )

    // this is when a POST request is sent to the server
    // to the URL `/search` with all the search information packaged
    search.save(); 
  },

  renderResults: function( search ){
    // use search.results to render the results on your own way
  }
});

我认为这种解决方案非常干净,优雅,直观且非常易于扩展。

答案 2 :(得分:6)

找到一个非常简单的解决方案 - 覆盖集合中的url()函数:

App.Collections.SearchResults = Backbone.Collection.extend({

  urlRoot: '/search',

  url: function() {
    // send the url along with the serialized query params
    return this.urlRoot + "?" + $("#search-form").formSerialize();
  }
});

希望这并不会让那些拥有比我更多的Backbone / Javascript技能的人感到震惊。

答案 3 :(得分:5)

似乎当前版本的Backbone(或者jQuery)会自动将data值字符串化,因此无需再调用$.param

以下行产生相同的结果:

collection.fetch({data: {filter:'abc', page:1}});
collection.fetch({data: $.param({filter:'abc', page:1})});

查询字符串为filter=abc&page=1

编辑:这应该是评论,而不是回答。