当前位置: 首页 > news >正文

WPF中在MVVM模式下实现导航功能

WPF中在MVVM模式下实现导航功能

一、利用TabControl

使用场景:项目小,不用考虑内存开销的问题。
splashScreen

实现方式1-手动指定ViewModel

  1. 分别定义3个UserControl作为View用于演示
 <UserControl...><Grid><StackPanel Orientation="Vertical"><TextBlockHorizontalAlignment="Center"VerticalAlignment="Top"Text="Page 1" /><TextBlockd:Text="Page 1"FontSize="50"Text="{Binding PageMessage}" /></StackPanel></Grid></UserControl>
  1. 分别定义ViewModel
 public abstract class PageViewModelBase {public string? Header { get; set; }}public class MainViewModel {public List<PageViewModelBase> ViewModels { get; }public MainViewModel(Page1ViewModel p1, Page2ViewModel p2, Page3ViewModel p3){ViewModels = new List<PageViewModelBase> { p1, p2, p3 };}}public class Page1ViewModel : PageViewModelBase{public Page1ViewModel() => Header = "Page 1";public string PageMessage { get; set; } = "Hello, Page 1";}public class Page2ViewModel : PageViewModelBase{public Page2ViewModel() => Header = "Page 2";public string PageMessage { get; set; } = "Hello, Page 2";}public class Page3ViewModel : PageViewModelBase{public Page3ViewModel() => Header = "Page 3";public string PageMessage { get; set; } = "Hello, Page 3";}
  1. 在MainWindow上定义Tabcontrol
 <Window...><Grid><TabControl ItemsSource="{Binding ViewModels}"><TabItem Header="Pag1"><view:Page1><view:Page1.DataContext><local:Page1ViewModel /></view:Page1.DataContext></view:Page1></TabItem><TabItem Header="Pag2"><view:Page1><view:Page1.DataContext><local:Page2ViewModel /></view:Page1.DataContext></view:Page1></TabItem><TabItem Header="Pag3"><view:Page1><view:Page1.DataContext><local:Page3ViewModel /></view:Page1.DataContext></view:Page1></TabItem></TabControl></Grid></Window>

这种方式需要手动指定每个View的ViewModel

实现方式2-利用ItemTemplate

  1. 在MainViewModel中声明一个ViewModel列表
public class MainViewModel 
{public List<PageViewModelBase> ViewModels { get; }public MainViewModel(Page1ViewModel p1, Page2ViewModel p2, Page3ViewModel p3){ViewModels = new List<PageViewModelBase> { p1, p2, p3 };}
}
  1. 在MainWindow中为TabControl指定ItemTemplate,上一步声明的ViewModel列表作为 TabControl 的 ItemsSource;为 TabControl.Resources 添 加多个 DataTemplate,指定 VM 对应什么样的 Page
<Window d:DataContext="{d:DesignInstance Type=local:MainViewModel}"....><Grid><TabControl ItemsSource="{Binding ViewModels}"><TabControl.ItemTemplate><DataTemplate><TextBlock Text="{Binding Header}"/></DataTemplate></TabControl.ItemTemplate><TabControl.Resources><DataTemplate DataType="{x:Type local:Page1ViewModel}"><view:Page1/></DataTemplate><DataTemplate DataType="{x:Type local:Page2ViewModel}"><view:Page2/></DataTemplate><DataTemplate DataType="{x:Type local:Page3ViewModel}"><view:Page3/></DataTemplate></TabControl.Resources>   </TabControl></Grid>
</Window>

这样的好处是自动会为不同的View绑定了相应的ViewModel。

小技巧:在xaml中加上了d:DataContext="{d:DesignInstance Type=local:MainViewModel},这样在写Binding的时候就有了智能提示。

以上两种方式均可结合依赖注入的方式来实现

二、自定义NavigationService服务

splashScreen

  1. 实现一个NavigationService服务,并作为单例
 class NavigationService{//设置一个单例服务public static NavigationService Instance { get; private set; } = new NavigationService();//声明一个事件,当更改CurrentViewModel时触发public event Action? CurrentViewModelChanged;//设置一个当前VM的属性,并在属性改变时触发CurrentViewModelChangedprivate ViewModelBase? currentViewModel;public ViewModelBase? CurrentViewModel{get => currentViewModel;set{currentViewModel = value;CurrentViewModelChanged?.Invoke();}}//页面导航方法,给CurrentViewModel赋值,触发CurrentViewModelChanged事件public void NavigateTo(ViewModelBase viewModel)=>CurrentViewModel = viewModel;}
  1. 设置MainViewModel中的CurrentViewModel属性
 public class ViewModelBase : ObservableObject{}public partial class MainViewModel : ViewModelBase{[ObservableProperty]private ViewModelBase? currentViewModel;//当前的VMpublic MainViewModel(){//为事件绑定委托方法,设置CurrentVM和NavigationService中的CurrentVM保持一致NavigationService.Instance.CurrentViewModelChanged += () =>{CurrentViewModel = NavigationService.Instance.CurrentViewModel;};//调用导航方法NavigationService.Instance.NavigateTo(new LoginViewModel());}}

其他两个ViewModel分别为

 public partial class LoginViewModel : ViewModelBase{[ObservableProperty]string? userName = "Sean";[RelayCommand]void Login(){NavigationService.Instance.NavigateTo(new HomeViewModel());}}public partial class HomeViewModel : ViewModelBase{[ObservableProperty]string? userName;[RelayCommand]void Logout(){NavigationService.Instance.NavigateTo(new LoginViewModel());}}
  1. 使用ContentControl作为MainWindow上不同页面载体显示内容,并借助DataTemplate来实现View和ViewModel的映射
 <Window ...><ContentControl Content="{Binding CurrentViewModel}"><ContentControl.Resources><DataTemplate DataType="{x:Type vm:LoginViewModel}"><view:Login /></DataTemplate><DataTemplate DataType="{x:Type vm:HomeViewModel}"><view:Home /></DataTemplate></ContentControl.Resources></ContentControl></Window>

在ContentControl.Resources中设置DataTemplate,根据DataType自动选择相应的VM,这样做的好处是会自动将View和VM进行了绑定。

改进

  1. 单例方式可以采用依赖注入的方式来实现
  2. 在NavigationService服务中,可以改进页面导航的方法
public void NavigateTo<T>() where T : ViewModelBase=> CurrentViewModel = App.Current.Services.GetService<T>();//在调用导航方法时可以使用
navigationService.NavigateTo<HomeViewModel>();

三、借助ValueConverter

实现上一章节的功能,这种方法本质上是通过View来自动绑定VM。

  1. 定义Page的枚举
 public enum ApplicationPage{Empty,Login,Home}
  1. 定义各ViewModel
 public class ViewModelBase : ObservableObject{}public partial class MainViewModel : ViewModelBase{//MainViewModel中的CurrentPage是一个枚举类型[ObservableProperty]ApplicationPage currentPage;public MainViewModel(){CurrentPage = ApplicationPage.Login;}}public partial class LoginViewModel : ViewModelBase{public string UserName { get; set; } = "AngelSix";[RelayCommand]void Login(){var mainVM= App.Current.MainWindow.DataContext as MainViewModel;mainVM!.CurrentPage = ApplicationPage.Home;}}public partial class HomeViewModel : ViewModelBase{[RelayCommand]void Logout(){var mainVM = App.Current.MainWindow.DataContext as MainViewModel;mainVM!.CurrentPage = ApplicationPage.Login;}}
  1. 定义Page基类和各个Page

    这种方法本质上是通过View来自动绑定VM,所以在此处使用泛型

 public abstract class BasePage<VM> : UserControl where VM : ViewModelBase, new(){public BasePage(){DataContext = new VM();}}
  • 实现Home页面

将Home.xaml.cs中的继承删掉,以为它和Home.xaml相互为分部类,只在一个分部类上实现继承就可以。

 <local:BasePage x:TypeArguments="vm:HomeViewModel"...><!--x:TypeArguments指定泛型--><Grid><TextBlock HorizontalAlignment="Center"VerticalAlignment="Center"Text="Home"FontSize="32" /><Button Margin="10" Grid.Row="1"HorizontalAlignment="Right"VerticalAlignment="Bottom"Content="Logout"Command="{Binding LogoutCommand}" /></Grid></local:BasePage>
  • 实现Login页面

方法和实现Home页面方法相同

 <local:BasePagex:TypeArguments="vm:LoginViewModel" ...><Grid><BorderPadding="10"HorizontalAlignment="Center"VerticalAlignment="Center"BorderBrush="LightGray"BorderThickness="1"CornerRadius="10"><StackPanel Width="300"><TextBlock HorizontalAlignment="Center" FontSize="28">Login</TextBlock><Separator Margin="0,10" /><TextBlock>User name:</TextBlock><TextBoxMargin="0,10"InputMethod.IsInputMethodEnabled="False"Text="{Binding UserName}" /><TextBlock>Password:</TextBlock><PasswordBox Margin="0,10" Password="123456" /><Button Command="{Binding LoginCommand}" Content="Login" /></StackPanel></Border></Grid></local:BasePage>
  1. 定义PageViewConverter

    public class PageViewConverter : IValueConverter
    {public object Convert(object value, Type targetType, object parameter, CultureInfo culture){switch ((ApplicationPage)value){case ApplicationPage.Empty:return new TextBlock { Text = "404 Not Found" };case ApplicationPage.Login:return new Login();case ApplicationPage.Home:return new Home();default:throw new ArgumentException("Invalid value passed to ApplicationPageViewConverter");}}public object ConvertBack(object value, Type targetType, object parameter, CultureInfo culture){throw new NotImplementedException();}
    }
    
  2. 完成MainWindow

 <Window ...><Window.DataContext><local:MainViewModel/></Window.DataContext><Window.Resources><share:PageViewConverter x:Key="pageConv"/></Window.Resources><ContentControl Content="{Binding CurrentPage,Converter={StaticResource pageConv}}"/></Window>

改进

  1. 可以结合依赖注入的方式来实现

  2. 导航方法可以封装为一个NavigationService服务

 //封装服务class NavigationService{public static NavigationService Instance { get; } = new NavigationService();private MainViewModel mainVM;public void Navigate(ApplicationPage page){if (mainVM == null){mainVM = (MainViewModel)App.Current.MainWindow.DataContext;}mainVM.CurrentPage = page;}}//原来的方式void Logout(){var mainVM = App.Current.MainWindow.DataContext as MainViewModel;mainVM!.CurrentPage = ApplicationPage.Login;}//使用封装好的服务void Login(){NavigationService.Instance.Navigate(ApplicationPage.Login);}

四、使用Frame和NavigationService

实现上一章节功能,本质上是使用依赖注入的方式将View和ViewModel进行绑定,并利用Frame的自带的Navigate方法进行导航

  1. 定义ViewModel
 public class ViewModelBase : ObservableObject{}public partial class MainWindowViewModel : ViewModelBase{private readonly NavigationService navigationService;//依赖注入public MainWindowViewModel(NavigationService navigationService){this.navigationService = navigationService;}[RelayCommand]void Loaded(){  //navigationService实现的导航方法navigationService.Navigate<LoginViewModel>();}}public partial class HomeViewModel : ViewModelBase{[ObservableProperty]string? userName;}public partial class LoginViewModel : ViewModelBase{private readonly NavigationService navigationService;//依赖注入public string UserName { get; set; } = "Sergio";public LoginViewModel(NavigationService navigationService){this.navigationService = navigationService;}[RelayCommand]void Login(){   //navigationService实现的导航方法,此处进行了传参navigationService.Navigate<HomeViewModel>(new Dictionary<string, object?>{[nameof(HomeViewModel.UserName)] = UserName});}}
  1. 定义View

主窗口,使用Behaviors实现mvvm模式

<Windowxmlns:b="http://schemas.microsoft.com/xaml/behaviors"><b:Interaction.Triggers><b:EventTrigger><b:InvokeCommandAction Command="{Binding LoadedCommand}" /></b:EventTrigger></b:Interaction.Triggers>
</Window>

主窗口后台类

public partial class MainWindow : Window
{public MainWindow(MainWindowViewModel viewModel,Frame frame){InitializeComponent();DataContext = viewModel;AddChild(frame);}
}

其他View

<!--使用Page来承载内容-->
<Page ...><Grid><TextBlock HorizontalAlignment="Center"VerticalAlignment="Center"d:Text="Hello, world!"Text="{Binding UserName, StringFormat='Hello, {0}!'}"FontSize="32" /></Grid>
</Page><Page ...><Grid><Border Padding="10"HorizontalAlignment="Center"VerticalAlignment="Center"BorderThickness="1"CornerRadius="10"BorderBrush="LightGray"><StackPanel Width="300"><TextBlock HorizontalAlignment="Center" FontSize="28">Login</TextBlock><Separator Margin="0,10" /><TextBlock>User name:</TextBlock><TextBox Margin="0,10" Text="{Binding UserName}" InputMethod.IsInputMethodEnabled="False" /><TextBlock>Password:</TextBlock><PasswordBox Margin="0,10" Password="123456" /><Button Content="Login" Command="{Binding LoginCommand}" /></StackPanel></Border></Grid>
</Page>

在后台类中使用依赖注入的方式定义DataContext

public Home(HomeViewModel viewModel)
{InitializeComponent();DataContext = viewModel;
}public Login(LoginViewModel viewModel)
{InitializeComponent();DataContext = viewModel;
}
  1. 实现NavigationService
 public class NavigationService{//注册了单例的Frameprivate readonly Frame? mainFrame;public NavigationService(Frame? frame){mainFrame = frame;//要使用LoadCompleted事件mainFrame.LoadCompleted += MainFrame_LoadCompleted;}private void MainFrame_LoadCompleted(object sender, System.Windows.Navigation.NavigationEventArgs e){if (e.ExtraData is not Dictionary<string,object?> extraData){return;}if ((mainFrame?.Content as FrameworkElement)?.DataContext is not ViewModelBase vm){return;}foreach (var item in extraData){//为每个属性赋值vm.GetType().GetProperty(item.Key)?.SetValue(vm, item.Value);}}//根据VM类型查找View,要注意VM和View的命名规范private Type? FindView<T>(){return Assembly.GetAssembly(typeof(T))?.GetTypes().FirstOrDefault(x => x.Name == typeof(T).Name.Replace("ViewModel", ""));}public void Navigate<T>(Dictionary<string,object?>? extraData=null) where T:ViewModelBase{var viewType = FindView<T>();if (viewType is null)return;var page = App.Current.Services.GetService(viewType) as Page;//利用Frame的Navigate方法进行导航和传参mainFrame?.Navigate(page,extraData);}   }
  1. 注册需要的类,此案例在App.cs中进行注册
 public partial class App : Application{public IServiceProvider Services { get; }public static new App Current => (App)Application.Current;public App(){var container = new ServiceCollection();container.AddSingleton(_ => new Frame { NavigationUIVisibility = NavigationUIVisibility.Hidden });container.AddSingleton<MainWindow>();container.AddSingleton<MainWindowViewModel>();container.AddTransient<Login>();container.AddTransient<Home>();container.AddTransient<LoginViewModel>();container.AddTransient<HomeViewModel>();container.AddSingleton<NavigationService>();Services = container.BuildServiceProvider();}protected override void OnStartup(StartupEventArgs e){base.OnStartup(e);MainWindow = Services.GetRequiredService<MainWindow>();MainWindow.Show();}}

相关文章:

WPF中在MVVM模式下实现导航功能

WPF中在MVVM模式下实现导航功能 一、利用TabControl 使用场景&#xff1a;项目小&#xff0c;不用考虑内存开销的问题。 实现方式1-手动指定ViewModel 分别定义3个UserControl作为View用于演示 <UserControl...><Grid><StackPanel Orientation"Vertic…...

SpringBoot面试题2:SpringBoot与SpringCloud 区别?SpringBoot和Spring、SpringMVC的区别

该文章专注于面试,面试只要回答关键点即可,不需要对框架有非常深入的回答,如果你想应付面试,是足够了,抓住关键点 面试官:SpringBoot与SpringCloud 区别? Spring Boot 和 Spring Cloud 是 Spring 生态系统中的两个关键组件,它们有以下区别: 定位:Spring Boot 用于简…...

Practical Deep Raw Image Denoisingon Mobile Devices

Abstract 近年来&#xff0c;基于深度学习的图像去噪方法得到了广泛的研究&#xff0c;并在许多公共基准数据集中盛行。然而&#xff0c;最先进的网络计算成本太高&#xff0c;无法直接应用于移动设备。在这项工作中&#xff0c;我们提出了一种轻量级、高效的基于神经网络的原…...

如何在Android项目中制作和使用三方包(jar文件)

文章目录 1 概念介绍2 制作方法2.1 制作步骤2.2 制作结果3 使用方法3.1 具体步骤3.2 示例代码4 内容总结在项目中为了跨部门协作需要把相关的内容打成包文件,基于这个需求,我们将介绍如何把 代码制作成三方包,这里的三方包是指jar文件。同时也会介绍如何在Android项目中使用…...

消息队列Beanstalkd介绍

摘要&#xff1a; Beanstalkd是一个高性能、轻量级的、分布式的、内存型的消息队列系统。最初设计的目的是想通过后台异步执行耗时的任务来降低高容量Web应用系统的页面访问延迟。其实Beanstalkd是典型的类Memcached设计&#xff0c;协议和使用方式都是同样的风格。其基本设计思…...

【C++】继承 ⑥ ( 继承中的构造函数和析构函数 | 类型兼容性原则 | 父类指针 指向 子类对象 | 使用 子类对象 为 父类对象 进行初始化 )

文章目录 一、public 公有继承 - 示例分析1、类型兼容性原则2、类型兼容性原则应用场景 二、类型兼容性原则 - 示例分析1、父类指针 指向 子类对象2、使用 子类对象 为 父类对象 进行初始化3、完整代码示例 一、public 公有继承 - 示例分析 1、类型兼容性原则 类型兼容性原则 :…...

15 | JPA 对 Web MVC 开发者做了哪些支持

我们使用 Spring Data JPA 的时候&#xff0c;一般都会用到 Spring MVC&#xff0c;Spring Data 对 Spring MVC 做了很好的支持&#xff0c;体现在以下几个方面&#xff1a; 支持在 Controller 层直接返回实体&#xff0c;而不使用其显式的调用方法&#xff1b;对 MVC 层支持标…...

链表的概念+MySingleList的实现

文章目录 链表一、 链表的概念1.概念2. 结构 二、MySingleList的实现1 .定义内部类2 .创建链表3. 遍历链表并打印4.查找单链表中是否包含关键字key5.得到链表的长度6.头插法7. 尾插法8.任意位置插入8.删除结点清空 链表 顺序存储&#xff1a;顺序表/ArrayList 优点&#xff1…...

小黑子—Maven基础

Maven基础 一 小黑子的Maven学习1. Mavn的介绍2. Maven基础概念2.1 仓库2.2 坐标2.3 仓库配置 3. 手动写一个maven项目3.1 Maven项目构建命令3.2 插件创建工程 4. IDEA下的maven项目5. 依赖管理5.1 依赖配置5.2 依赖传递5.3 可选依赖&#xff08;不透明&#xff09;5.4 排除依赖…...

【Netty专题】【网络编程】从OSI、TCP/IP网络模型开始到BIO、NIO(Netty前置知识)

目录 前言前置知识一、计算机网络体系结构二、TCP/IP协议族2.1 简介*2.2 TCP/IP网络传输中的数据2.3 地址和端口号2.4 小总结 三、TCP/UDP特性3.1 TCP特性TCP 3次握手TCP 4次挥手TCP头部结构体 3.2 UDP特性 四、总结 课程内容一、网络通信编程基础知识1.1 什么是Socket1.2 长连…...

扬帆起航:许战海方法论日文版正式发布

近日&#xff0c;中国头部战略咨询机构‘许战海咨询’最新研究成果《中国汽车行业新能源转型战略》行业白皮书日文版&#xff0c;即将在日本发布。同时发布的日文版核心方法论白皮书还有《主品牌进化战略》、《第二招牌增长战略》、《链主品牌&#xff1a;制造业的竞争之王》等…...

Docker 安装zookeeper

一、安装单机版 1、拉取镜像 docker pull zookeeper2、创建挂载目录 mkdir -p /mydata/zookeeper/{conf,data,logs}3、新建配置文件 cd /mydata/zookeeper/conf vi zoo.cfgdataDir/data dataLogDir/logs tickTime2000 initLimit10 syncLimit5 clientPort21814、单机主机启…...

项目管理与SSM框架(二)| Spring

Spring简介 Spring是一个开源框架&#xff0c;为简化企业级开发而生。它以IOC&#xff08;控制反转&#xff09;和AOP&#xff08;面向切面&#xff09;为思想内核&#xff0c;提供了控制层 SpringMVC、数据层SpringData、服务层事务管理等众多技术&#xff0c;并可以整合众多…...

Ubuntu系统忘记Root用户密码-无法登录系统-更改Root密码-Ubuntu系统维护

一、背景 很多时候&#xff0c;我们总会设计复杂的密码&#xff0c;但是大多数时候&#xff0c;我们反而会先忘记我们的密码&#xff0c;导致密码不仅仅阻挡其他用户进入系统&#xff0c;同时也阻碍我们进入系统。 本文将介绍在忘记密码的情况下&#xff0c;如何进入系统并更改…...

webSocket 有哪些安全问题?

WebSocket在实现实时通信和双向数据传输方面非常有用&#xff0c;但也存在一些安全问题需要注意。以下是一些与WebSocket相关的安全问题&#xff1a; 1&#xff1a;跨站脚本攻击&#xff08;XSS&#xff09;&#xff1a; WebSocket在消息传递过程中可能传输恶意脚本&#xff…...

ArcGis打开影像显示全黑解决方法

我们加载图像&#xff0c;显示如下&#xff1a; 解决方法&#xff1a; 问题分析&#xff1a;Gamma值高于1影像亮化&#xff0c;低于1影像暗化。栅格影像导入进来呈现黑色&#xff0c;可能是因为影像的“Gamma校正”设置出现问题&#xff0c;影响了影像的拉伸度、亮度、对比度等…...

雷达基础导论及MATLAB仿真

文章目录 前言一、雷达基础导论二、Matlab 仿真1、SNR 相对检测距离的仿真①、Matlab 源码②、仿真1&#xff09;、不同 RCS&#xff0c;SNR 相对检测距离仿真2&#xff09;、不同雷达峰值功率&#xff0c;SNR 相对检测距离仿真 2、脉冲宽度相对所要求的 SNR 仿真①、Matlab 源…...

设计模式再探——适配器模式

目录 一、背景介绍二、思路&方案三、过程1.适配器模式简介2.适配器模式的类图3.适配器模式代码4.适配器模式&#xff0c;类适配器模式和对象的对比5.适配器模式终极奥秘 四、总结五、升华 一、背景介绍 最近公司在对业务模型做构建的时候&#xff0c;涉及到和三方系统的对…...

【无标题】光伏逆变器的IEC62109测试,逆变器IEC62109测试项目

光伏逆变器的IEC62109测试&#xff0c;逆变器IEC62109测试项目 逆变器又称电源调整器&#xff0c;根据逆变器在光伏发电系统中的用途可分为独立型电源用和并网用二种。根据波形调制方式又可分为方波逆变器、阶梯波逆变器、正弦波逆变器和组合式三相逆变器。对于用于并网系统的…...

Windows用VM虚拟机安装MacOS Ventura 13.6系统全流程教程(附资源)

安装成果&#xff1a; 所需容量&#xff1a;至少40GB的硬盘空间&#xff0c;推荐80GB以上。 所需资源 VMware虚拟机激活密钥&#xff1a;VMware Workstation Pro 17.0.2MacOS Ventura 13.6的ISO镜像MacOS的解锁工具卡顿优化工具&#xff1a;beamoff 有人反馈说需要能用的ISO镜…...

(LeetCode 每日一题) 3442. 奇偶频次间的最大差值 I (哈希、字符串)

题目&#xff1a;3442. 奇偶频次间的最大差值 I 思路 &#xff1a;哈希&#xff0c;时间复杂度0(n)。 用哈希表来记录每个字符串中字符的分布情况&#xff0c;哈希表这里用数组即可实现。 C版本&#xff1a; class Solution { public:int maxDifference(string s) {int a[26]…...

Docker 离线安装指南

参考文章 1、确认操作系统类型及内核版本 Docker依赖于Linux内核的一些特性&#xff0c;不同版本的Docker对内核版本有不同要求。例如&#xff0c;Docker 17.06及之后的版本通常需要Linux内核3.10及以上版本&#xff0c;Docker17.09及更高版本对应Linux内核4.9.x及更高版本。…...

零门槛NAS搭建:WinNAS如何让普通电脑秒变私有云?

一、核心优势&#xff1a;专为Windows用户设计的极简NAS WinNAS由深圳耘想存储科技开发&#xff0c;是一款收费低廉但功能全面的Windows NAS工具&#xff0c;主打“无学习成本部署” 。与其他NAS软件相比&#xff0c;其优势在于&#xff1a; 无需硬件改造&#xff1a;将任意W…...

基于ASP.NET+ SQL Server实现(Web)医院信息管理系统

医院信息管理系统 1. 课程设计内容 在 visual studio 2017 平台上&#xff0c;开发一个“医院信息管理系统”Web 程序。 2. 课程设计目的 综合运用 c#.net 知识&#xff0c;在 vs 2017 平台上&#xff0c;进行 ASP.NET 应用程序和简易网站的开发&#xff1b;初步熟悉开发一…...

前端倒计时误差!

提示:记录工作中遇到的需求及解决办法 文章目录 前言一、误差从何而来?二、五大解决方案1. 动态校准法(基础版)2. Web Worker 计时3. 服务器时间同步4. Performance API 高精度计时5. 页面可见性API优化三、生产环境最佳实践四、终极解决方案架构前言 前几天听说公司某个项…...

深入浅出:JavaScript 中的 `window.crypto.getRandomValues()` 方法

深入浅出&#xff1a;JavaScript 中的 window.crypto.getRandomValues() 方法 在现代 Web 开发中&#xff0c;随机数的生成看似简单&#xff0c;却隐藏着许多玄机。无论是生成密码、加密密钥&#xff0c;还是创建安全令牌&#xff0c;随机数的质量直接关系到系统的安全性。Jav…...

376. Wiggle Subsequence

376. Wiggle Subsequence 代码 class Solution { public:int wiggleMaxLength(vector<int>& nums) {int n nums.size();int res 1;int prediff 0;int curdiff 0;for(int i 0;i < n-1;i){curdiff nums[i1] - nums[i];if( (prediff > 0 && curdif…...

linux arm系统烧录

1、打开瑞芯微程序 2、按住linux arm 的 recover按键 插入电源 3、当瑞芯微检测到有设备 4、松开recover按键 5、选择升级固件 6、点击固件选择本地刷机的linux arm 镜像 7、点击升级 &#xff08;忘了有没有这步了 估计有&#xff09; 刷机程序 和 镜像 就不提供了。要刷的时…...

【ROS】Nav2源码之nav2_behavior_tree-行为树节点列表

1、行为树节点分类 在 Nav2(Navigation2)的行为树框架中,行为树节点插件按照功能分为 Action(动作节点)、Condition(条件节点)、Control(控制节点) 和 Decorator(装饰节点) 四类。 1.1 动作节点 Action 执行具体的机器人操作或任务,直接与硬件、传感器或外部系统…...

使用van-uploader 的UI组件,结合vue2如何实现图片上传组件的封装

以下是基于 vant-ui&#xff08;适配 Vue2 版本 &#xff09;实现截图中照片上传预览、删除功能&#xff0c;并封装成可复用组件的完整代码&#xff0c;包含样式和逻辑实现&#xff0c;可直接在 Vue2 项目中使用&#xff1a; 1. 封装的图片上传组件 ImageUploader.vue <te…...