WPF中如何简单的使用MvvmLight创建一个项目并进行 增删改查

目录

第一步:创建项目后下载如下两个NuGet程序包,然后删除删掉using Microsoft.Practices.ServiceLocation; 并且引入using CommonServiceLocator;

 第二步:删除原来的XAML文件并创建如下的包结构然后创建一个在View文件夹中创建一个Main窗体   再将App.XAML中的StartupUri修改为View/Main.xaml

 第三步:创建Model层中的文件UserInfo和Todo

 UserInfo的类如下:

 Todo的类如下:

 第四步:创建Service层IUserInfoService接口和ITodoService接口

IUserInfoService接口如下:

ITodoService接口如下:

 第五步:配置连接字符串 并将连接的内容封装到Tool文件夹中的ConstHelper

 ConstHelper类如下:

第六步:在ServiceImpl文件夹实现Service层中的接口

UserInfoService类如下:

TodoService类如下:

第七步:在View文件夹中创建Login.XAML文件 并将App.XAML文件进行修改

1.将StartupUri删除

2.添加 ShutdownMode="OnExplicitShutdown"和Startup="Application_Startup"

3.在App.xaml.cs中写如下代码:

第8步:在Tool文件夹中创建LoginInfo在ViewModel文件夹中创建LoginViewModel

LoginInfo类如下:

LoginViewModel类如下:

第九步:将页面和类放入Ioc容器中并设计将View文件夹中

ViewModelLocator类如下:

Login.XAML中的内容如下:

第十步:将View文件中的Main.XAML写好  然后写好ViewModel中的MainViewModel 最后创建两个UC

1.Main.XAML如下:

2.MainViewModel如下:

3.创建两个Contorls

UCUserInfo如下:

UCTodo如下:

最后的效果如下:

登录界面:

点击登录后进入Main窗体:

点击任务管理后:


第一步:创建项目后下载如下两个NuGet程序包,然后删除删掉using Microsoft.Practices.ServiceLocation; 并且引入using CommonServiceLocator;

 

 第二步:删除原来的XAML文件并创建如下的包结构然后创建一个在View文件夹中创建一个Main窗体   再将App.XAML中的StartupUri修改为View/Main.xaml

 

 第三步:创建Model层中的文件UserInfo和Todo

 UserInfo的类如下:

using GalaSoft.MvvmLight;
using System.ComponentModel.DataAnnotations;
using System.ComponentModel.DataAnnotations.Schema;namespace WPF练习12简单的项目.Model
{public class UserInfo : ObservableObject{[Key]public int UserId { get; set; }[Required(ErrorMessage = "账号必填")][Column(TypeName = "varchar(50)")]public string Account { get; set; }[Required(ErrorMessage = "密码必填")][Column(TypeName = "varchar(50)")]public string Pwd { get; set; }}
}

 Todo的类如下:

using GalaSoft.MvvmLight;
using System;
using System.ComponentModel.DataAnnotations;
using System.ComponentModel.DataAnnotations.Schema;namespace WPF练习12简单的项目.Model
{public class Todo:ObservableObject{[Key]public int TodoId { get; set; }[Required(ErrorMessage = "任务标题必填")][Column(TypeName = "varchar(50)")]public string Title { get; set; }[Column(TypeName = "varchar(150)")]public string Detail { get; set; }[Required(ErrorMessage = "是否完成必填")][Column(TypeName = "bit")]public bool IsCompleted { get; set; } = false;[Required(ErrorMessage = "创建人Id必填")][Column(TypeName = "int")]public int CreateUserId { get; set; }[Required(ErrorMessage = "创建日期必填")][Column(TypeName = "datetime")]public DateTime CreateTime { get; set; } = DateTime.Now;}
}

 第四步:创建Service层IUserInfoService接口和ITodoService接口

IUserInfoService接口如下:

using System;
using System.Collections.Generic;
using System.Linq;
using System.Text;
using System.Threading.Tasks;
using WPF练习12简单的项目.Model;namespace WPF练习12简单的项目.Service
{public interface IUserInfoService{bool Add(UserInfo model);bool Delete(int id);bool Update(UserInfo model);List<UserInfo> GetList(string strWhere);List<UserInfo> GetListByPage(string strWhere, string orderBy, int startIndex, int endIndex);UserInfo GetModel(int id);}
}

ITodoService接口如下:

using System;
using System.Collections.Generic;
using System.Linq;
using System.Text;
using System.Threading.Tasks;
using WPF练习12简单的项目.Model;namespace WPF练习12简单的项目.Service
{public interface ITodoService{bool Add(Todo model);bool Delete(int id);bool Update(Todo model);List<Todo> GetList(string strWhere);List<Todo> GetListByPage(string strWhere, string orderBy, int startIndex, int endIndex);int GetCount(string strWhere);Todo GetModel(int id);}
}

 第五步:配置连接字符串 并将连接的内容封装到Tool文件夹中的ConstHelper

 

 ConstHelper类如下:

using System;
using System.Collections.Generic;
using System.Configuration;
using System.Linq;
using System.Text;
using System.Threading.Tasks;namespace WPF练习12简单的项目.Tool
{public static class ConstHelper{public static string ConnectionString { get; } = ConfigurationManager.ConnectionStrings["connString"].ConnectionString;}
}

第六步:在ServiceImpl文件夹实现Service层中的接口

UserInfoService类如下:

using Dapper;
using System;
using System.Collections.Generic;
using System.Data.SqlClient;
using System.Linq;
using System.Text;
using System.Threading.Tasks;
using WPF练习12简单的项目.Model;
using WPF练习12简单的项目.Service;
using WPF练习12简单的项目.Tool;namespace WPF练习12简单的项目.ServiceImpl
{public class UserInfoService:IUserInfoService{public bool Add(UserInfo model){using (var conn = new SqlConnection(ConstHelper.ConnectionString)){conn.Open();var sql = "INSERT INTO UserInfo(Account, Pwd) VALUES (@Account, @Pwd)";return conn.Execute(sql, model) > 0;}}public bool Delete(int id){using (var conn = new SqlConnection(ConstHelper.ConnectionString)){conn.Open();var sql = "DELETE FROM UserInfo WHERE UserId=@UserId";var paramter = new { UserId = id };return conn.Execute(sql, paramter) > 0;}}public List<UserInfo> GetList(string strWhere){using (var conn = new SqlConnection(ConstHelper.ConnectionString)){conn.Open();var sql = "SELECT UserId, Account, Pwd FROM UserInfo WHERE 1=1 ";if (!string.IsNullOrEmpty(strWhere)) sql += $" AND {strWhere}";return conn.Query<UserInfo>(sql).ToList();}}public List<UserInfo> GetListByPage(string strWhere, string orderBy, int startIndex, int endIndex){using (var conn = new SqlConnection(ConstHelper.ConnectionString)){conn.Open();StringBuilder sql = new StringBuilder();sql.Append("SELECT * FROM ( ");sql.Append(" SELECT ROW_NUMBER() OVER (");if (!string.IsNullOrEmpty(orderBy.Trim()))sql.Append("ORDER BY T." + orderBy);elsesql.Append("ORDER BY T.UserId DESC");sql.Append(")AS Row, T.*  FROM [User] T ");if (!string.IsNullOrEmpty(strWhere.Trim())){sql.Append(" WHERE " + strWhere);}sql.Append(" ) TT");sql.AppendFormat(" WHERE TT.Row BETWEEN {0} AND {1}", startIndex, endIndex);return conn.Query<UserInfo>(sql.ToString()).ToList();}}public UserInfo GetModel(int id){using (var conn = new SqlConnection(ConstHelper.ConnectionString)){conn.Open();var sql = "SELECT UserId, Account, Pwd FROM UserInfo WHERE UserId=@UserId";var parameter = new { UserId = id };return conn.QueryFirstOrDefault<UserInfo>(sql, parameter);}}public bool Update(UserInfo model){using (var conn = new SqlConnection(ConstHelper.ConnectionString)){conn.Open();var sql = "UPDATE UserInfo SET Account=@Account, Pwd=@Pwd WHERE UserId=@UserId";return conn.Execute(sql, model) > 0;}}}
}

TodoService类如下:

using Dapper;
using System;
using System.Collections.Generic;
using System.Data.SqlClient;
using System.Linq;
using System.Text;
using System.Threading.Tasks;
using WPF练习12简单的项目.Model;
using WPF练习12简单的项目.Service;
using WPF练习12简单的项目.Tool;namespace WPF练习12简单的项目.ServiceImpl
{public class TodoService : ITodoService{public bool Add(Todo model){using (var conn = new SqlConnection(ConstHelper.ConnectionString)){conn.Open();var sql = "INSERT INTO [Todo](Title, Detail, IsCompleted, CreateUserId, CreateTime) VALUES (@Title, @Detail, @IsCompleted, @CreateUserId, @CreateTime)";return conn.Execute(sql, model) > 0;}}public bool Delete(int id){using (var conn = new SqlConnection(ConstHelper.ConnectionString)){conn.Open();var sql = "DELETE FROM [Todo] WHERE TodoId=@TodoId";var paramter = new { TodoId = id };return conn.Execute(sql, paramter) > 0;}}public List<Todo> GetList(string strWhere){using (var conn = new SqlConnection(ConstHelper.ConnectionString)){conn.Open();var sql = "SELECT TodoId, Title, Detail, IsCompleted, CreateUserId, CreateUserName, CreateTime FROM [TodoView] WHERE 1=1 ";if (!string.IsNullOrEmpty(strWhere)) sql += $" AND {strWhere}";return conn.Query<Todo>(sql).ToList();}}public List<Todo> GetListByPage(string strWhere, string orderBy, int startIndex, int endIndex){using (var conn = new SqlConnection(ConstHelper.ConnectionString)){conn.Open();StringBuilder sql = new StringBuilder();sql.Append("SELECT * FROM ( ");sql.Append(" SELECT ROW_NUMBER() OVER (");if (!string.IsNullOrEmpty(orderBy.Trim()))sql.Append("ORDER BY T." + orderBy);elsesql.Append("ORDER BY T.TodoId DESC");sql.Append(")AS Row, T.*  FROM [TodoView] T ");if (!string.IsNullOrEmpty(strWhere.Trim())){sql.Append(" WHERE " + strWhere);}sql.Append(" ) TT");sql.AppendFormat(" WHERE TT.Row BETWEEN {0} AND {1}", startIndex, endIndex);return conn.Query<Todo>(sql.ToString()).ToList();}}public int GetCount(string strWhere){using (var conn = new SqlConnection(ConstHelper.ConnectionString)){conn.Open();var sql = "SELECT COUNT(TodoId) FROM [Todo] WHERE 1=1 ";if (!string.IsNullOrEmpty(strWhere)) sql += $" AND {strWhere}";return conn.ExecuteScalar<int>(sql);}}public Model.Todo GetModel(int id){using (var conn = new SqlConnection(ConstHelper.ConnectionString)){conn.Open();var sql = "SELECT TodoId, Title, Detail, IsCompleted, CreateUserId, CreateTime FROM [Todo] WHERE TodoId=@TodoId";var parameter = new { TodoId = id };return conn.QueryFirstOrDefault<Model.Todo>(sql, parameter);}}public bool Update(Model.Todo model){using (var conn = new SqlConnection(ConstHelper.ConnectionString)){conn.Open();var sql = "UPDATE [Todo] SET Title=@Title, Detail=@Detail, IsCompleted=@IsCompleted, CreateUserId=@CreateUserId, CreateTime=@CreateTime WHERE TodoId=@TodoId";return conn.Execute(sql, model) > 0;}}}
}

第七步:在View文件夹中创建Login.XAML文件 并将App.XAML文件进行修改

1.将StartupUri删除

2.添加 ShutdownMode="OnExplicitShutdown"和Startup="Application_Startup"

3.在App.xaml.cs中写如下代码:

using System;
using System.Collections.Generic;
using System.Configuration;
using System.Data;
using System.Linq;
using System.Threading.Tasks;
using System.Windows;
using WPF练习12简单的项目.View;namespace WPF练习12简单的项目
{/// <summary>/// App.xaml 的交互逻辑/// </summary>public partial class App : Application{private void Application_Startup(object sender, StartupEventArgs e){Login loginWindow = new Login();bool? result = loginWindow.ShowDialog();if (result == true){Main main = new Main();main.ShowDialog();}}}
}

第8步:在Tool文件夹中创建LoginInfo在ViewModel文件夹中创建LoginViewModel

LoginInfo类如下:

using System;
using System.Collections.Generic;
using System.Linq;
using System.Text;
using System.Threading.Tasks;
using WPF练习12简单的项目.Model;namespace WPF练习12简单的项目.Tool
{public static class LoginInfo{public static UserInfo CurrentUser { get; set; }}
}

LoginViewModel类如下:

using GalaSoft.MvvmLight;
using GalaSoft.MvvmLight.Command;
using System;
using System.Collections.Generic;
using System.Linq;
using System.Text;
using System.Threading.Tasks;
using System.Windows;
using System.Windows.Controls;
using WPF练习12简单的项目.Model;
using WPF练习12简单的项目.Service;
using WPF练习12简单的项目.Tool;
using WPF练习12简单的项目.View;namespace WPF练习12简单的项目.ViewModel
{public class LoginViewModel: ViewModelBase{private readonly IUserInfoService userService;public LoginViewModel(IUserInfoService userService){this.userService = userService;}private UserInfo user = new UserInfo();public UserInfo User{get { return user; }set { user = value; RaisePropertyChanged(); }}public RelayCommand<Login> LoginCommand{get{return new RelayCommand<Login>((Login win) =>{Button btnLogin = win.FindName("btnLogin") as Button;btnLogin.Focus();List<UserInfo> list = this.userService.GetList($" Account='{User.Account}' AND Pwd='{User.Pwd}'");if (list.Count == 0){MessageBox.Show("账号或密码有误!", "错误", MessageBoxButton.OK, MessageBoxImage.Error);return;}if (list.Count > 1){MessageBox.Show("账号重复,请联系管理员!", "错误", MessageBoxButton.OK, MessageBoxImage.Error);return;}LoginInfo.CurrentUser = list[0];win.DialogResult = true;});}}}
}

第九步:将页面和类放入Ioc容器中并设计将View文件夹中

ViewModelLocator类如下:

using GalaSoft.MvvmLight;
using GalaSoft.MvvmLight.Ioc;
using CommonServiceLocator;
using WPF练习简单的项目12.ViewModel;
using WPF练习12简单的项目.Service;
using WPF练习12简单的项目.ServiceImpl;namespace WPF练习12简单的项目.ViewModel
{/// <summary>/// This class contains static references to all the view models in the/// application and provides an entry point for the bindings./// </summary>public class ViewModelLocator{/// <summary>/// Initializes a new instance of the ViewModelLocator class./// </summary>public ViewModelLocator(){ServiceLocator.SetLocatorProvider(() => SimpleIoc.Default);// 注册是窗体的视图模型SimpleIoc.Default.Register<LoginViewModel>();SimpleIoc.Default.Register<MainViewModel>();// 注册是用户控件的视图模型//SimpleIoc.Default.Register<UCUserViewModel>();//SimpleIoc.Default.Register<UCTodoViewModel>();//SimpleIoc.Default.Register<UCPagerViewModel>();// 注册其他服务SimpleIoc.Default.Register<IUserInfoService, UserInfoService>();SimpleIoc.Default.Register<ITodoService, TodoService>();}public MainViewModel Main{get{return ServiceLocator.Current.GetInstance<MainViewModel>();}}public LoginViewModel Login{get { return ServiceLocator.Current.GetInstance<LoginViewModel>(); }}public static void Cleanup(){// TODO Clear the ViewModels}}
}

Login.XAML中的内容如下:

<Window x:Class="WPF练习12简单的项目.View.Login"xmlns="http://schemas.microsoft.com/winfx/2006/xaml/presentation"xmlns:x="http://schemas.microsoft.com/winfx/2006/xaml"xmlns:d="http://schemas.microsoft.com/expression/blend/2008"xmlns:mc="http://schemas.openxmlformats.org/markup-compatibility/2006"xmlns:local="clr-namespace:WPF练习12简单的项目.View"xmlns:viewmodel="clr-namespace:WPF练习12简单的项目.ViewModel"d:DataContext="{d:DesignInstance Type=viewmodel:LoginViewModel}"DataContext="{Binding Source={StaticResource Locator}, Path=Login}"FocusManager.FocusedElement="{Binding ElementName=txtAccount}"WindowStartupLocation="CenterScreen"mc:Ignorable="d"Title="Login"Height="250"Width="400"><Grid HorizontalAlignment="Center"VerticalAlignment="Center"><StackPanel><WrapPanel Margin="0,0,0,10"><Label Content="账号:" /><TextBox Name="txtAccount"Width="120"Height="30"Padding="5,0,0,0"VerticalContentAlignment="Center"Text="{Binding UserInfo.Account}" /></WrapPanel><WrapPanel Margin="0,0,0,10"><Label Content="密码:" /><TextBox Width="120"Height="30"Padding="5,0,0,0"VerticalContentAlignment="Center"Text="{Binding UserInfo.Pwd}" /></WrapPanel><WrapPanel Margin="0,0,0,10"HorizontalAlignment="Center"><Button Name="btnLogin"Width="80"Height="30"Command="{Binding LoginCommand}"CommandParameter="{Binding RelativeSource={RelativeSource AncestorType=Window}}"Content="登录"IsDefault="True" /></WrapPanel></StackPanel></Grid>
</Window>

第十步:将View文件中的Main.XAML写好  然后写好ViewModel中的MainViewModel 最后创建两个UC

1.Main.XAML如下:

<Window x:Class="WPF练习12简单的项目.View.Main"xmlns="http://schemas.microsoft.com/winfx/2006/xaml/presentation"xmlns:x="http://schemas.microsoft.com/winfx/2006/xaml"xmlns:d="http://schemas.microsoft.com/expression/blend/2008"xmlns:mc="http://schemas.openxmlformats.org/markup-compatibility/2006"xmlns:local="clr-namespace:WPF练习12简单的项目.View"xmlns:viewmodel="clr-namespace:WPF练习简单的项目12.ViewModel"d:DataContext="{d:DesignInstance Type=viewmodel:MainViewModel}"DataContext="{Binding Source={StaticResource Locator}, Path=Main}"mc:Ignorable="d"Title="Main" Height="450" Width="800"><Grid><Grid.RowDefinitions><RowDefinition Height="60" /><RowDefinition /></Grid.RowDefinitions><Grid VerticalAlignment="Center"><Grid.ColumnDefinitions><ColumnDefinition /><ColumnDefinition Width="200" /></Grid.ColumnDefinitions><TextBlock Margin="10,0"VerticalAlignment="Center"FontSize="20"Text="任务列表管理MVVMLIGHT小案例" /><WrapPanel Grid.Column="1"HorizontalAlignment="Right"><TextBlock VerticalAlignment="Center"Text="当前用户:" /><TextBlock VerticalAlignment="Center"Text="{Binding CurrentUser.Account}" /><Button Width="80"Height="30"Margin="10,0"Command="{Binding LogoutCommand}"Content="退出" /></WrapPanel></Grid><Grid Grid.Row="1"><Grid.ColumnDefinitions><ColumnDefinition Width="160" /><ColumnDefinition /></Grid.ColumnDefinitions><StackPanel><Button Height="30"Margin="0,0,0,10"Command="{Binding ToggleCommand}"CommandParameter="user"Content="用户管理" /><Button Height="30"Margin="0,0,0,10"Command="{Binding ToggleCommand}"CommandParameter="todo"Content="任务管理" /></StackPanel><!--  ContentControl内容控件:充当一个控件容器,可以把UserControl.xaml放到此处,但不能放Page.xaml和Window.xaml文件。  --><ContentControl Grid.Column="1"Margin="10,0"Content="{Binding CurrentUserControl}" /></Grid></Grid>
</Window>

2.MainViewModel如下:

using GalaSoft.MvvmLight;
using GalaSoft.MvvmLight.Command;
using System.Windows;
using System.Windows.Controls;
using WPF练习12简单的项目.Contorls;
using WPF练习12简单的项目.Model;
using WPF练习12简单的项目.Tool;namespace WPF练习简单的项目12.ViewModel
{/// <summary>/// This class contains properties that the main View can data bind to./// <para>/// Use the <strong>mvvminpc</strong> snippet to add bindable properties to this ViewModel./// </para>/// <para>/// You can also use Blend to data bind with the tool's support./// </para>/// <para>/// See http://www.galasoft.ch/mvvm/// </para>/// </summary>public class MainViewModel : ViewModelBase{public MainViewModel(){currentUser = LoginInfo.CurrentUser;}private UserInfo currentUser;public UserInfo CurrentUser{get { return currentUser; }set { currentUser = value; RaisePropertyChanged(); }}private UserControl currentUserControl = new UCUserInfo();public UserControl CurrentUserControl{get { return currentUserControl; }set { currentUserControl = value; RaisePropertyChanged(); }}public RelayCommand<string> ToggleCommand{get{return new RelayCommand<string>((str) =>{switch (str){case "user":CurrentUserControl = new UCUserInfo();break;case "todo":CurrentUserControl = new UCTodo();break;default:CurrentUserControl = new UCUserInfo();break;}});}}public RelayCommand LogoutCommand{get{return new RelayCommand(() =>{Application.Current.Shutdown();});}}}
}

3.创建两个Contorls

UCUserInfo如下:

<UserControl x:Class="WPF练习12简单的项目.Contorls.UCUserInfo"xmlns="http://schemas.microsoft.com/winfx/2006/xaml/presentation"xmlns:x="http://schemas.microsoft.com/winfx/2006/xaml"xmlns:mc="http://schemas.openxmlformats.org/markup-compatibility/2006" xmlns:d="http://schemas.microsoft.com/expression/blend/2008" xmlns:local="clr-namespace:WPF练习12简单的项目.Contorls"mc:Ignorable="d" d:DesignHeight="450" d:DesignWidth="800"><Grid Background="White"><TextBlock Text="200" /></Grid>
</UserControl>
UCTodo如下:
<UserControl x:Class="WPF练习12简单的项目.Contorls.UCTodo"xmlns="http://schemas.microsoft.com/winfx/2006/xaml/presentation"xmlns:x="http://schemas.microsoft.com/winfx/2006/xaml"xmlns:mc="http://schemas.openxmlformats.org/markup-compatibility/2006" xmlns:d="http://schemas.microsoft.com/expression/blend/2008" xmlns:local="clr-namespace:WPF练习12简单的项目.Contorls"mc:Ignorable="d" d:DesignHeight="450" d:DesignWidth="800"><Grid Background="White"><TextBlock Text="100" /></Grid>
</UserControl>

最后的效果如下:

登录界面:

点击登录后进入Main窗体:

点击任务管理后:

本文来自互联网用户投稿,该文观点仅代表作者本人,不代表本站立场。本站仅提供信息存储空间服务,不拥有所有权,不承担相关法律责任。如若转载,请注明出处:http://www.rhkb.cn/news/466930.html

如若内容造成侵权/违法违规/事实不符,请联系长河编程网进行投诉反馈email:809451989@qq.com,一经查实,立即删除!

相关文章

网页版五子棋——匹配模块(客户端开发)

前一篇文章&#xff1a;网页版五子棋——用户模块&#xff08;客户端开发&#xff09;-CSDN博客 目录 前言 一、前后端交互接口设计 二、游戏大厅页面 1.页面代码编写 2.前后端交互代码编写 3.测试获取用户信息功能 结尾 前言 前面文章介绍完了五子棋项目用户模块的代码…

elasticSearch 7.12.1 Docker 安装ik分词

一、下载 https://github.com/infinilabs/analysis-ik/releases/tag/v7.12.1 将文件解压&#xff0c;复制到docker挂载的目录 docker ps#重启docker docker restart f7ec58e91f1f 测试 GET _analyze?pretty {"analyzer": "ik_max_word","text&qu…

在JS中, 0 == [0] 吗

在不知道答案的情况下, 你觉得这段代码的输出是什么 我当时觉得是false, 结果我错了–^^– 那为什么输出是true呢 因为的隐式类型转换, 运算符会尝试将两个操作数转换为相同的类型&#xff0c;然后再进行比较。 在这个例子中&#xff0c;0 是一个数字&#xff0c;而 [0] 是…

【学习AI-相关路程-mnist手写数字分类-win-硬件:windows-自我学习AI-实验步骤-全连接神经网络(BPnetwork)-操作流程(3) 】

【学习AI-相关路程-mnist手写数字分类-win-硬件&#xff1a;windows-自我学习AI-实验步骤-全连接神经网络&#xff08;BPnetwork&#xff09;-操作流程&#xff08;3&#xff09; 】 1、前言2、前置学习&#xff08;1&#xff09;window和Linux中python寻找目录的方式。&#x…

RabbitMQ客户端应用开发实战

这一章节我们将快速完成RabbitMQ客户端基础功能的开发实战。 一、回顾RabbitMQ基础概念 这个RabbitMQ的核心组件&#xff0c;是进行应用开发的基础。 二、RabbitMQ基础编程模型 RabbitMQ提供了很多种主流编程语言的客户端支持。这里我们只分析Java语言的客户端。 上一章节提…

一文了解Android SELinux

在Android系统中&#xff0c;SELinux&#xff08;Security-Enhanced Linux&#xff09;是一个增强的安全机制&#xff0c;用于对系统进行强制访问控制&#xff08;Mandatory Access Control&#xff0c;MAC&#xff09;。它限制了应用程序和进程的访问权限&#xff0c;提供了更…

python画图|hist()函数深层体验

【1】引言 前述学习已经掌握hist()函数的基本运用技巧&#xff0c;可通过下述链接直达&#xff1a; python画图|hist()函数画直方图初探-CSDN博客 python画图|hist()函数画直方图进阶-CSDN博客 我们已经理解hist()函数本质上画的是概率分布图&#xff0c;相关知识属于数理统…

火狐浏览器同源策略禁止解决方案

前言 火狐浏览器同源策略禁止解决方案_同源策略禁止读取远程资源怎么办-CSDN博客 在使用Firefox火狐浏览器进行Web开发时&#xff0c;有时会遇到因为同源策略&#xff08;Same-Origin Policy&#xff09;导致的跨域请求被拦截的问题。例如&#xff0c;控制台可能会显示如下错…

计算机网络——TCP篇

TCP篇 基本认知 TCP和UDP的区别? TCP 和 UDP 可以使用同一个端口吗&#xff1f; 可以的 传输层中 TCP 和 UDP在内核中是两个完全独立的软件模块。可以根据协议字段来选择不同的模块来处理。 TCP 连接建立 TCP 三次握手过程是怎样的&#xff1f; 一次握手:客户端发送带有 …

解决ImportError: DLL load failed while importing _message: 找不到指定的程序。

C:\software\Anoconda\envs\yolov5_train\python.exe C:\Project\13_yolov5-master\train.py C:\software\Anoconda\envs\yolov5_train\lib\site-packages\torchvision\io\image.py:13: UserWarning: Failed to load image Python extension: [WinError 127] 找不到指定的程序…

AOSP沙盒android 11

这里介绍一下aosp装系统 什么是aosp AOSP&#xff08;Android Open Source Project&#xff09;是Android操作系统的开源版本。 它由Google主导&#xff0c;提供了Android的源代码和相关工具&#xff0c;供开发者使用和修改。 AOSP包含了Android的核心组件和API&#xff0c;使…

git提交冲突的原因及解决方案

一、场景一 1.冲突原因 提交者的版本库 < 远程库 要保障提交者的版本库信息和远程仓库是一致的 2.解决方案 实现本地同步git pull,再提交代码&#xff08;最好每次git push之前都git pull一下&#xff0c;防止这种情况的出现&#xff09; 场景二 1.冲突原因 别人跟你…

第十五届蓝桥杯C/C++B组题解——数字接龙

题目描述 小蓝最近迷上了一款名为《数字接龙》的迷宫游戏&#xff0c;游戏在一个大小为N N 的格子棋盘上展开&#xff0c;其中每一个格子处都有着一个 0 . . . K − 1 之间的整数。游戏规则如下&#xff1a; 从左上角 (0, 0) 处出发&#xff0c;目标是到达右下角 (N − 1, N …

得物多模态大模型在重复商品识别上的应用和架构演进

重复商品治理介绍 根据得物的平台特性&#xff0c;同一个商品在平台上不能出现多个链接&#xff0c;原因是平台需要保证一品一链的特点&#xff0c;以保障商品的集中竞价&#xff0c;所以说一个商品在整个得物平台上只能有一个商详链接&#xff0c;因此我们需要对一品多链的情…

盘点2024年惊艳的10款录屏工具!!

你是否经常需要捕捉电脑屏幕上的精彩瞬间&#xff1f;或者想要记录自己操作某个应用程序的流程&#xff1f;这时候你就需要一款录屏工具啦&#xff01;在学习、工作和娱乐中&#xff0c;录屏工具都能成为你的得力助手。无论你是做教学视频、游戏解说还是分享精彩瞬间&#xff0…

vue+websocket实现即时聊天平台

目录 1 什么是websocket 2 实现步骤 2.1 导入依赖 2.2 编写代码 1 什么是websocket WebSocket 是一种在单个 TCP 连接上进行全双工通信的协议。它主要用于在客户端和服务器之间建立持久的连接&#xff0c;允许实时数据交换。WebSocket 的设计目的是为了提高 Web 应用程序的…

软件设计师-上午题-15 计算机网络(5分)

计算机网络题号一般为66-70题&#xff0c;分值一般为5分。 目录 1 网络设备 1.1 真题 2 协议簇 2.1 真题 3 TCP和UDP 3.1 真题 4 SMTP和POP3 4.1 真题 5 ARP 5.1 真题 6 DHCP 6.1 真题 7 URL 7.1 真题 8 浏览器 8.1 真题 9 IP地址和子网掩码 9.1 真题 10 I…

C++:map 和 set 的使用

前言 平衡二叉搜索树 ( AVL树 ) 由于二叉搜索树在特殊情况下&#xff0c;其增删查的效率会降低到 O ( N )&#xff0c;因此对二叉搜索树进行改良&#xff0c;通过旋转等方式将其转换为一个左右均衡的二叉树&#xff0c;这样的树就称为平衡二叉搜索树&#xff0c;又称 AVL树。…

Vue 自定义icon组件封装SVG图标

通过自定义子组件CustomIcon.vue使用SVG图标&#xff0c;相比iconfont下载文件、重新替换更节省时间。 子组件包括&#xff1a; 1. Icons.vue 存放所有SVG图标的path 2. CustomIcon.vue 通过icon的id索引对应的图标 使用的时候需要将 <Icons></Icons> 引到使用的…

面相小白的php反序列化漏洞原理剖析

前言 欢迎来到我的博客 个人主页:北岭敲键盘的荒漠猫-CSDN博客 本文整理反序列化漏洞的一些成因原理 建议学习反序列化之前 先对php基础语法与面向对象有个大体的了解 (我觉得我整理的比较细致&#xff0c;了解这俩是个啥就行) 漏洞实战情况 这个漏洞黑盒几乎不会被发现&am…