一区二区三区在线-一区二区三区亚洲视频-一区二区三区亚洲-一区二区三区午夜-一区二区三区四区在线视频-一区二区三区四区在线免费观看

服務器之家:專注于服務器技術及軟件下載分享
分類導航

PHP教程|ASP.NET教程|Java教程|ASP教程|編程技術|正則表達式|C/C++|IOS|C#|Swift|Android|VB|R語言|JavaScript|易語言|vb.net|

服務器之家 - 編程語言 - ASP.NET教程 - 基于.NET Core 3.1 網站開發和部署的方法

基于.NET Core 3.1 網站開發和部署的方法

2021-12-02 15:43njohao ASP.NET教程

這篇文章主要介紹了基于.NET Core 3.1 網站開發和部署的方法,文中通過示例代碼介紹的非常詳細,對大家的學習或者工作具有一定的參考學習價值,需要的朋友們下面隨著小編來一起學習學習吧

一、準備開發環境

1.主要開發工具的選擇

  • vscode
  • .NET Core command-line interface (CLI) tools
  • Dbeaver

這里選擇vscode + .net core cli 是因為不管在Windows還是Linux和Mac上都能使用這一套工具,而且命令行工具也非常強大。

2.vscode安裝C#插件

在vscode插件市場中搜索安裝即可

基于.NET Core 3.1 網站開發和部署的方法

新手還可以去這里了解vscode的強大之處

基于.NET Core 3.1 網站開發和部署的方法

基于.NET Core 3.1 網站開發和部署的方法

基于.NET Core 3.1 網站開發和部署的方法

?
1
2
3
4
5
6
7
8
9
10
11
12
MariaDB [(none)]> create database HotelWebDb default charset utf8 collate utf8_general_ci;
MariaDB [(none)]> grant all on HotelWebDb.* to sa@'192.168.30.%' identified by '110';
MariaDB [(none)]> show databases;
+--------------------+
| Database      |
+--------------------+
| information_schema |
| HotelWebDb     |
| mysql       |
| performance_schema |
+--------------------+
4 rows in set (0.00 sec)

4.使用Dbeaver連接數據庫創建數據表和測試數據

基于.NET Core 3.1 網站開發和部署的方法

基于.NET Core 3.1 網站開發和部署的方法

編寫Sql腳本

?
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
80
81
82
83
84
85
86
87
88
89
90
91
92
93
94
95
96
-- 管理員登錄表
CREATE TABLE if not EXISTS SysAdmins
(
  LoginId INT UNSIGNED PRIMARY KEY AUTO_INCREMENT,
  LoginName VARCHAR(20) NOT NULL,
  LoginPwd VARCHAR(20) NOT NULL
)engine=innodb DEFAULT charset=utf8;
ALTER TABLE SysAdmins AUTO_INCREMENT=10000;
 
-- 新聞分類表
CREATE TABLE if not EXISTS NewsCategory
(
  CategoryId INT UNSIGNED PRIMARY KEY AUTO_INCREMENT,
  CategoryName VARCHAR(20) NOT NULL
)engine=innodb DEFAULT charset=utf8;
 
-- 新聞表
CREATE TABLE if not EXISTS News
(
  Id INT UNSIGNED PRIMARY KEY AUTO_INCREMENT,
  NewsTitle VARCHAR(100),
  NewsContent TEXT,
  PublishTime TIMESTAMP DEFAULT now(),
  CategoryId INT UNSIGNED ,
  FOREIGN KEY(CategoryId) REFERENCES NewsCategory (CategoryId)
)engine=innodb DEFAULT charset=utf8;
ALTER TABLE News AUTO_INCREMENT=1000;
 
-- 菜品分類表
CREATE TABLE if not EXISTS DishCategory
(
  CategoryId INT UNSIGNED PRIMARY KEY AUTO_INCREMENT,
  CategoryName VARCHAR(20)
)engine=innodb DEFAULT charset=utf8;
 
 
-- 菜品表
CREATE TABLE if not EXISTS Dishes
(
  Id INT UNSIGNED PRIMARY KEY AUTO_INCREMENT,
  DishName VARCHAR(100),
  UnitPrice NUMERIC(18, 2),
  CategoryId INT UNSIGNED,
  FOREIGN KEY(CategoryId) REFERENCES DishCategory (CategoryId)
)engine=innodb DEFAULT charset=utf8;
ALTER TABLE Dishes AUTO_INCREMENT=10000;
 
-- 菜品預訂表
CREATE TABLE if not EXISTS DishBook
(
  Id INT UNSIGNED PRIMARY KEY AUTO_INCREMENT,
  HotelName VARCHAR(50),
  ConsumeTime datetime,
  ConsumePersons INT UNSIGNED,
  RoomType VARCHAR(20),
  CustomerPhone VARCHAR(20),
  CustomerName VARCHAR(20),
  CustomerEmail VARCHAR(100),
  Comments VARCHAR(500),
  BookTime TIMESTAMP DEFAULT now(),
  BookStatus INT DEFAULT 0 -- ( 0 表示未審核,1 表示審核通過,2 表示消費完成,-1 表示撤銷訂單)
)engine=innodb DEFAULT charset=utf8;
ALTER TABLE DishBook AUTO_INCREMENT=1000;
 
-- 招聘信息表
CREATE TABLE if not EXISTS Recruitment
(
  PostId INT UNSIGNED PRIMARY KEY AUTO_INCREMENT,
  PostName NVARCHAR(100),
  PostType CHAR(4), -- (全職或兼職)
  WorkPlace NVARCHAR(50),
  PostDesc TEXT,
  PostRequire TEXT,
  Experience NVARCHAR(100),
  EduBackground NVARCHAR(100),
  RequireCount INT,
  PublishTime TIMESTAMP DEFAULT now(),
  Manager VARCHAR(20),
  PhoneNumber VARCHAR(20),
  Email VARCHAR(100)
)engine=innodb DEFAULT charset=utf8;
ALTER TABLE Recruitment AUTO_INCREMENT=100000;
 
-- 投訴建議表
CREATE TABLE if not EXISTS Suggestion
(
  Id INT UNSIGNED PRIMARY KEY AUTO_INCREMENT,
  CustomerName VARCHAR(20),
  ConsumeDesc TEXT,
  SuggestionDesc TEXT,
  SuggestionTime TIMESTAMP DEFAULT now(),
  PhoneNumber VARCHAR(20),
  Email VARCHAR(20),
  StatusId INT DEFAULT 0 -- (0:未受理;1:已經受理)
)engine=innodb DEFAULT charset=utf8;
ALTER TABLE Suggestion AUTO_INCREMENT=10000;

創建測試數據

?
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
-- 插入測試數據
-- 管理員信息
insert into SysAdmins(LoginPwd,LoginName)values('123456','李浩');
insert into SysAdmins(LoginPwd,LoginName)values('123456','趙雪伶');
-- 新聞分類
insert into NewsCategory(CategoryName)values('公司新聞');
insert into NewsCategory(CategoryName)values('社會新聞');
-- 菜品分類
insert into DishCategory(CategoryName)values('川菜');
insert into DishCategory(CategoryName)values('湘菜');
insert into DishCategory(CategoryName)values('魯菜');
insert into DishCategory(CategoryName)values('海鮮類');
insert into DishCategory(CategoryName)values('其他');
-- 新聞
insert into News(NewsTitle,NewsContent,CategoryId)values('迎接十一海鮮大促銷','最新鮮的魚類全面上市,歡迎新老顧客品嘗。',1);
insert into News(NewsTitle,NewsContent,CategoryId)values('本店正在熱招加盟商','如果您愿意在酒店行業有所突破,請加入我們。',1);
insert into News(NewsTitle,NewsContent,CategoryId)values('互聯網的消費正在興起','網上購物已經成為人們生活必不可少的一部分。',2);
insert into News(NewsTitle,NewsContent,CategoryId)values('本店正在熱招加盟商','如果您愿意在酒店行業有所突破,請加入我們。',1);
insert into News(NewsTitle,NewsContent,CategoryId)values('互聯網的消費正在興起','網上購物已經成為人們生活必不可少的一部分。',2);
-- 菜品信息
insert into Dishes(DishName,UnitPrice,CategoryId)values('水煮魚',50,1);
insert into Dishes(DishName,UnitPrice,CategoryId)values('回鍋肉',85,1);
insert into Dishes(DishName,UnitPrice,CategoryId)values('剁椒魚頭',75,2);
insert into Dishes(DishName,UnitPrice,CategoryId)values('紅椒臘牛肉',40,2);
insert into Dishes(DishName,UnitPrice,CategoryId)values('糖醋鯉魚',70,3);
insert into Dishes(DishName,UnitPrice,CategoryId)values('玉記扒雞',60,3);
insert into Dishes(DishName,UnitPrice,CategoryId)values('湯爆雙脆',90,3);
insert into Dishes(DishName,UnitPrice,CategoryId)values('赤貝',80,4);
-- 預定信息
insert into DishBook(HotelName,ConsumeTime,ConsumePersons,RoomType,CustomerName,CustomerPhone,CustomerEmail,Comments)
values('天津南開店','2014-09-11 12:30',5,'包間','李麗','13589011222','[email protected]','希望房間敞亮些');
insert into DishBook(HotelName,ConsumeTime,ConsumePersons,RoomType,CustomerName,CustomerPhone,CustomerEmail,Comments)
values('天津和平店','2014-10-11 14:30',5,'包間','王鑫新','13889018888','[email protected]','希望房間安靜些');
insert into DishBook(HotelName,ConsumeTime,ConsumePersons,RoomType,CustomerName,CustomerPhone,CustomerEmail,Comments)
values('北京朝陽點','2014-12-10 17:30',5,'散座','劉花雨','13689011999','[email protected]','房間靠里面點兒');
-- 招聘信息
insert into Recruitment(PostName,PostType,WorkPlace,PostDesc,PostRequire,Experience,EduBackground,RequireCount,Manager,PhoneNumber,Email)
values('大堂經理','全職','天津','負責一層樓的管理','要求具備該職位3年以上經營管理經驗','3年','本科',2,'李超陽','15689011231','[email protected]');
insert into Recruitment(PostName,PostType,WorkPlace,PostDesc,PostRequire,Experience,EduBackground,RequireCount,Manager,PhoneNumber,Email)
values('接待員','全職','北京','負責客戶的接待禮儀','要求具備該職位1年以上經驗','1年','高中',5,'李超陽','15689011231','[email protected]');
insert into Recruitment(PostName,PostType,WorkPlace,PostDesc,PostRequire,Experience,EduBackground,RequireCount,Manager,PhoneNumber,Email)
values('總經理助理','全職','天津','負責日常的文秘工作','要求具備該職位3年以上經營管理經驗','3年','本科',1,'李超陽','15689011231','[email protected]');
-- 投訴建議
insert into Suggestion(CustomerName,ConsumeDesc,SuggestionDesc,PhoneNumber,Email)
values('杜小杰','在該店舉行一次婚禮','感覺總體服務不到位,菜品味道沒有以前的好。','15687423456','[email protected]');
insert into Suggestion(CustomerName,ConsumeDesc,SuggestionDesc,PhoneNumber,Email)
values('柳鋼','在本店聚會一次','感覺上菜有點慢,希望后續改進。','15686623456','[email protected]');

二、搭建項目框架

1.使用vscode創建一個mvc項目

進入vscode,打開終端創建項目的根目錄
快捷鍵:Ctrl + `

基于.NET Core 3.1 網站開發和部署的方法

創建項目根目錄

?
1
2
3
4
5
6
7
8
9
10
11
12
13
D:\dotnet_core>mkdir HotelWebMVC
D:\dotnet_core>dir
 驅動器 D 中的卷是 補充
 卷的序列號是 0004-524D
 
 D:\dotnet_core 的目錄
 
2019/12/10 09:33  <DIR>     .
2019/12/10 09:33  <DIR>     ..
2019/08/30 16:31  <DIR>     .vscode
2018/05/07 20:25  <DIR>     helloworld
2019/12/10 09:33  <DIR>     HotelWebMVC
2019/12/09 20:22  <DIR>     netcore_mvc

安裝 .NET Core SDK

下載地址:https://dotnet.microsoft.com/download

查看微軟的教程:https://docs.microsoft.com/en-us/aspnet/core/tutorials/first-mvc-app/start-mvc?view=aspnetcore-3.1&tabs=visual-studio-code

查看命令幫助

?
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
D:\dotnet_core\HotelWebMVC>dotnet new --help
用法: new [選項]
 
選項:
 -h, --help     Displays help for this command.
 -l, --list     Lists templates containing the specified name. If no name is specified, lists all templates.
 -n, --name     The name for the output being created. If no name is specified, the name of the current directory is used.
 -o, --output    Location to place the generated output.
 -i, --install    Installs a source or a template pack.
 -u, --uninstall   Uninstalls a source or a template pack.
 --nuget-source   Specifies a NuGet source to use during install.
 --type       Filters templates based on available types. Predefined values are "project", "item" or "other".
 --dry-run      Displays a summary of what would happen if the given command line were run if it would result in a template creation.
 --force       Forces content to be generated even if it would change existing files.
 -lang, --language  Filters templates based on language and specifies the language of the template to create.
 --update-check   Check the currently installed template packs for updates.
 --update-apply   Check the currently installed template packs for update, and install the updates.

創建項目

基于.NET Core 3.1 網站開發和部署的方法

基于.NET Core 3.1 網站開發和部署的方法

基于.NET Core 3.1 網站開發和部署的方法

以上操作都是可以使用命令完成
比如添加解決方案

?
1
2
3
4
5
6
7
8
9
10
11
12
13
D:\dotnet_core\HotelWebMVC>dotnet sln ./HotelWebMVC.sln add DAL\DAL.csproj
已將項目“DAL\DAL.csproj”添加到解決方案中。
 
D:\dotnet_core\HotelWebMVC>dotnet sln ./HotelWebMVC.sln add BLL\BLL.csproj
已將項目“BLL\BLL.csproj”添加到解決方案中。
 
D:\dotnet_core\HotelWebMVC>dotnet sln list
項目
--
HotelWebMVC\HotelWebMVC.csproj
Models\Models.csproj
DAL\DAL.csproj
BLL\BLL.csproj

添加啟動項目和類庫項目之間的引用

Models -->DAL

?
1
2
D:\dotnet_core\HotelWebMVC\DAL>dotnet add reference ..\Models\Models.csproj
已將引用“..\Models\Models.csproj”添加到項目。

DAL —> BLL

?
1
2
D:\dotnet_core\HotelWebMVC\DAL>dotnet add ..\bll\BLL.csproj reference .\DAL.csproj
已將引用“..\DAL\DAL.csproj”添加到項目。

HotelWebMVC --> BLL

?
1
2
D:\dotnet_core\HotelWebMVC\DAL>dotnet add ..\HotelWebMVC\HotelWebMVC.csproj reference ..\bll\BLL.csproj
已將引用“..\bll\BLL.csproj”添加到項目。

2.生成Model

① 使用EF Core 生成模型

DB First模式

全局安裝ef工具

?
1
dotnet tool install --global dotnet-ef

測試工具是否安裝成功

?
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
D:\dotnet_core\HotelWebMVC>dotnet ef
 
           _/\__   
        ---==/  \\  
     ___ ___  |.  \|\ 
    | __|| __| | )  \\\ 
    | _| | _|  \_/ | //|\\
    |___||_|    /  \\\/\\
 
Entity Framework Core .NET Command-line Tools 3.1.0
 
Usage: dotnet ef [options] [command]
 
Options:
 --version    Show version information
 -h|--help    Show help information
 -v|--verbose   Show verbose output.
 --no-color    Don't colorize output.
 --prefix-output Prefix output with level.
 
Commands:
 database  Commands to manage the database.
 dbcontext  Commands to manage DbContext types.
 migrations Commands to manage migrations.
 
Use "dotnet ef [command] --help" for more information about a command.

只要看到有這個獨角獸就代表安裝成功了。

添加需要的NuGet包

?
1
2
dotnet add package Microsoft.EntityFrameworkCore.Design
dotnet add package Pomelo.EntityFrameworkCore.MySql

使用EF工具

查看幫助

?
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
D:\dotnet_core\HotelWebMVC\DAL>dotnet ef dbcontext scaffold --help
 
 
Usage: dotnet ef dbcontext scaffold [arguments] [options]
 
Arguments:
 <CONNECTION> The connection string to the database.
 <PROVIDER>  The provider to use. (E.g. Microsoft.EntityFrameworkCore.SqlServer)
 
Options:
 -d|--data-annotations         Use attributes to configure the model (where possible). If omitted, only the fluent API is used.
 -c|--context <NAME>          The name of the DbContext.
 --context-dir <PATH>          The directory to put DbContext file in. Paths are relative to the project directory.
 -f|--force               Overwrite existing files.
 -o|--output-dir <PATH>         The directory to put files in. Paths are relative to the project directory.
 --schema <SCHEMA_NAME>...       The schemas of tables to generate entity types for.
 -t|--table <TABLE_NAME>...       The tables to generate entity types for.
 --use-database-names          Use table and column names directly from the database.
 --json                 Show JSON output.
 -p|--project <PROJECT>         The project to use.
 -s|--startup-project <PROJECT>     The startup project to use.
 --framework <FRAMEWORK>        The target framework.
 --configuration <CONFIGURATION>    The configuration to use.
 --runtime <RUNTIME_IDENTIFIER>     The runtime to use.
 --msbuildprojectextensionspath <PATH> The MSBuild project extensions path. Defaults to "obj".
 --no-build               Don't build the project. Only use this when the build is up-to-date.
 -h|--help               Show help information
 -v|--verbose              Show verbose output.
 --no-color               Don't colorize output.
 --prefix-output            Prefix output with level.

連接數據庫生成模型數據

?
1
2
3
D:\dotnet_core\HotelWebMVC\DAL>dotnet ef dbcontext scaffold "Server=192.168.30.110,3306;DataBase=HotelWebDb;User=sa;Pwd=110;" "Pomelo.EntityFrameworkCore.MySql" -s ..\HotelWebMVC\HotelWebMVC.csproj
Build started...
Build succeeded.

基于.NET Core 3.1 網站開發和部署的方法

修改連接字符串的位置

修改在appsettings.json文件中添加連接字符串

?
1
2
3
4
5
6
7
8
9
10
11
12
13
{
 "Logging": {
  "LogLevel": {
   "Default": "Information",
   "Microsoft": "Warning",
   "Microsoft.Hosting.Lifetime": "Information"
  }
 },
 "AllowedHosts": "*",
 "ConnectionStrings":{
  "HotelWeb":"Server=192.168.30.110,3306;DataBase=HotelWebDb;User=sa;Pwd=110;"
 }
}

然后在Sartup.cs文件獲取連接字符串

?
1
2
3
4
5
6
public void ConfigureServices(IServiceCollection services)
{
    services.AddControllersWithViews();
    string connString=Configuration.GetConnectionString("HotelWeb");
    services.AddDbContext<DAL.HotelWebDbContext>(options=>options.UseMySql(connString, x => x.ServerVersion("5.5.64-mariadb")));
}

最后DbContenxt類中配置就可以刪除了

移動DAL生成的實體類到Models模塊
修改實體類中的命名空間

基于.NET Core 3.1 網站開發和部署的方法

?
1
2
dotnet add package Microsoft.EntityFrameworkCore.Design
dotnet add package Pomelo.EntityFrameworkCore.MySql

DbContext中的數據庫連接字符串添加回去

?
1
2
3
4
5
6
7
protected override void OnConfiguring(DbContextOptionsBuilder optionsBuilder)
 {
   if(!optionsBuilder.IsConfigured)
   {
     optionsBuilder.UseMySql("Server=192.168.30.110;DataBase=HotelWebDb;User=sa;Pwd=110;",x => x.ServerVersion("5.5.64-mariadb"));
   }
 }

編寫測試代碼

?
1
2
3
4
5
6
7
8
News news=new News()
     {
       NewsContent="你好這是一個測試新聞內容",
       NewsTitle="測試新聞",
       CategoryId=1
     };
 
     Console.WriteLine(objNews.AddNews(news));

啟動調試
選擇啟動項目有兩種方法

①通過solution explorer 插件選擇

基于.NET Core 3.1 網站開發和部署的方法

②通過配置launch.json 文件啟動

基于.NET Core 3.1 網站開發和部署的方法

然后修改啟動程序入口就可以了

?
1
2
3
4
5
6
7
8
9
10
11
{
     "name": ".NET Core Launch (console)",
     "type": "coreclr",
     "request": "launch",
     "preLaunchTask": "build",
     "program": "${workspaceFolder}/UnitTestPro/bin/Debug/netcoreapp3.1/UnitTestPro.dll",
     "args": [],
     "cwd": "${workspaceFolder}",
     "stopAtEntry": false,
     "console": "internalConsole"
   },

還要修改task文件,否則測試項目中新加的代碼不能被執行。

基于.NET Core 3.1 網站開發和部署的方法

基于.NET Core 3.1 網站開發和部署的方法

結果符合預期

注意事項
修改新聞調用的方法不支持部分屬性修改,如果對象屬性不設置,那么沒有設置的字段被設置為空。
后面有字段部分修改的方法。

?
1
2
3
4
5
6
7
News news=new News()
   {
     Id=1008,
     NewsContent="修改新聞的內容",
     NewsTitle="這是被修改的新聞標題",
   };
   Console.WriteLine(objNews.ModifyNews(news));

基于.NET Core 3.1 網站開發和部署的方法

基于.NET Core 3.1 網站開發和部署的方法

基于.NET Core 3.1 網站開發和部署的方法

7.啟動調試

首頁效果圖

基于.NET Core 3.1 網站開發和部署的方法

這是所謂的動態類型,直接無中生有造一個屬性

?
1
ViewBag.list=new NewsManager().GetNews(4);

視圖中引用

?
1
2
3
4
5
6
7
8
9
@foreach (News item in @ViewBag.list) {
   <div class="d-flex flex-row justify-content-between newslist">
     <div class="p-2">
       <a href="/News/[email protected]" rel="external nofollow" rel="external nofollow" >@item.NewsTitle</a>
     </div>
     <div class="p-2">
       @item.PublishTime.ToShortDateString()       
     </div>
   </div>

使用viewmodel

控制器中使用View的重載方法傳遞viewmodel

?
1
2
3
4
5
public IActionResult Index()
 {
   ViewData["title"]="好運來酒店";
   return View(new NewsManager().GetNews(4));
 }

視圖中先聲明后使用
Specify a model using the @model directive. Use the model with @Model:

?
1
2
3
4
5
6
7
8
9
10
11
@model list<News>
...
    @foreach (News item in @Model) {
    <div class="d-flex flex-row justify-content-between newslist">
      <div class="p-2">
        <a href="/News/[email protected]" rel="external nofollow" rel="external nofollow" >@item.NewsTitle</a>
      </div>
      <div class="p-2">
        @item.PublishTime.ToShortDateString()       
      </div>
    </div>

修改后的首頁

基于.NET Core 3.1 網站開發和部署的方法分部視圖的創建和其他視圖的創建沒有任何區別,只是它作為其他視圖的一部分來視圖用。
避免視圖代碼的重復。

基于.NET Core 3.1 網站開發和部署的方法

這個是插件MVC項目時,模板自動生成的

?
1
2
3
4
@section js{
  <partial name="../Shared/_ValidationScriptsPartial.cshtml" />
  <script src="~/lib/My97DatePicker/WdatePicker.js"></script>
}

基于.NET Core 3.1 網站開發和部署的方法可以手動設置 type 來覆蓋

基于.NET Core 3.1 網站開發和部署的方法使用 [Remote] 特性
詳細文檔參考:https://docs.microsoft.com/en-us/aspnet/core/mvc/models/validation?view=aspnetcore-3.1

The jQuery Validate remote method expects a JSON response:

  • true means the input data is valid.
  • false, undefined, or null means the input is invalid. Display the default error message.
  • Any other string means the input is invalid. Display the string as a custom error message.

注意:The [Remote] attribute is in the Microsoft.AspNetCore.Mvc namespace.

五、使用區域項目完成后臺管理系統

1.創建區域項目

建立區域項目目錄結構

?
1
2
3
4
5
6
7
8
- Project name
  Areas
   Admin //分區項目1
    Controllers
    Views
   Services //分區項目2
    Controllers
    Views

添加路由規則

在Startup.cs文件中添加區域項目路由規則

?
1
2
3
4
5
6
7
8
9
10
11
12
app.UseEndpoints(endpoints =>
{
  endpoints.MapControllerRoute(
    name: "Admin",
    pattern: "{area:exists}/{controller=Home}/{action=Index}/{id?}"
    
  );
  endpoints.MapControllerRoute(
    name: "default",
    pattern: "{controller=Home}/{action=Index}/{id?}"
  );
});

測試頁面
如果有和主項目同名的控制器使用區域特性區分

?
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
using Microsoft.AspNetCore.Mvc;
 
 namespace HotelWebMVC.Areas.Admin.Controllers
 {
   [Area("Admin")]
   public class HomeController : Controller
   {
     public IActionResult Index()
     {
       return View();
     }
 
     public IActionResult Welcome()
     {
       ViewData["Message"] = "Your welcome message";
 
       return View();
     }
   }
 }

如果不打區域標記區分,啟動項目會包錯。

2.使用Cookie保存登錄憑證

添加依賴包

?
1
dotnet add package Microsoft.AspNetCore.Authentication.Cookies

配置服務

?
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
public void ConfigureServices(IServiceCollection services)
    {
      services.AddControllersWithViews();
 
      services.AddDistributedMemoryCache();
      services.AddSession(options =>
      {
        // Set a short timeout for easy testing.
        options.IdleTimeout = TimeSpan.FromSeconds(300);
        options.Cookie.HttpOnly = true;
        // Make the session cookie essential
        options.Cookie.IsEssential = true;
      });
      services.AddAuthentication(CookieAuthenticationDefaults.AuthenticationScheme)
      .AddCookie(options=>{
          options.Cookie.HttpOnly=true;
          options.ExpireTimeSpan=TimeSpan.FromMinutes(5);
          options.LoginPath="/admin";
          // options.AccessDeniedPath="/403.html";
        }
      );
 
      string connString = Configuration.GetConnectionString("HotelWeb");
      services.AddDbContext<DAL.HotelWebDbContext>(options => options.UseMySql(connString, x => x.ServerVersion("5.5.64-mariadb")));
    }

啟用認證服務添加的位置有要求:必須在app.UseRouting 和 app.UseEndpoints 之間。

?
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
app.UseRouting();
 
  app.UseSession();
 
  app.UseAuthentication();
 
  app.UseAuthorization();
 
  app.UseEndpoints(endpoints =>
  {
    endpoints.MapControllerRoute(
      name: "admin",
      pattern: "{area:exists}/{controller=SysAdmin}/{action=Index}/{id?}"
 
    );
    endpoints.MapControllerRoute(
      name: "default",
      pattern: "{controller=Home}/{action=Index}/{id?}");
  });

登錄成功后簽發憑證

?
1
2
3
4
using System.Security.Claims;
using Microsoft.AspNetCore.Mvc;
using Microsoft.AspNetCore.Authentication;
using Microsoft.AspNetCore.Authentication.Cookies;
?
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
List<Claim> claims = new List<Claim>() { new Claim("username", admin.LoginName) };
 
ClaimsIdentity claimsIdentity = new ClaimsIdentity(claims, CookieAuthenticationDefaults.AuthenticationScheme);
 
AuthenticationProperties properties = new AuthenticationProperties()
{
    IsPersistent = true
};
 
await HttpContext.SignInAsync
(
    CookieAuthenticationDefaults.AuthenticationScheme,
    new ClaimsPrincipal(claimsIdentity),
    properties
);

其他需登錄后才能訪問的資源,在控制器上添加 [Authorize]標記

?
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
[Authorize]
public class HomeController : Controller
{
  public IActionResult Index()
  {
    return View();
  }
 
  public IActionResult Welcome()
  {
    ViewData["Message"] = "Your welcome message";
 
    return View();
  }
}

3.使用ajax提交表單

在dotnet core 中不再支持@Ajax.Form方式,而是使用jquery插件的方式支持了。
通過定義data-* 屬性來支持類似的功能

和Ajax助手的對照

?
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
======================================================
AjaxOptions       HTML attribute
======================================================
Confirm         data-ajax-confirm
HttpMethod        data-ajax-method
InsertionMode        data-ajax-mode
LoadingElementDuration  data-ajax-loading-duration
LoadingElementId       data-ajax-loading
OnBegin         data-ajax-begin
OnComplete        data-ajax-complete
OnFailure          data-ajax-failure
OnSuccess          data-ajax-success
UpdateTargetId      data-ajax-update
Url           data-ajax-url
======================================================

這個特性只能在form和a標簽上起作用
使用方法:

①下載插件并引用到項目中
地址:https://github.com/aspnet/jquery-ajax-unobtrusive/releases
將src文件夾中的js文件拷貝到項目對應的存放位置

②編寫需要的js函數
編寫回調函數

?
1
2
3
4
5
6
7
8
9
10
11
  <script>
  var onSuccess=function(data){
    alert(data);
    $("#mainForm")[0].reset();
    dishImg.src = "/images/default.png";
  };
 
  var onFailed=function(data){
    alert(data);
  };
</script>

③使用data屬性改寫標簽

這里注意:要使用ajax提交表單,data-ajax="true"必須要設置為true。
data-ajax-confirm=“確認要提交嗎?” 這里是彈出框的內容,不是具體的函數名
data-ajax-begin
data-ajax-complete
data-ajax-failure
data-ajax-success
這些屬性值就是回調函數的名稱。

4.CKeditor使用

推薦使用ckeditor4,因為5版本中文輸入有問題。
使用步驟:

下載編輯器的軟件包

在頁面中引入它的js腳本

?
1
<script src="../../third_files/ckeditor4/ckeditor.js"></script>

使用texterea作為目標
編輯器的高度可以config.js文件中設置

?
1
<textarea id="editor" name="editor" rows="20"></textarea>

在js中創建

?
1
2
3
<script>
  CKEDITOR.replace( 'editor' );
</script>

自定義配置
修改配置文件config.js,推薦直接在默認的文件中添加需要的配置。

?
1
2
3
4
5
6
CKEDITOR.editorConfig = function( config ) {
 config.language = 'es';
 config.uiColor = '#F7B42C';
 config.height = 300;
 config.toolbarCanCollapse = true;
};

獲取編輯器的內容
用于提交前驗證是否有內容,NewsContent是編輯器textarea的id

?
1
var content=CKEDITOR.instances.NewsContent.getData();

注意此時數據驗證通過,使用js提交表單的話,編輯器并沒有替換原來的內容,需要手動替換
$("#NewsContent").html(content);
不然提交到控制器中是沒有值的。

?
1
2
3
4
5
6
7
8
9
10
11
var onSubmit=function(){
  var content=CKEDITOR.instances.NewsContent.getData();
 
  if(content==""){
    alert("新聞內容不能為空");
  }
  else{
    $("#NewsContent").html(content);
    $("#mainForm").submit();
  }
}

清空編輯器的內容
CKEDITOR.instances.NewsContent.setData("");

In rare cases it may happen that the server or application configuration
will reject submitted HTML content if it is not encoded first (e.g. ASP.NET ValidateRequest).
In such case check the config.htmlEncodeOutput option.

?
1
config.htmlEncodeOutput = true;

上傳圖片設置
需要外部插件:file browser,popup,filetools
配置config.js文件

?
1
2
config.filebrowserBrowseUrl = ‘/browser/browse.php';
config.filebrowserUploadUrl = ‘/uploader/upload.php';

控制器中的參數使用 (IFormFile upload) 使用的是upload的參數名。
如何給一個響應,放棄不用這個,使用filebrowserBrowseUrl這個功能,里面也有上傳

具體方法是:

  • 構建一個圖片上傳和瀏覽的頁面
  • 完成圖片上傳功能
  • 圖片選裝功能

響應的js代碼如下:

?
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
<script>
  // Helper function to get parameters from the query string.
  function getUrlParam( paramName ) {
    var reParam = new RegExp( '(?:[\?&]|&)' + paramName + '=([^&]+)', 'i' );
    var match = window.location.search.match( reParam );
    return ( match && match.length > 1 ) ? match[1] : null;
  }
 
  var upload=function(){
    var file=$(".btnUpload>input")[0].files[0];
    if(file==null){
      alert("請選擇上傳圖片");
    }
    else{
      var formData=new FormData();
      formData.append("upload",file);
      // 實例化一個AJAX對象
      var xhr = new XMLHttpRequest();
      xhr.onload = function() {
        $(".border3").first().before('<div class="w-25 p-3 border3"><span class="d-inline-block"><h3><span class="badge badge-info rotated">new</span></h3><img class="img-thumbnail" src="/images/news/'+xhr.responseText+'" onclick="select(this)"></span><div class="text-center p-2">'+xhr.responseText+'</div></div>');
      }
      xhr.open("post",'@Url.Action("UploadImage","News")',true);
 
      // 發送表單數據
      xhr.send(formData);
    }
  }
 
  var selectedImg=null;
  var select=function(img){
    if(selectedImg!=null){
      selectedImg.parents(".border3").removeClass("selected");
    }
    selectedImg=$(img);
    selectedImg.parents(".border3").addClass("selected");
  }
 
  var choose=function(){
    if(selectedImg!=null){
      var funcNum = getUrlParam( 'CKEditorFuncNum' );
      var fileUrl = selectedImg.attr("src");
      window.opener.CKEDITOR.tools.callFunction( funcNum, fileUrl );
      window.close();
    }
    else{
      alert("請選裝圖片");
    }
  }
</script>

基于.NET Core 3.1 網站開發和部署的方法UI–>IBLL–>IDAL–>Models
BLL–>IBLL、IDAL
IDAL–>Models
DAL–>IDAL、DBUtility

基于.NET Core 3.1 網站開發和部署的方法 查看文檔,都是通過Startup.cs中配置項目的。
暫時放棄配置。

2.命令行發布項目

CLI 提供了發布項目的相關命令

?
1
dotnet publish -c Release --no-self-contained -o /path/to/save/project/

3.另一種方式使用vs發布

很簡單,下一步下一步做就好了。

八、通過Nginx部署到Linux服務器

1.在Centos7 上安裝運行時

Register Microsoft key and feed

?
1
sudo rpm -Uvh https://packages.microsoft.com/config/centos/7/packages-microsoft-prod.rpm

Install the ASP.NET Core runtime

?
1
sudo yum install dotnet-sdk-3.1

2.安裝libgdiplus

因為項目中使用驗證碼,需要用到這個命名空間:System.Drawing.Common
速度太慢,放棄。

3.將項目目錄上傳到linux

使用xshell 的ftp 輕松完成。

基于.NET Core 3.1 網站開發和部署的方法

基于.NET Core 3.1 網站開發和部署的方法An unhandled exception has occurred while executing the request.
System.TypeInitializationException: The type initializer for 'Gdip' threw an exception.
---> System.DllNotFoundException: Unable to load shared library 'libgdiplus' or one of its dependencies.

9.修改dotnet監聽端口

在Program.cs 文件中修改

?
1
2
3
4
5
6
7
8
9
10
11
public static IHostBuilder CreateHostBuilder(string[] args) =>
    Host.CreateDefaultBuilder(args)
      .ConfigureWebHostDefaults(webBuilder =>
      {
        webBuilder.ConfigureKestrel(serverOptions =>
        {
          serverOptions.Listen(IPAddress.Any, 5000);
        })
        .UseStartup<Startup>();
      });
}

修改后

?
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
[root@centos7 HotelWeb]# dotnet HotelWebMVC.dll
info: Microsoft.Hosting.Lifetime[0]
   Now listening on: http://0.0.0.0:5000
info: Microsoft.Hosting.Lifetime[0]
   Application started. Press Ctrl+C to shut down.
info: Microsoft.Hosting.Lifetime[0]
   Hosting environment: Production
info: Microsoft.Hosting.Lifetime[0]
   Content root path: /var/www/HotelWeb
 
 
[root@centos7 ~]# ss -tna
State    Recv-Q Send-Q          Local Address:Port                  Peer Address:Port      
LISTEN   0   128                  *:5000                       *:*        
LISTEN   0   50                  *:3306                       *:*        
LISTEN   0   128                  *:111                        *:*        
LISTEN   0   128                  *:80                        *:*        
LISTEN   0   128                  *:22                        *:*        
LISTEN   0   100              127.0.0.1:25                        *:*        
ESTAB    0   0            192.168.30.110:22                  192.168.30.88:1581       
ESTAB    0   52            192.168.30.110:22                  192.168.30.88:1516       
LISTEN   0   128                 :::111                       :::*        
LISTEN   0   128                 :::22                        :::*        
LISTEN   0   100                 ::1:25                        :::*

參考文檔

連接字符串-EF

Entity Framework Core tools reference - .NET CLI

Using a Separate Migrations Project

Overview of ASP.NET Core MVC

The Form Tag Helper

Model validation in ASP.NET Core MVC

Use cookie authentication without ASP.NET Core Identity

Layout in ASP.NET Core

Architectural principles

Dependency injection in ASP.NET Core

Configuration in ASP.NET Core

CentOS 7 Package Manager - Install .NET Core

Add the Mono repository to your system

到此這篇關于基于.NET Core 3.1 網站開發和部署的方法的文章就介紹到這了,更多相關.NET Core 3.1 網站開發部署內容請搜索服務器之家以前的文章或繼續瀏覽下面的相關文章希望大家以后多多支持服務器之家!

原文鏈接:https://blog.csdn.net/me0607040211/article/details/103468410

延伸 · 閱讀

精彩推薦
主站蜘蛛池模板: 日本五级床片全都免费播放 | 波多野结衣中文丝袜字幕 | 视频免费 | julia ann一hd| 色综合合久久天天综合绕视看 | 1024国产精品视频观看 | 向日葵视频app下载18岁以下勿看 | 成年人视频在线播放 | 999久久免费高清热精品 | 91高清免费国产自产 | 亚洲精品一区二区久久久久 | 国产欧美综合精品一区二区 | 国产福利兔女郎在线观看 | 免费在线观看日本 | 我被黄总征服的全过程 | 91麻豆精品激情在线观看最新 | 亚洲 欧美 国产 视频二区 | 日韩精品成人免费观看 | 韩国情事伦理片观看地址 | 驯服有夫之妇HD中字日本 | 色综合久久久 | 韩国美女激情vip | 给我一个黄色网址 | 91麻豆在线观看 | 国产亚洲小视频 | 国产麻豆精品入口在线观看 | 加勒比一本大道在线 | 91在线老师啪国自产 | 亚洲国产精品一区二区三区久久 | 精品一区二区免费视频蜜桃网 | 欧美又大又粗又爽视频 | 羞羞在线观看 | 美女扒开腿让男人桶爽动态图片 | a级影视 | 日本男男gaygays | 国产精品欧美在线观看 | 欧美日韩一区二区三区韩大 | 久久国产乱子伦精品免费不卡 | 国产欧美国产综合第一区 | 日本xxxxxxxxx59| 免费人成在线观看视频播放 |