


ABP introductory series (6) - display layer to implement addition, deletion, modification and query
This chapter will realize the addition, deletion, modification and check of the presentation layer by improving the Controller, View and ViewModel. The final implementation effect is as follows:
1. Define Controller
ABP integrates ASP.NET MVC Controllers by introducing Abp.Web.Mvc naming Space, create a Controller that inherits from AbpController, we can use the following powerful functions that ABP has attached to us:
Localization
Exception handling
Wrap the returned JsonResult
Audit log
Permission authentication ([AbpMvcAuthorize] feature)
Unit of work (not enabled by default, enabled by adding [UnitOfWork])
1, create TasksController inherits from AbpController
Injects dependencies on application services through the constructor.
[AbpMvcAuthorize] public class TasksController : AbpController { private readonly ITaskAppService _taskAppService; private readonly IUserAppService _userAppService; public TasksController(ITaskAppService taskAppService, IUserAppService userAppService) { _taskAppService = taskAppService; _userAppService = userAppService; } }
2. Create a list display partial view (_List.cshtml)
In the partial view, we output the task list through loop traversal.
@model IEnumerable<LearningMpaAbp.Tasks.Dtos.TaskDto> <div> <ul class="list-group"> @foreach (var task in Model) { <li class="list-group-item"> <div class="btn-group pull-right"> <button type="button" class="btn btn-info" onclick="editTask(@task.Id);">Edit</button> <button type="button" class="btn btn-success" onclick="deleteTask(@task.Id);">Delete</button> </div> <div class="media"> <a class="media-left" href="#"> <i class="fa @task.GetTaskLable() fa-3x"></i> </a> <div class="media-body"> <h4 id="task-Title">@task.Title</h4> <p class="text-info">@task.AssignedPersonName</p> <span class="text-muted">@task.CreationTime.ToString("yyyy-MM-dd HH:mm:ss")</span> </div> </div> </li> } </ul> </div>
3. Create a new partial view (_CreateTask.cshtml)
For a good user experience, we use asynchronous loading to implement the task of creation.
1, introduce js files
Using asynchronous submission requires the introduction of jquery.validate.unobtrusive.min.js and jquery.unobtrusive-ajax.min.js, among which jquery.unobtrusive-ajax.min .js, you need to install Microsoft's Microsoft.jQuery.Unobtrusive.Ajax package through Nuget.
Then introduce it into the view through bundling. Open BundleConfig.cs under the App_Start folder and add the following code:
bundles.Add( new ScriptBundle("~/Bundles/unobtrusive/js") .Include( "~/Scripts/jquery.validate.unobtrusive.min.js", "~/Scripts/jquery.unobtrusive-ajax.min.js" ) );
Find Views/Shared/_Layout.cshtml and add a js reference to the bundle.
@Scripts.Render("~/Bundles/vendor/js/bottom") @Scripts.Render("~/Bundles/js")//在此处添加下面一行代码 @Scripts.Render("~/Bundles/unobtrusive/js")
2, create partial view
Bootstrap-Modal and Ajax.BeginForm are used. If you don’t know about this, you can refer to
How much do you know about Ajax.BeginForm()
Introduction to the usage of Bootstrap-Modal
The Partial View is bound to the CreateTaskInput model. The final _CreateTask.cshtml code is as follows:
@model LearningMpaAbp.Tasks.Dtos.CreateTaskInput@{ ViewBag.Title = "Create"; } <div class="modal fade" id="add" tabindex="-1" role="dialog" aria-labelledby="createTask" data-backdrop="static"> <div class="modal-dialog" role="document"> <div class="modal-content"> <div class="modal-header"> <button type="button" class="close" data-dismiss="modal"><span aria-hidden="true">×</span><span class="sr-only">Close</span></button> <h4 id="Create-nbsp-Task">Create Task</h4> </div> <div class="modal-body" id="modalContent"> @using (Ajax.BeginForm("Create", "Tasks", new AjaxOptions() { UpdateTargetId = "taskList", InsertionMode = InsertionMode.Replace, OnBegin = "beginPost('#add')", OnSuccess = "hideForm('#add')", OnFailure = "errorPost(xhr, status, error,'#add')" })) { @Html.AntiForgeryToken() <div class="form-horizontal"> <h4 id="Task">Task</h4> <hr /> @Html.ValidationSummary(true, "", new { @class = "text-danger" }) <div class="form-group"> @Html.LabelFor(model => model.AssignedPersonId, "AssignedPersonId", htmlAttributes: new { @class = "control-label col-md-2" }) <div class="col-md-10"> @Html.DropDownList("AssignedPersonId", null, htmlAttributes: new { @class = "form-control" }) @Html.ValidationMessageFor(model => model.AssignedPersonId, "", new { @class = "text-danger" }) </div> </div> <div class="form-group"> @Html.LabelFor(model => model.Title, htmlAttributes: new { @class = "control-label col-md-2" }) <div class="col-md-10"> @Html.EditorFor(model => model.Title, new { htmlAttributes = new { @class = "form-control" } }) @Html.ValidationMessageFor(model => model.Title, "", new { @class = "text-danger" }) </div> </div> <div class="form-group"> @Html.LabelFor(model => model.Description, htmlAttributes: new { @class = "control-label col-md-2" }) <div class="col-md-10"> @Html.EditorFor(model => model.Description, new { htmlAttributes = new { @class = "form-control" } }) @Html.ValidationMessageFor(model => model.Description, "", new { @class = "text-danger" }) </div> </div> <div class="form-group"> @Html.LabelFor(model => model.State, htmlAttributes: new { @class = "control-label col-md-2" }) <div class="col-md-10"> @Html.EnumDropDownListFor(model => model.State, htmlAttributes: new { @class = "form-control" }) @Html.ValidationMessageFor(model => model.State, "", new { @class = "text-danger" }) </div> </div> <div class="form-group"> <div class="col-md-offset-2 col-md-10"> <button type="submit" class="btn btn-default">Create</button> </div> </div> </div> } </div> </div> </div> </div>
Corresponding Controller code:
[ChildActionOnly]public PartialViewResult Create(){ var userList = _userAppService.GetUsers(); ViewBag.AssignedPersonId = new SelectList(userList.Items, "Id", "Name"); return PartialView("_CreateTask"); } [HttpPost] [ValidateAntiForgeryToken]public ActionResult Create(CreateTaskInput task){ var id = _taskAppService.CreateTask(task); var input = new GetTasksInput(); var output = _taskAppService.GetTasks(input); return PartialView("_List", output.Tasks); }
4. Create and update the partial view (_EditTask.cshtml)
Similarly, this view also uses Asynchronous update method also uses Bootstrap-Modal and Ajax.BeginForm() technology. This Partial View is bound to the UpdateTaskInput model.
@model LearningMpaAbp.Tasks.Dtos.UpdateTaskInput@{ ViewBag.Title = "Edit"; } <div class="modal fade" id="editTask" tabindex="-1" role="dialog" aria-labelledby="editTask" data-backdrop="static"> <div class="modal-dialog" role="document"> <div class="modal-content"> <div class="modal-header"> <button type="button" class="close" data-dismiss="modal"><span aria-hidden="true">×</span><span class="sr-only">Close</span></button> <h4 id="Edit-nbsp-Task">Edit Task</h4> </div> <div class="modal-body" id="modalContent"> @using (Ajax.BeginForm("Edit", "Tasks", new AjaxOptions() { UpdateTargetId = "taskList", InsertionMode = InsertionMode.Replace, OnBegin = "beginPost('#editTask')", OnSuccess = "hideForm('#editTask')" })) { @Html.AntiForgeryToken() <div class="form-horizontal"> <h4 id="Task">Task</h4> <hr /> @Html.ValidationSummary(true, "", new { @class = "text-danger" }) @Html.HiddenFor(model => model.Id) <div class="form-group"> @Html.LabelFor(model => model.AssignedPersonId, "AssignedPersonId", htmlAttributes: new { @class = "control-label col-md-2" }) <div class="col-md-10"> @Html.DropDownList("AssignedPersonId", null, htmlAttributes: new { @class = "form-control" }) @Html.ValidationMessageFor(model => model.AssignedPersonId, "", new { @class = "text-danger" }) </div> </div> <div class="form-group"> @Html.LabelFor(model => model.Title, htmlAttributes: new { @class = "control-label col-md-2" }) <div class="col-md-10"> @Html.EditorFor(model => model.Title, new { htmlAttributes = new { @class = "form-control" } }) @Html.ValidationMessageFor(model => model.Title, "", new { @class = "text-danger" }) </div> </div> <div class="form-group"> @Html.LabelFor(model => model.Description, htmlAttributes: new { @class = "control-label col-md-2" }) <div class="col-md-10"> @Html.EditorFor(model => model.Description, new { htmlAttributes = new { @class = "form-control" } }) @Html.ValidationMessageFor(model => model.Description, "", new { @class = "text-danger" }) </div> </div> <div class="form-group"> @Html.LabelFor(model => model.State, htmlAttributes: new { @class = "control-label col-md-2" }) <div class="col-md-10"> @Html.EnumDropDownListFor(model => model.State, htmlAttributes: new { @class = "form-control" }) @Html.ValidationMessageFor(model => model.State, "", new { @class = "text-danger" }) </div> </div> <div class="form-group"> <div class="col-md-offset-2 col-md-10"> <input type="submit" value="Save" class="btn btn-default" /> </div> </div> </div> } </div> </div> </div> </div> <script type="text/javascript"> //该段代码十分重要,确保异步调用后jquery能正确执行验证逻辑 $(function () { //allow validation framework to parse DOM $.validator.unobtrusive.parse('form'); }); </script>
Backend code:
public PartialViewResult Edit(int id){ var task = _taskAppService.GetTaskById(id); var updateTaskDto = AutoMapper.Mapper.Map<UpdateTaskInput>(task); var userList = _userAppService.GetUsers(); ViewBag.AssignedPersonId = new SelectList(userList.Items, "Id", "Name", updateTaskDto.AssignedPersonId); return PartialView("_EditTask", updateTaskDto); } [HttpPost] [ValidateAntiForgeryToken]public ActionResult Edit(UpdateTaskInput updateTaskDto){ _taskAppService.UpdateTask(updateTaskDto); var input = new GetTasksInput(); var output = _taskAppService.GetTasks(input); return PartialView("_List", output.Tasks); }
5. Create Index view
在首页中,我们一般会用来展示列表,并通过弹出模态框的方式来进行新增更新删除。为了使用ASP.NET MVC强视图带给我们的好处(模型绑定、输入校验等等),我们需要创建一个ViewModel来进行模型绑定。因为Abp提倡为每个不同的应用服务提供不同的Dto进行数据交互,新增对应CreateTaskInput,更新对应UpdateTaskInput,展示对应TaskDto。那我们创建的ViewModel就需要包含这几个模型,方可在一个视图中完成多个模型的绑定。
1,创建视图模型(IndexViewModel)
namespace LearningMpaAbp.Web.Models.Tasks{ public class IndexViewModel { /// <summary> /// 用来进行绑定列表过滤状态 /// </summary> public TaskState? SelectedTaskState { get; set; } /// <summary> /// 列表展示 /// </summary> public IReadOnlyList<TaskDto> Tasks { get; } /// <summary> /// 创建任务模型 /// </summary> public CreateTaskInput CreateTaskInput { get; set; } /// <summary> /// 更新任务模型 /// </summary> public UpdateTaskInput UpdateTaskInput { get; set; } public IndexViewModel(IReadOnlyList<TaskDto> items) { Tasks = items; } /// <summary> /// 用于过滤下拉框的绑定 /// </summary> /// <returns></returns> public List<SelectListItem> GetTaskStateSelectListItems() { var list=new List<SelectListItem>() { new SelectListItem() { Text = "AllTasks", Value = "", Selected = SelectedTaskState==null } }; list.AddRange(Enum.GetValues(typeof(TaskState)) .Cast<TaskState>() .Select(state=>new SelectListItem() { Text = $"TaskState_{state}", Value = state.ToString(), Selected = state==SelectedTaskState }) ); return list; } } }
2,创建视图
Index视图,通过加载Partial View的形式,将列表、新增视图一次性加载进来。
@using Abp.Web.Mvc.Extensions @model LearningMpaAbp.Web.Models.Tasks.IndexViewModel @{ ViewBag.Title = L("TaskList"); ViewBag.ActiveMenu = "TaskList"; //Matches with the menu name in SimpleTaskAppNavigationProvider to highlight the menu item } @section scripts{ @Html.IncludeScript("~/Views/Tasks/index.js"); }<h2> @L("TaskList") <button type="button" class="btn btn-primary" data-toggle="modal" data-target="#add">Create Task</button> <a class="btn btn-primary" data-toggle="modal" href="@Url.Action("RemoteCreate")" data-target="#modal" role="button">(Create Task)使用Remote方式调用Modal进行展现</a> <!--任务清单按照状态过滤的下拉框--> <span class="pull-right"> @Html.DropDownListFor( model => model.SelectedTaskState, Model.GetTaskStateSelectListItems(), new { @class = "form-control select2", id = "TaskStateCombobox" }) </span></h2><!--任务清单展示--><div class="row" id="taskList"> @{ Html.RenderPartial("_List", Model.Tasks); }</div><!--通过初始加载页面的时候提前将创建任务模态框加载进来--> @Html.Action("Create")<!--编辑任务模态框通过ajax动态填充到此div中--><div id="edit"></div><!--Remote方式弹出创建任务模态框--> <div class="modal fade" id="modal" tabindex="-1" role="dialog" aria-labelledby="createTask" data-backdrop="static"> <div class="modal-dialog" role="document"> <div class="modal-content"> </div> </div></div>
3,Remote方式创建任务讲解
Remote方式就是,点击按钮的时候去加载创建任务的PartialView到指定的div中。而我们代码中另一种方式是通过@Html.Action("Create")的方式,在加载Index的视图的作为子视图同步加载了进来。
感兴趣的同学自行查看源码,不再讲解。
<a class="btn btn-primary" data-toggle="modal" href="@Url.Action("RemoteCreate")" data-target="#modal" role="button">(Create Task)使用Remote方式调用Modal进行展现</a> <!--Remote方式弹出创建任务模态框--> <div class="modal fade" id="modal" tabindex="-1" role="dialog" aria-labelledby="createTask" data-backdrop="static"> <div class="modal-dialog" role="document"> <div class="modal-content"> </div> </div></div>
4,后台代码
public ActionResult Index(GetTasksInput input) { var output = _taskAppService.GetTasks(input); var model = new IndexViewModel(output.Tasks) { SelectedTaskState = input.State }; return View(model); }
5,js代码(index.js)
var taskService = abp.services.app.task; (function ($) { $(function () { var $taskStateCombobox = $('#TaskStateCombobox'); $taskStateCombobox.change(function () { getTaskList(); }); var $modal = $(".modal"); //显示modal时,光标显示在第一个输入框 $modal.on('shown.bs.modal', function () { $modal.find('input:not([type=hidden]):first').focus(); }); }); })(jQuery);//异步开始提交时,显示遮罩层function beginPost(modalId) { var $modal = $(modalId); abp.ui.setBusy($modal); }//异步开始提交结束后,隐藏遮罩层并清空Formfunction hideForm(modalId) { var $modal = $(modalId); var $form = $modal.find("form"); abp.ui.clearBusy($modal); $modal.modal("hide"); //创建成功后,要清空form表单 $form[0].reset(); }//处理异步提交异常function errorPost(xhr, status, error, modalId) { if (error.length>0) { abp.notify.error('Something is going wrong, please retry again later!'); var $modal = $(modalId); abp.ui.clearBusy($modal); } }function editTask(id) { abp.ajax({ url: "/tasks/edit", data: { "id": id }, type: "GET", dataType: "html" }) .done(function (data) { $("#edit").html(data); $("#editTask").modal("show"); }) .fail(function (data) { abp.notify.error('Something is wrong!'); }); }function deleteTask(id) { abp.message.confirm( "是否删除Id为" + id + "的任务信息", function (isConfirmed) { if (isConfirmed) { taskService.deleteTask(id) .done(function () { abp.notify.info("删除任务成功!"); getTaskList(); }); } } ); }function getTaskList() { var $taskStateCombobox = $('#TaskStateCombobox'); var url = '/Tasks/GetList?state=' + $taskStateCombobox.val(); abp.ajax({ url: url, type: "GET", dataType: "html" }) .done(function (data) { $("#taskList").html(data); });
js代码中处理了Ajax回调函数,以及任务状态过滤下拉框更新事件,编辑、删除任务代码。其中getTaskList()函数是用来异步属性列表,对应调用的GetList()Action的后台代码如下:
public PartialViewResult GetList(GetTasksInput input){ var output = _taskAppService.GetTasks(input); return PartialView("_List", output.Tasks); }
六、总结
至此,完成了任务的增删改查。展现层主要用到了Asp.net mvc的强类型视图、Bootstrap-Modal、Ajax异步提交技术。
其中需要注意的是,在异步加载表单时,需要添加以下js代码,jquery方能进行前端验证。
<script type="text/javascript"> $(function () { //allow validation framework to parse DOM $.validator.unobtrusive.parse('form'); });
以上就是ABP入门系列(6)——展现层实现增删改查的内容,更多相关内容请关注PHP中文网(www.php.cn)!

Hot AI Tools

Undresser.AI Undress
AI-powered app for creating realistic nude photos

AI Clothes Remover
Online AI tool for removing clothes from photos.

Undress AI Tool
Undress images for free

Clothoff.io
AI clothes remover

Video Face Swap
Swap faces in any video effortlessly with our completely free AI face swap tool!

Hot Article

Hot Tools

Notepad++7.3.1
Easy-to-use and free code editor

SublimeText3 Chinese version
Chinese version, very easy to use

Zend Studio 13.0.1
Powerful PHP integrated development environment

Dreamweaver CS6
Visual web development tools

SublimeText3 Mac version
God-level code editing software (SublimeText3)

Hot Topics











Go language is an efficient, concise and easy-to-learn programming language. It is favored by developers because of its advantages in concurrent programming and network programming. In actual development, database operations are an indispensable part. This article will introduce how to use Go language to implement database addition, deletion, modification and query operations. In Go language, we usually use third-party libraries to operate databases, such as commonly used sql packages, gorm, etc. Here we take the sql package as an example to introduce how to implement the addition, deletion, modification and query operations of the database. Assume we are using a MySQL database.

The JavaList interface is one of the commonly used data structures in Java, which can easily implement data addition, deletion, modification and query operations. This article will use an example to demonstrate how to use the JavaList interface to implement data addition, deletion, modification and query operations. First, we need to introduce the implementation class of the List interface in the code, the common ones are ArrayList and LinkedList. Both classes implement the List interface and have similar functions but different underlying implementations. ArrayList is based on array real

MySql is a relational database management system that is very commonly used in web applications. In the entire web application development process, CRUD (Create, Delete, Modify and Check) operations are essential. This article will introduce how to quickly complete these operations in MySql. Add (Create) In MySql, we use the INSERTINTO statement to insert new rows. For example, we have a table called "users" with three columns: "id", "name" and "email". Now

How to use collection framework functions in Java to perform addition, deletion, modification, and query operations on collections. In Java, the collection framework (CollectionFramework) provides a series of classes and interfaces to facilitate our collection operations. These classes and interfaces contain a wealth of functions that allow us to add, delete, modify, and search collections more conveniently. Below we'll detail how to use collections framework functions to perform these operations, and provide specific code examples. The addition operation of a collection can be done in Java

How to handle the addition, deletion, modification and query operations of form data in Vue technology development. In the development of Vue technology, the addition, deletion, modification and query operations of form data are very common requirements. This article will introduce how to use Vue technology to handle these operations and provide specific code examples. First, we need to create a Vue instance and define an empty array in the data attribute to store the form data. For example: newVue({data(){return{formData:[

Sharing skills for adding, deleting, modifying and querying JSON arrays in Java Introduction: JSON (JavaScriptObjectNotation) is a lightweight data exchange format that is widely used in various Internet applications. In Java, we can operate on JSON by using some third-party libraries, such as GSON, Jackson, etc. This article will share some techniques for adding, deleting, modifying and checking JSON arrays in Java, and provide corresponding code examples. one,

Add, delete, modify, and query operations on XML data in Python XML (Extensible Markup Language) is a text format used to store and transmit data. In Python, we can use a variety of libraries to process XML data, the most commonly used of which is the xml.etree.ElementTree library. This article will introduce how to use Python to add, delete, modify and query XML data, and illustrate it through code examples. 1. Introduction of modules First, we need to introduce xml.etree.Eleme

How to use PHP to implement data addition, deletion, modification and query operations. In web development, it is often necessary to perform addition, deletion, modification and query operations on the database. As a popular server-side programming language, PHP provides a wealth of functions and classes to conveniently operate databases. This article will introduce how to use PHP to implement data addition, deletion, modification and query operations, and provide specific code examples. Connecting to the database In PHP, you can use mysqli or PDO to connect to the database. The following is a sample code for using mysqli to connect to the database: $serverna
