Ho cercato di affrontare l'esatto problema in questo post del blog .
Fondamentalmente, la casa migliore per la modellazione dei dati è nei servizi e nelle fabbriche. Tuttavia, a seconda di come recuperare i dati e della complessità dei comportamenti necessari, esistono diversi modi per procedere all'implementazione. Attualmente Angular non ha metodi standard o best practice.
Il post tratta tre approcci, usando $ http , $ resource e Restangular .
Ecco un codice di esempio per ciascuno di essi, con un getResult()
metodo personalizzato sul modello Job:
Restangular (facile peasy):
angular.module('job.models', [])
.service('Job', ['Restangular', function(Restangular) {
var Job = Restangular.service('jobs');
Restangular.extendModel('jobs', function(model) {
model.getResult = function() {
if (this.status == 'complete') {
if (this.passed === null) return "Finished";
else if (this.passed === true) return "Pass";
else if (this.passed === false) return "Fail";
}
else return "Running";
};
return model;
});
return Job;
}]);
$ resource (leggermente più contorto):
angular.module('job.models', [])
.factory('Job', ['$resource', function($resource) {
var Job = $resource('/api/jobs/:jobId', { full: 'true', jobId: '@id' }, {
query: {
method: 'GET',
isArray: false,
transformResponse: function(data, header) {
var wrapped = angular.fromJson(data);
angular.forEach(wrapped.items, function(item, idx) {
wrapped.items[idx] = new Job(item);
});
return wrapped;
}
}
});
Job.prototype.getResult = function() {
if (this.status == 'complete') {
if (this.passed === null) return "Finished";
else if (this.passed === true) return "Pass";
else if (this.passed === false) return "Fail";
}
else return "Running";
};
return Job;
}]);
$ http (hardcore):
angular.module('job.models', [])
.service('JobManager', ['$http', 'Job', function($http, Job) {
return {
getAll: function(limit) {
var params = {"limit": limit, "full": 'true'};
return $http.get('/api/jobs', {params: params})
.then(function(response) {
var data = response.data;
var jobs = [];
for (var i = 0; i < data.objects.length; i ++) {
jobs.push(new Job(data.objects[i]));
}
return jobs;
});
}
};
}])
.factory('Job', function() {
function Job(data) {
for (attr in data) {
if (data.hasOwnProperty(attr))
this[attr] = data[attr];
}
}
Job.prototype.getResult = function() {
if (this.status == 'complete') {
if (this.passed === null) return "Finished";
else if (this.passed === true) return "Pass";
else if (this.passed === false) return "Fail";
}
else return "Running";
};
return Job;
});
Il post sul blog stesso fornisce ulteriori dettagli sul ragionamento alla base del motivo per cui è possibile utilizzare ciascun approccio, nonché esempi di codice su come utilizzare i modelli nei controller:
Modelli di dati AngularJS: $ http VS $ risorsa VS Restangular
C'è una possibilità che Angular 2.0 offra una soluzione più solida alla modellazione dei dati che porti tutti sulla stessa pagina.