0007-一套完整的CRUD_DEMO
好久没写了,一直在忙别的东西,但是想想,还是把之前的补充完整好了。给大家一个参考,也为自己留个备份。
首先写一个Html作为内容载体,主要结构如下
<div ui-view="navbar" ng-cloak=""></div> <div class="container">
<div class="well" ui-view="content"></div>
</div> <div class="footer">
<p >页脚</p>
</div>
新建一个抽象路由用来放导航条,
$stateProvider.state('site', {
'abstract': true,
views: {
'navbar@': {
templateUrl: 'scripts/components/navbar/navbar.html',
controller: 'NavbarController'
}
}
});
假设我们要操作的对象为article(文章)。我们要对article对象进行CRUD操作。
在此假设该数据的数据结构为:article:{title:String,content:String};
首先创建一个叫做article的文件夹表示这个文件夹里的内容都是对article的操作。
然后创建一个叫做article.js的路由配置文件,文件内容大体如下
angular.module('MyApp')
.config(function ($stateProvider) {
$stateProvider
//定义一个展示文章列表的state
.state('article', {
//它的父状态定义为一个自定义的抽象状态。
parent: 'site',
//这个是访问该状态时候浏览器地址栏对应的url
url: '/articles',
//此处对应内容部分,设置模板文件以及控制器
views: {
'content@': {
templateUrl: 'scripts/app/article/articles.html',
controller: 'ArticlesController'
}
}
})
.state('article.detail', {
parent: 'site',
//{id}表示该路径接受的参数。参数名为id,例如访问/article/1,这个1就是此时的id
url: '/article/{id}',
views: {
'content@': {
templateUrl: 'scripts/app/article/article-detail.html',
controller: 'ArticleDetailController'
}
},
//
resolve: {
//url中的参数id存在于$stateParams中,此时调用了一个ArticleService用来获取文章数据
entity: ['$stateParams', 'Article', function($stateParams, Article) {
//获取id为路径传来id的stateParams.
return Article.get({id : $stateParams.id});
}]
}
})
.state('article.new', {
parent: 'article',
url: '/article/new',
//这里用来弹出一个模态框。引用了ui-bootstrap的组件uibModal,模态框将显示于parent状态对应的页面上。
onEnter: ['$stateParams', '$state', '$uibModal', function($stateParams, $state, $uibModal) {
$uibModal.open({
templateUrl: 'scripts/app/article/article-dialog.html',
controller: 'ArticleDialogController',
size: 'lg',
resolve: {
entity: function () {
return {
title:null,
content:null
};
}
}
}).result.then(function(result) {
//当模态框确定关闭时重新刷新页面进入article状态。(新增了数据)
$state.go('article', null, { reload: true });
}, function() {
//当模态框取消关闭时重新进入article状态。(未新增数据,所以不刷新)。
$state.go('article');
})
}]
})
.state('article.edit', {
parent: 'article',
url: '/article/{id}/edit',
onEnter: ['$stateParams', '$state', '$uibModal', function($stateParams, $state, $uibModal) {
$uibModal.open({
templateUrl: 'scripts/app/article/article-dialog.html',
controller: 'ArticleDialogController',
size: 'lg',
resolve: {
entity: ['Article', function(Article) {
return Article.get({id : $stateParams.id});
}]
}
}).result.then(function(result) {
$state.go('article', null, { reload: true });
}, function() {
//返回上个路由状态。
$state.go('^');
})
}]
})
.state('article.delete', {
parent: 'article',
url: '/article/{id}/delete',
onEnter: ['$stateParams', '$state', '$uibModal', function($stateParams, $state, $uibModal) {
$uibModal.open({
templateUrl: 'scripts/app/article/article-delete-dialog.html',
controller: 'ArticleDeleteController',
size: 'md',
resolve: {
entity: ['Article', function(Article) {
return Article.get({id : $stateParams.id});
}]
}
}).result.then(function(result) {
$state.go('article', null, { reload: true });
}, function() {
$state.go('^');
})
}]
})
});
接下来依次来看每个状态对应的controller和temmplate。
1.首先来看articles.html
此处用到一个uib-pagination组件,为ui-bootstrap的组件,用来做分页条使用,一般列表项多时大都需要采取分页展示。
<div class="table-responsive">
<table class="table table-striped">
<thead>
<tr>
<th>title</th>
<th>content</th>
<th>操作</th>
</tr>
</thead>
<tbody>
<tr ng-repeat="article in articles track by article.id">
<td>{{article.id}}</td>
<td>{{article.title}}</td>
<td>{{article.content}}</td>
<td>
<button type="button"
ui-sref="article.detail({id:article.id})"
class="btn btn-info btn-sm">
<span class="glyphicon glyphicon-eye-open"></span>
</button>
<button type="button"
ui-sref="article.edit({id:article.id})"
class="btn btn-primary btn-sm">
<span class="glyphicon glyphicon-pencil"></span>
</button>
<button type="button"
ui-sref="article.delete({id:article.id})"
class="btn btn-danger btn-sm">
<span class="glyphicon glyphicon-remove-circle"></span>
</button>
</td>
</tr>
</tbody>
</table>
</div>
<div class="text - center">
<uib-pagination class="pagination - sm" total-items="totalItems" ng-model="page" ng-change="loadAll()"></uib-pagination>
</div>
ArticlesController主要内容如下
'use strict'; angular.module('MyApp')
.controller('ArticleController', function ($scope, $state) {
$scope.articles = [];
$scope.page = 1;
$scope.loadAll = function() {
Article.query({page: $scope.page - 1, size: 20}, function(result, headers) {
$scope.links = ParseLinks.parse(headers('link'));
$scope.totalItems = headers('X-Total-Count');
$scope.articles = result;
});
};
$scope.loadPage = function(page) {
$scope.page = page;
$scope.loadAll();
};
$scope.loadAll(); })
2.详情页面html如下:
<form id="fm" name="fm" novalidate>
<formly-form model="formModel" fields="formFields" options="formOptions" form="fm"> </formly-form>
<button onclick="history.go(-1);">返回</button>
</form>
控制器内容如下,主要用了formly-form组件,具体细节不做介绍,用的时候查文档:
'use strict'; angular.module('MyApp')
.controller('ArticleDetailController', function ($scope, $state) {
$scope.formModel = {};
$scope.formFields = [];
$scope.formOptions = {};
})
3.编辑界面如下:
<form id="fm" name="fm" novalidate ng-submit="onFormSubmit(fm)">
<formly-form model="formModel" fields="formFields" options="formOptions" form="fm">
<div class="row form-submit-btn-group">
<div class="col">
<button type="submit" form="fm" class="btn btn-info">保存</button>
</div>
</div>
</formly-form>
<button onclick="history.go(-1)">返回</button>
</form>
对应的控制器如下:
angular.module('MyApp')
.controller('ArticleEditController', function ($scope, $state) {
$scope.formModel = {};
$scope.formFields = [{
key: 'title',
type: 'inline-input',
templateOptions: {
label:"标题",
type:'text',
focus:true,
placeholder: '请输入标题',
required: true
}
}];
$scope.formOptions = {}; var editSuccess = function(){
console.log("edit ok");
} var editFailed = function(){
console.log("edit failed");
} $scope.onFormSubmit = function(){
var data = $scope.formModel; }
})
4.增加界面如下:
<form id="fm" name="fm" novalidate ng-submit="onFormSubmit(fm)">
<formly-form model="formModel" fields="formFields" options="formOptions" form="fm">
<div class="row form-submit-btn-group">
<div class="col">
<button type="submit" form="fm" class="btn btn-info">提交</button>
</div>
</div>
</formly-form>
</form>
对应的控制器如下:
'use strict'; angular.module('MyApp')
.controller('ArticleAddController', function ($scope, $state) {
$scope.formModel = {};
$scope.formFields = [{
key: 'title',
type: 'inline-input',
templateOptions: {
label:"标题",
type:'text',
focus:true,
placeholder: '请输入标题',
required: true
}
}];
$scope.formOptions = {}; var addSuccess = function(){
console.log("add ok");
} var addFailed = function(){
console.log("add failed");
} $scope.onFormSubmit = function(){
var data = $scope.formModel; }
})
5.删除界面如下:
<form name="deleteForm" ng-submit="confirmDelete()">
<div class="modal-header">
<button type="button" class="close" data-dismiss="modal" aria-hidden="true"
ng-click="clear()">×</button>
<h4 class="modal-title">Confirm delete operation</h4>
</div>
<div class="modal-body">
<p>Are you sure you want to delete this article?</p>
</div>
<div class="modal-footer">
<button type="button" class="btn btn-default" data-dismiss="modal" ng-click="clear()">
<span class="glyphicon glyphicon-ban-circle"></span> <span>Cancel</span>
</button>
<button type="submit" ng-disabled="deleteForm.$invalid" class="btn btn-danger">
<span class="glyphicon glyphicon-remove-circle"></span> <span>Delete</span>
</button>
</div>
</form>
对应的控制器如下:
angular.module('MyApp')
.controller('ArticleDeleteController', function ($scope, $state) {
var delSuccess = function(){
console.log("del success");
}
var delFailed = function(){
console.log("del failed");
} $scope.confirmDelete = function(){ }
})
0007-一套完整的CRUD_DEMO的更多相关文章
- Web自动化框架之五一套完整demo的点点滴滴(excel功能案例参数化+业务功能分层设计+mysql数据存储封装+截图+日志+测试报告+对接缺陷管理系统+自动编译部署环境+自动验证false、error案例)
标题很大,想说的很多,不知道从那开始~~直接步入正题吧 个人也是由于公司的人员的现状和项目的特殊情况,今年年中后开始折腾web自动化这块:整这个原因很简单,就是想能让自己偷点懒.也让减轻一点同事的苦力 ...
- Egret是一套完整的HTML5游戏开发解决方案
Egret是一套完整的HTML5游戏开发解决方案.Egret中包含多个工具以及项目.Egret Engine是一个基于TypeScript语言开发的HTML5游戏引擎,该项目在BSD许可证下发布.使用 ...
- 基于springboot+bootstrap+mysql+redis搭建一套完整的权限架构【六】【引入bootstrap前端框架】
https://blog.csdn.net/linzhefeng89/article/details/78752658 基于springboot+bootstrap+mysql+redis搭建一套完整 ...
- 一套完整的VI包含哪些元素
VI设计,即视觉识别系统,企业VI设计是企业品牌建设的重中之重.最近很多人都在问,一套完整的企业VI设计都包括哪些内容?笔者站在一个高级设计师的角度,来简单谈一谈VI设计包括哪些内容.文中指出,一套完 ...
- EasyRTMP+EasyDSS实现一套完整的紧急视频回传直播与存储回放方案
需求来源 紧急视频回传云端:即拍即传.云端存储.紧急录像.云拍云录!这些需求现在可能对于我们来说比较远,大部分也是在行业中才会用到,但相信在不就的将来肯定会落地到每个人的手中,因为这是一个自我保护.自 ...
- 分享Node.js + Koa2 + MySQL + Vue.js 实战开发一套完整个人博客项目网站
这是个什么的项目? 使用 Node.js + Koa2 + MySQL + Vue.js 实战开发一套完整个人博客项目网站. 博客线上地址:www.boblog.com Github地址:https: ...
- 部署一套完整的Kubernetes高可用集群(二进制,v1.18版)
一.前置知识点 1.1 生产环境可部署Kubernetes集群的两种方式 目前生产部署Kubernetes集群主要有两种方式: kubeadm Kubeadm是一个K8s部署工具,提供kubeadm ...
- 部署一套完整的Kubernetes高可用集群(二进制,最新版v1.18)下
七.高可用架构(扩容多Master架构) Kubernetes作为容器集群系统,通过健康检查+重启策略实现了Pod故障自我修复能力,通过调度算法实现将Pod分布式部署,并保持预期副本数,根据Node失 ...
- SpringBoot-06:SpringBoot增删改查一套完整的考试案例
本此博客记录一套考试题,随后我把项目以及题目发到github上,简单的说一下springboot的开发 本此考试题用Spring+SpringMVC+MyBatis+SpringBoot+MySQL+ ...
随机推荐
- es6模块化开发
export导出 import导入 export {a:b} Export default {a:b}
- C++ 回调函数的几种策略
Stackoverflow中提出了这样一个问题:假设我们实现了一个User类,Library类,现在Library类中utility需要回调User中func方法,总结答案,常见的几种方法如下: 静态 ...
- Web应用中使用JavaMail发送邮件进行用户注册
现在很多的网站都提供有用户注册功能, 通常我们注册成功之后就会收到一封来自注册网站的邮件.邮件里面的内容可能包含了我们的注册的用户名和密码以及一个激活账户的超链接等信息.今天我们也来实现一个这样的功能 ...
- BZOJ2152 聪聪可可 【点分治】
BZOJ2152 聪聪可可 Description 聪聪和可可是兄弟俩,他们俩经常为了一些琐事打起来,例如家中只剩下最后一根冰棍而两人都想吃.两个人都想玩儿电脑(可是他们家只有一台电脑)--遇到这种问 ...
- Linux下通过txt文件导入数据到MySQL数据库
1.修改配置文件 在 /etc/my.conf 中添加 local_infile=1 2.重启MySQL >service mysqld restart 3.登录数据库 登录时添加参数 --lo ...
- dda的fpga实现(转载)
The general approach using DDAs will be to simulate a system of first-order differential equations, ...
- hoverfly api 模拟框架了解
What is Hoverfly? Hoverfly is a lightweight, open source API simulation tool. Using Hoverfly, you ca ...
- UML中的几种关系(UML Relationships)
依赖(Dependency) 依赖可以理解为一个类A使用到了另一个类B,而这种使用关系是具有偶然性的.临时性的.非常弱的,但是B类的变化会影响到A:比如某人要过河,需要借用一条船,此时人与船之间的关系 ...
- cockpit 使用(集成docker && k8s 管理)
1. yum 安装 sudo yum install cockpit 2. 允许启动 sudo systemctl enable --now cockpit.socket 3. 可选的插件 cockp ...
- Android源代码分析之拍照、图片、录音、视频和音频功能
Android源代码分析之拍照.图片.录音.视频和音频功能 //选择图片 requestCode 返回的标识 Intent innerIntent = new Intent(Intent.ACTI ...