[译] 使用angularjs建立一个CRUD应用

原文地址:https://www.sitepoint.com/creating-crud-app-minutes-angulars-resourcejavascript

大量的单页应用都有CRUD操做。若是你使用angularjs建立一个CRUD操做,那么你能够利用$resource服务的优点。$resource服务是创建在$http服务之上,而且可使先后端用RESTful标准进行交互变得简单的一个factory。因此,咱们一块儿探索一下$resource,而且在angular中实现CRUD的操做。css

前提

$resource服务没有打包到angularjs中。你须要下载一个独立的文件叫angular-resource.js而且把它引入到HTML页面中。这个文件能够从这里下载:http://cdnjs.cloudflare.com/ajax/libs/angular.js/1.2.16/angular-resource.min.jshtml

另外,为了使用$resource你须要在主模块中注入ngResource模块。示例:前端

angular.module('mainApp',['ngResource']); //mainApp is our main module

入门

$resource和 RESTful API工做。这意味着你的 URLs 应该相似于下面的模式:java

图片

你能够建立接口使用你选择的服务器端语言。我使用的是Node + Express + MongoDB为这个示例应用设计RESTful接口。建立好了这些URLs之后,你就能够借助于$resource与这些URLs交互。咱们来看一下$resource其实是怎么工做的。node

$resource是怎么工做的?

在controller/service中使用$resource须要先声明依赖。接下来就像下面的示例同样,在REST端调用$resource()方法。调用方法以后返回一个$resource一个可用于与REST后端交互的资源类:git

angular.module('myApp.services').factory('Entry', function($resource) {
  return $resource('/api/entries/:id'); // Note the full endpoint address
});

方法返回的是一个资源类对象,默认包含下面5种方法:angularjs

  1. get()github

  2. query()ajax

  3. save()

  4. remove()

  5. delete()

下面咱们看一下如何在controller中使用get(),query()save()方法:

angular.module('myApp.controllers',[]);
angular.module('myApp.controllers').controller('ResourceController',function($scope, Entry) {
  var entry = Entry.get({ id: $scope.id }, function() {
    console.log(entry);
  }); // get() 返回单个entry

  var entries = Entry.query(function() {
    console.log(entries);
  }); //query() 返回有的entry

  $scope.entry = new Entry(); //实例化一个资源类

  $scope.entry.data = 'some data';

  Entry.save($scope.entry, function() {
    //data saved. do something here.
  }); //saves an entry. Assuming $scope.entry is the Entry object  
});

在上面的代码片断中 get()方法发起/api/entries/:id的 get 请求。参数:id在被替换为$scope.id。注意get()方法返回一个空对象,当实际数据从服务器返回的时候自动填充到这个空对象。get()方法的第二个参数是回调方法,当服务器端返回数据的时候执行该回调。这是一个很是有用的技巧,由于你能够设置get()返回一个空对象,挂载到$scope,绑定视图。当真实的数据返回且填充到对象,双向数据绑定触发,而且更新视图。

query()方法发起/api/entries(注意这里没有:id)的 get请求 并返回一个空数组。当服务器端返回数据时候填充到该数组。将该数组继续挂在到$scope的模型上,而且在视图上使用ng-repeat绑定。你也能够给query()传递一个回调方法,在数据从服务前端返回的时候执行。

save()方法发起/api/entries的 post 请求, 第一个参数是 post body。第二个参数为回调方法,当数据保存成功后执行。你应该记得$resource()方法返回的是一个资源类。因此,在咱们的用例中,咱们能够调用new Entry()实例化一个真正的对象,设置若干个属性给它,最后将该对象保存到后端。

假设你只使用get()query()在resource类上(在咱们的例子中resource类是Entry)。全部非 get 请求的方法,例如save()delete()new Entry()实例中都能用(在这里称为$resource实例)。不一样的是这些方法都以$的开头。因此这些有用的方法为:

  1. $save()

  2. $delete()

  3. $remove

例如,$save()方法像下面同样使用:

$scope.entry = new Entry(); //这个对象有个$save()方法
$scope.entry.$save(function() {
  //$scope.entry序列化为json做为post body 发送
});

咱们已经实践CRUD中的了增长,查找和删除,剩下的最后一个修改。为了支持修改操做,咱们须要像下面这样修改咱们的Entryfactory:

angular.module('myApp.services').factory('Entry', function($resource) {
  return $resource('/api/entries/:id', { id: '@_id' }, {
    update: {
      method: 'PUT' // this method issues a PUT request
    }
  });
});

$resource的第二个 argument 明确标识须要url中:id参数的值是什么。这里将其设置为@_id,这意味着在$resource的实例中无论何时调用方法例如$update()$delete():id的都会被设置为实例中_id的属性值。这个是为 PUT 和 DELETE 请求使用的。注意第三个 argument,它容许咱们给资源类添加自定义方法。若是该方法是一个非 get 请求,在$resource会有一个以$的同名方法。咱们看一下如何使用$update方法。假设咱们在controller中使用:

$scope.entry = Movie.get({ id: $scope.id }, function() {
  // $scope.entry 是
    $scope.entry.data = 'something else';
  $scope.entry.$update(function() {
    //updated in the backend
  });
});

$update()方法调用的时候,过程以下:

  1. Angularjs 知道$update()方法会触发 URL 为 /api/entries/:id的 PUT 请求。

  2. 读取$scope.entry._id值,将此值赋给:id而且生成 URL。

  3. 发起一个请求体为 $scope.entity的 PUT 请求。

一样,若是你想删除一个entry能够像下面这么作:

$scope.entry = Movie.get({ id: $scope.id }, function() {
  // $scope.entry 是服务器端返回来的,是一个 Entry 的实例
  $scope.entry.data = 'something else';
  $scope.entry.$delete(function() {
    //gone forever!
  });
});

它和 update 有着一样的步骤,只是使用 DELETE 替换了 PUT请求类型。

咱们已经覆盖了CRUD的全部操做,可是还有一小点。$resource方法还有第4个可选择的参数。这是一个自定义设置的值。目前只有一个 stripTrailingSlashes能够设置。它的默认值是false,这意味着它会自动删除 URL 的最后一个 /,若是你不须要能够像下面这么作:

angular.module('myApp.services').factory('Entry', function($resource) {
  return $resource('/api/entries/:id', { id: '@_id' }, {
    update: {
      method: 'PUT' // this method issues a PUT request
    }
  }, {
    stripTrailingSlashes: false
  });
});

顺便说一句,我没有覆盖$resource相关的每个东西。咱们这里介绍的是最基本的,这将帮助您很快的开始一个应用的 CRUD。若是你仔细研究$resource,你能够阅读这篇文章

建立一个Movie的应用

为了增强$resource的概念咱们为电影爱好者建立一个应用。这是一个单页应用,用户能够新增一个电影,修改一个已存在的,最后还能够删除。咱们将使用$resource与后端 REST API 进行交互。你能够查看这个在线例子,咱们将它部署在这里

注意API容许CROS访问(跨域资源共享),因此你能够建立一个独立的 Angular 应用,可使用 http://movieapp-sitepointdemo... 地址为API。你能够开发 Angular 应用不用担忧没有后端服务。

API

我已经使用 Node 和 Express建立了一个 RESTful 后端服务。看下面的截图认识一下API接口:
图片

目录结构

咱们的 AngularJS 应用采用下面的目录结构:

movieApp
  /css
    bootstrap.css
    app.css
  /js
    app.js
    controllers.js
    services.js
  /lib
    angular.min.js
    angular-resource.min.js
    angular-ui-router.min.js
  /partials
    _form.html
    movie-add.html
    movie-edit.html
    movie-view.html
    movies.html
  index.html

注意到咱们的路由使用Angular UI Router实现

建立 service 与REST后端交互

像上面部分讨论的同样,咱们建立一个标准的 service 使用$resource与后端 REST API 交互。这个服务定义在js/services.js中。

services.js

angular.module('movieApp.services', []).factory('Movie', function($resource) {
  return $resource('http://movieapp-sitepointdemos.rhcloud.com/api/movies/:id', { id: '@_id' }, {
    update: {
      method: 'PUT'
    }
  });
});

这个 factory 的名字是 Movie. 咱们使用的是 MongoDB,每一个 movie 实例都有一个_id的属性。rest是简单而直接的。

如今咱们已经开发好了 service,咱们接下来开发 views 和 controllers。

index.html:建立应用的入口页面

index.html是咱们应用的入口。咱们须要将全部依赖的 scripts 和 css所有引入到页面。咱们使用 Bootstrap 来快速的开始布局。下面是index.html的内容:

<!DOCTYPE html>
  <html data-ng-app="movieApp">
  <head lang="en">
    <meta charset="utf-8">
    <meta http-equiv="X-UA-Compatible" content="IE=edge">
    <meta name="viewport" content="width=device-width, initial-scale=1">
    <base href="/"/>
    <title>The Movie App</title>
    <link rel="stylesheet" type="text/css" href="css/bootstrap.min.css"/>
    <link rel="stylesheet" type="text/css" href="css/app.css"/>
  </head>
  <body>
    <nav class="navbar navbar-default" role="navigation">
      <div class="container-fluid">
        <div class="navbar-header">
          <a class="navbar-brand" ui-sref="movies">The Movie App</a>
        </div>
        <div class="collapse navbar-collapse">
          <ul class="nav navbar-nav">
            <li class="active"><a ui-sref="movies">Home</a></li>
          </ul>
        </div>
      </div>
    </nav>
    <div class="container">
      <div class="row top-buffer">
        <div class="col-xs-8 col-xs-offset-2">
          <div ui-view></div> <!-- This is where our views will load -->
        </div>
      </div>
    </div>
    <script type="text/javascript" src="lib/angular.min.js"></script>
    <script type="text/javascript" src="js/app.js"></script>
    <script type="text/javascript" src="js/controllers.js"></script>
    <script type="text/javascript" src="js/services.js"></script>
    <script type="text/javascript" src="lib/angular-ui-router.min.js"></script>
    <script type="text/javascript" src="lib/angular-resource.min.js"></script>
  </body>
</html>

标签没什么特别须要说明的。须要注意的是<div ui-view></div>,ui-view指令来源于 UI Router模块,而且做为咱们视图的容器。

建立主 Module 和 States

咱们主module和 states定义在js/app.js中:

app.js:

angular.module('movieApp', ['ui.router', 'ngResource', 'movieApp.controllers', 'movieApp.services']);
angular.module('movieApp').config(function($stateProvider) {
  $stateProvider.state('movies', { // 展现全部movie路由
    url: '/movies',
    templateUrl: 'partials/movies.html',
    controller: 'MovieListController'
  }).state('viewMovie', { //展现单个 movie 路由
    url: '/movies/:id/view',
    templateUrl: 'partials/movie-view.html',
    controller: 'MovieViewController'
  }).state('newMovie', { //添加一个新 movie 路由
    url: '/movies/new',
    templateUrl: 'partials/movie-add.html',
    controller: 'MovieCreateController'
  }).state('editMovie', { //修改一个movie路由
    url: '/movies/:id/edit',
    templateUrl: 'partials/movie-edit.html',
    controller: 'MovieEditController'
  });
}).run(function($state) {
  $state.go('movies'); //当程序启动时候默认跳转路由
});

因此,咱们的应用有如下4种状态:

  1. movies

  2. viewMovie

  3. newMovie

  4. editMovie

每个state由url,templateUrlcontroller组成。注意到当主模块加载的时候路由转向 movies去展现咱们系统中全部的movies。下面的截图看一看出每一个路由对应的url是什么。
图片

建立模板

全部的模板都在partials目录下,咱们挨个来看一下他们的内容。

_form.html:

_form.html是一个让用户录入数据的的简单表单。注意到这个表单会被movie-add.htmlmovie-edit.html引入,由于它们都须要用户输入。

下面是_form.html的内容:

<div class="form-group">
  <label for="title" class="col-sm-2 control-label">Title</label>
  <div class="col-sm-10">
    <input type="text" ng-model="movie.title" class="form-control" id="title" placeholder="Movie Title Here"/>
  </div>
</div>
<div class="form-group">
  <label for="year" class="col-sm-2 control-label">Release Year</label>
  <div class="col-sm-10">
    <input type="text" ng-model="movie.releaseYear" class="form-control" id="year" placeholder="When was the movie released?"/>
  </div>
</div>
<div class="form-group">
  <label for="director" class="col-sm-2 control-label">Director</label>
  <div class="col-sm-10">
    <input type="text" ng-model="movie.director" class="form-control" id="director" placeholder="Who directed the movie?"/>
  </div>
</div>
<div class="form-group">
  <label for="plot" class="col-sm-2 control-label">Movie Genre</label>
  <div class="col-sm-10">
    <input type="text" ng-model="movie.genre" class="form-control" id="plot" placeholder="Movie genre here"/>
  </div>
</div>
<div class="form-group">
  <div class="col-sm-offset-2 col-sm-10">
    <input type="submit" class="btn btn-primary" value="Save"/>
  </div>
</div>

模板中使用ng-model绑定不一样的movie变量属性到不一样的scope的movie模型。

movie-add.html:

这个模板接收用户输入而且在咱们的系统中保存一个新的movie,下面是具体内容:

<form class="form-horizontal" role="form" ng-submit="addMovie()">
  <div ng-include="'partials/_form.html'"></div>
</form>

当表单提交的时候,会触发scope 的 addMovie()方法向后端发送一个建立movie的POST请求。

movie-edit.html:

这个模板用于接收用户收入,而且修改系统在已存在的一个movie。

<form class="form-horizontal" role="form" ng-submit="updateMovie()">
  <div ng-include="'partials/_form.html'"></div>
</form>

这个表单一旦提交,就会触发scope的 updateMovie()方法像向后端发送一个 PUT 请求去修改movie信息。

movie-view.html::

这个模板用于展现一个movie的详细信息。内容以下:

<table class="table movietable">
  <tr>
    <td><h3>Details for {{movie.title}}</h3></td>
    <td></td>
  </tr>
  <tr>
    <td>Movie Title</td>
    <td>{{movie.title}}</td>
  </tr>
  <tr>
    <td>Director</td>
    <td>{{movie.director}}</td>
  </tr>
  <tr>
    <td>Release Year</td>
    <td>{{movie.releaseYear}}</td>
  </tr>
  <tr>
    <td>Movie Genre</td>
    <td>{{movie.genre}}</td>
  </tr>
</table>
<div>
  <a class="btn btn-primary" ui-sref="editMovie({id:movie._id})">Edit</a>
</div>

模板最后是一个编辑按钮。点击按钮路由会转向编辑状态,而且当前编辑的movie id 会包含在$stateParams中。

movies.html:

这个模板用于展现系统中全部的 movie。

<a ui-sref="newMovie" class="btn-primary btn-lg nodecoration">Add New Movie</a>
<table class="table movietable">
  <tr>
    <td><h3>All Movies</h3></td>
    <td></td>
  </tr>
  <tr ng-repeat="movie in movies">
    <td>{{movie.title}}</td>
    <td>
      <a class="btn btn-primary" ui-sref="viewMovie({id:movie._id})">View</a>
      <a class="btn btn-danger"  ng-click="deleteMovie(movie)">Delete</a>
    </td>
  </tr>
</table>

经过循环展现后端返回的每一个movie对象的详细详细。这个也有一个添加按钮能够将路由转向添加状态,触发它能够转向一个新的页面而且添加一个新的movie。

在每一个movie后面都有两个操做按钮,分别是查看和删除。查看能够转向movie的详细信息页面。删除会将movie永久的删除掉。

建立controllers

每个路由都对应一个controller。因此,咱们总共有4个controller对应4个路由。全部的controller都在js/controllers.js中。全部的controllers都是调用咱们上面讨论的Movie service服务。下面看一下controllers如何调用:

controllers.js:

angular.module('movieApp.controllers', []).controller('MovieListController', function($scope, $state, popupService, $window, Movie) {
  $scope.movies = Movie.query(); //fetch all movies. Issues a GET to /api/movies

  $scope.deleteMovie = function(movie) { // Delete a movie. Issues a DELETE to /api/movies/:id
    if (popupService.showPopup('Really delete this?')) {
      movie.$delete(function() {
        $window.location.href = ''; //redirect to home
      });
    }
  };
}).controller('MovieViewController', function($scope, $stateParams, Movie) {
  $scope.movie = Movie.get({ id: $stateParams.id }); //Get a single movie.Issues a GET to /api/movies/:id
}).controller('MovieCreateController', function($scope, $state, $stateParams, Movie) {
  $scope.movie = new Movie();  //create new movie instance. Properties will be set via ng-model on UI

  $scope.addMovie = function() { //create a new movie. Issues a POST to /api/movies
    $scope.movie.$save(function() {
      $state.go('movies'); // on success go back to home i.e. movies state.
    });
  };
}).controller('MovieEditController', function($scope, $state, $stateParams, Movie) {
  $scope.updateMovie = function() { //Update the edited movie. Issues a PUT to /api/movies/:id
    $scope.movie.$update(function() {
      $state.go('movies'); // on success go back to home i.e. movies state.
    });
  };

  $scope.loadMovie = function() { //Issues a GET request to /api/movies/:id to get a movie to update
    $scope.movie = Movie.get({ id: $stateParams.id });
  };

  $scope.loadMovie(); // Load a movie which can be edited on UI
});

总结

假设应用部署在localhost/movieApp,你能够经过http://localhost/movieApp/index.html访问。若是你是一个电影爱好者,你也能够在里面添加你喜好的电影。部署和这篇文章中用到的源码能够在GitHub进行下载。

相关文章
相关标签/搜索