Slickgrid: Simple Example Of Using Dataview Rather Than Raw Data?
Solution 1:
The key pieces are to initialise the grid with a dataview as data source, wire up events so that the grid responds to changes in the dataview and finally feed the data to the dataview. It should look something like this:
dataView = newSlick.Data.DataView();
grid = newSlick.Grid("#myGrid", dataView, columns, options);
// wire up model events to drive the grid
dataView.onRowCountChanged.subscribe(function (e, args) {
grid.updateRowCount();
grid.render();
});
dataView.onRowsChanged.subscribe(function (e, args) {
grid.invalidateRows(args.rows);
grid.render();
});
// When user clicks button, fetch data via Ajax, and bind it to the dataview.
$('#mybutton').click(function() {
$.getJSON(my_url, function(data) {
dataView.beginUpdate();
dataView.setItems(data);
dataView.endUpdate();
});
});
Note that you don't need to create a new grid every time, just bind the data to the dataview.
If you want to implement sorting you'll also need to tell the dataview to sort when the grid receives a sort event:
grid.onSort.subscribe(function (e, args) {
sortcol = args.sortCol.field; // Maybe args.sortcol.field ???
dataView.sort(comparer, args.sortAsc);
});
functioncomparer(a, b) {
var x = a[sortcol], y = b[sortcol];
return (x == y ? 0 : (x > y ? 1 : -1));
}
(This basic sorting is taken from the SlickGrid examples but you may want to implement something home-grown; without using the global variable for example)
Solution 2:
The following does a good job explaining dataView: https://github.com/mleibman/SlickGrid/wiki/DataView
Solution 3:
multiColumnSort: true ==> sortCol type : Arrays. multiColumnSort: false ==> sortCol type : Object.
Post a Comment for "Slickgrid: Simple Example Of Using Dataview Rather Than Raw Data?"