Wpf 使用 Prism 实战开发Day04

news2025/1/8 5:23:10

一.菜单导航实现


1.首先创建出所有的页面(View)及对应的页面逻辑处理类(ViewModel)

  1.  IndexView(首页)-----------------IndexViewModel
  2. ToDoView(待办事项)------------ToDoViewModel
  3. MemoView(忘备录)--------------MemoViewModel
  4. SettingsView(设置)--------------SettingsViewModel

注意:创建View时,添加的是用户控件 

2. 在 MainView.xaml 添加内容展示区域 

通俗点理解就是,其他页面的内容需要有控件去展现出来给用户看。然后就用到一个ContentControl  控件来展现内容,并且也需要用到 Prism 框架里面的区域 (并且通过定义一个区域名称来定位到展现的位置)。我是这样理解的。首先这不是教程,是我学习的记录,如果错了,就错了。

  • 例如,在 ContentControl 中定义一个区域名称,并且使用 prism 注册这个区域
<ContentControl prism:RegionManager.RegionName=""/>

 建议:通过一个扩展类来管理定义的一些属性名称

例如:当前定义的区域名称,通过建立一个扩展类来进行管理

 public static class PrismManager
 {
     public static readonly string MainViewRegionName = "MainViewReion";
 }

  • 扩展类定义完成后,需要在使用到的 MainView 页面中,添加命名空间进行使用这个静态扩展类
xmlns:ext="clr-namespace:MyToDo.Extensions"
  1. xmlns: 是引入命名空间固定的写法
  2. ext 是自定义的名称
  3. = 号后面是扩展类所在的命名空间 

  • 最后,在 ContentControl 控件中去引用这个静态类定义的属性
 <ContentControl prism:RegionManager.RegionName="{x:Static ext:PrismManager.MainViewRegionName}"/>

x:Static 是引用静态类型的属性的固定前缀的写法 


 3.进行页面导航注册

  • 在App.xaml.cs中,把页面(View)和 业务处理类(ViewModel) 进行依赖关联并注册进导航容器中

  /// <summary>
  /// 依懒注入的方法
  /// </summary>
  /// <param name="containerRegistry"></param>
  protected override void RegisterTypes(IContainerRegistry containerRegistry)
  {
      containerRegistry.RegisterForNavigation<IndexView, IndexViewModel>();
      containerRegistry.RegisterForNavigation<MemoView, MemoViewModel>();
      containerRegistry.RegisterForNavigation<ToDoView, ToDoViewModel>();
      containerRegistry.RegisterForNavigation<SettingsView, SettingsViewModel>();
  }

 5. 接着在添加导航命令

  • 在MainViewModel.cs 中,添加导航命令。作用是用来驱动整个页面的导航
  • 接着,还需要添加 IRegionManager,通过在Prism 提供的IRegionManager.Regions 来找到应用程序所注册的导航区域名称(就是内容展现区域定义的名称)
  • 最后,通过.出来RequestNavigate 属性,取菜单传过来的命名空间做为导航的目标页面。
 public class MainViewModel: BindableBase
 {
     public MainViewModel(IRegionManager regionManager)
     {
         NavigateCommand = new DelegateCommand<MenuBar>(Navigate);
         this.regionManager = regionManager;
     }

/// <summary>
/// 导航方法
/// </summary>
/// <param name="bar">菜单</param>
private void Navigate(MenuBar bar)
{
    //命名空间为空,不进行导航
    if (bar == null || string.IsNullOrEmpty(bar.NameSpace)) return;

    regionManager.Regions[PrismManager.MainViewRegionName].RequestNavigate(bar.NameSpace);
}
      /// <summary>
      /// 导航命令
      /// </summary>
     public DelegateCommand<MenuBar> NavigateCommand { get; private set; }

 }

6.实现上一步,下一步导航功能

通过添加导航日志 IRegionNavigationJournal 来实现,上一步,下一步的导航功能

  • 修改导航方法,添加导航成功回调函数
 /// <summary>
 /// 导航方法
 /// </summary>
 /// <param name="bar">菜单</param>
 private void Navigate(MenuBar bar)
 {
     //命名空间为空,不进行导航
     if (bar == null || string.IsNullOrEmpty(bar.NameSpace)) return;

     regionManager.Regions[PrismManager.MainViewRegionName].RequestNavigate(bar.NameSpace, back =>
     {

     }); 
 }
  • 添加一个区域导航日志 IRegionNavigationJournal,用来记录导航的结果 ,并且在回调函数中实例化导航日志
 public class MainViewModel: BindableBase
 {
     public MainViewModel(IRegionManager regionManager)
     {
         NavigateCommand = new DelegateCommand<MenuBar>(Navigate);
         this.regionManager = regionManager;
     }

     /// <summary>
     /// 导航方法
     /// </summary>
     /// <param name="bar">菜单</param>
     private void Navigate(MenuBar bar)
     {
         //命名空间为空,不进行导航
         if (bar == null || string.IsNullOrEmpty(bar.NameSpace)) return;

         regionManager.Regions[PrismManager.MainViewRegionName].RequestNavigate(bar.NameSpace, back =>
         {
             journal=back.Context.NavigationService.Journal;      
         }); 
     }
          
     /// <summary>
     /// 导航命令
     /// </summary>
     public DelegateCommand<MenuBar> NavigateCommand { get; private set; }

     private readonly IRegionManager regionManager;
     /// <summary>
     /// 导航日志
     /// </summary>
     private IRegionNavigationJournal journal;

 }
  • 接着,再添加两个命令,绑定前端按钮点击上一步或下一步按钮,并且进行初始化
 public class MainViewModel: BindableBase
 {
     public MainViewModel(IRegionManager regionManager)
     {
         NavigateCommand = new DelegateCommand<MenuBar>(Navigate);
         this.regionManager = regionManager;
         GoBackCommand = new DelegateCommand(() =>
         {
             if(journal!=null && journal.CanGoBack) journal.GoBack();
         });
         GoForwardCommand = new DelegateCommand(() =>
         {
             if (journal != null && journal.CanGoForward) journal.GoForward();
         });
     }

     /// <summary>
     /// 导航方法
     /// </summary>
     /// <param name="bar">菜单</param>
     private void Navigate(MenuBar bar)
     {
         //命名空间为空,不进行导航
         if (bar == null || string.IsNullOrEmpty(bar.NameSpace)) return;

         regionManager.Regions[PrismManager.MainViewRegionName].RequestNavigate(bar.NameSpace, back =>
         {
             journal=back.Context.NavigationService.Journal;      
         }); 
     }
          
     /// <summary>
     /// 导航命令
     /// </summary>
     public DelegateCommand<MenuBar> NavigateCommand { get; private set; }

     /// <summary>
     /// 下一步
     /// </summary>
     public DelegateCommand GoBackCommand { get; private set; }
     /// <summary>
     /// 上一步
     /// </summary>
     public DelegateCommand GoForwardCommand { get; private set; }

     
     private readonly IRegionManager regionManager;
     /// <summary>
     /// 导航日志
     /// </summary>
     private IRegionNavigationJournal journal;
  
 }
  • 最后,在MainView页面的上一步和下一步按钮绑定ViewMode 写好的命令

7.在ListBox中,添加事件行为,作用是,当用户选中子项内容的时候,触发导航的行为。

  • 需要添加行为的命名空间

引入行为命名空间 xmlns:i="http://schemas.microsoft.com/xaml/behaviors"

  •  接着在ListBox 中,添加选中行为事件,来触发导航

<i:Interaction.Triggers>
    <i:EventTrigger EventName="SelectionChanged">
        <i:InvokeCommandAction Command="{Binding NavigateCommand}" CommandParameter="{Binding ElementName=menuBar,Path=SelectedItem}" />
    </i:EventTrigger>
</i:Interaction.Triggers>
  •  Interaction.Triggers  行为触发器
  • EventTrigger 触发的事件
  • EventName 触发事件的名称,这个事件命名,一定是ListBox存在的事件名称,不是随便起的名称
  • InvokeCommandAction 绑定后台要触发的导航命令
  • CommandParameter 绑定当前选中项。例如。这是传过去后台命令的参数

例如,上面是通过选中ListBox Item的子项来触发导航命令

8.优化点击菜单子项的同时关闭左侧菜单

  • 只需要绑定ListBox 的SelectionChanged 选择事件,点击的时候让左侧边框收起即可

//菜单选择事件
menuBar.SelectionChanged += (s, e) =>
{
    drawerHost.IsLeftDrawerOpen = false;
};
  • menuBar  是ListBox 定义的名称
  • drawerHost 是左侧弹框定义的名称

二.源码 

  • MainView.xaml 

<Window x:Class="MyToDo.Views.MainView"
        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:ext="clr-namespace:MyToDo.Extensions"
        xmlns:local="clr-namespace:MyToDo"
        xmlns:prism="http://prismlibrary.com/"
        xmlns:i="http://schemas.microsoft.com/xaml/behaviors"
        prism:ViewModelLocator.AutoWireViewModel="True"
        WindowStyle="None" WindowStartupLocation="CenterScreen" AllowsTransparency="True"
         Style="{StaticResource MaterialDesignWindow}"
        TextElement.Foreground="{DynamicResource MaterialDesignBody}"
        Background="{DynamicResource MaterialDesignPaper}"
        TextElement.FontWeight="Medium"
        TextElement.FontSize="14"
        FontFamily="{materialDesign:MaterialDesignFont}"
        mc:Ignorable="d"
        xmlns:materialDesign="http://materialdesigninxaml.net/winfx/xaml/themes"
        Title="MainWindow" Height="768" Width="1280">
    <materialDesign:DialogHost DialogTheme="Inherit"
                           Identifier="RootDialog"
                           SnackbarMessageQueue="{Binding ElementName=MainSnackbar, Path=MessageQueue}">

        <materialDesign:DrawerHost x:Name="drawerHost" IsLeftDrawerOpen="{Binding ElementName=MenuToggleButton, Path=IsChecked}">
            <!--左边菜单-->
            <materialDesign:DrawerHost.LeftDrawerContent>
                <DockPanel MinWidth="220" >
                 
                    <!--头像-->
                    <StackPanel DockPanel.Dock="Top" Margin="0,20">
                        <Image Source="/Images/user.jpg" Width="50" Height="50">
                            <Image.Clip>
                                <EllipseGeometry Center="25,25" RadiusX="25" RadiusY="25" />
                            </Image.Clip>
                        </Image>
                        <TextBlock Text="WPF gg" Margin="0,10" HorizontalAlignment="Center" />
                    </StackPanel>
                    
                    <!--列表-->
                    <ListBox  x:Name="menuBar" ItemContainerStyle="{StaticResource MyListBoxItemStyle}" ItemsSource="{Binding MenuBars}">
                        <i:Interaction.Triggers>
                            <i:EventTrigger EventName="SelectionChanged">
                                <i:InvokeCommandAction Command="{Binding NavigateCommand}" CommandParameter="{Binding ElementName=menuBar,Path=SelectedItem}" />
                            </i:EventTrigger>
                        </i:Interaction.Triggers>
                        <ListBox.ItemTemplate>
                            <DataTemplate>
                                <StackPanel Orientation="Horizontal" Background="Transparent">
                                    <materialDesign:PackIcon Kind="{Binding Icon}" Margin="15,0" />
                                    <TextBlock Text="{Binding Title}" Margin="10,0"/>
                                </StackPanel>
                            </DataTemplate>
                        </ListBox.ItemTemplate>
                    </ListBox>
                    
                    
                </DockPanel>
            </materialDesign:DrawerHost.LeftDrawerContent>

            <DockPanel >
                <!--导航条色块-->
                <materialDesign:ColorZone Padding="16" x:Name="ColorZone"
                                materialDesign:ElevationAssist.Elevation="Dp4"
                                DockPanel.Dock="Top"
                                Mode="PrimaryMid">
                    <DockPanel LastChildFill="False">
                        <!--上左边内容-->
                        <StackPanel Orientation="Horizontal">
                            <ToggleButton x:Name="MenuToggleButton"
                          AutomationProperties.Name="HamburgerToggleButton"
                          IsChecked="False"
                          Style="{StaticResource MaterialDesignHamburgerToggleButton}" />

                            <Button Margin="24,0,0,0"
                    materialDesign:RippleAssist.Feedback="{Binding RelativeSource={RelativeSource Self}, Path=Foreground, Converter={StaticResource BrushRoundConverter}}"
                    Command="{Binding GoForwardCommand}"
                    Content="{materialDesign:PackIcon Kind=ArrowLeft,
                                                      Size=24}"
                    Foreground="{Binding RelativeSource={RelativeSource AncestorType={x:Type FrameworkElement}}, Path=(TextElement.Foreground)}"
                    Style="{StaticResource MaterialDesignToolButton}"
                    ToolTip="Previous Item" />

                            <Button Margin="16,0,0,0"
                    materialDesign:RippleAssist.Feedback="{Binding RelativeSource={RelativeSource Self}, Path=Foreground, Converter={StaticResource BrushRoundConverter}}"
                    Command="{Binding GoBackCommand}"
                    Content="{materialDesign:PackIcon Kind=ArrowRight,
                                                      Size=24}"
                    Foreground="{Binding RelativeSource={RelativeSource AncestorType={x:Type FrameworkElement}}, Path=(TextElement.Foreground)}"
                    Style="{StaticResource MaterialDesignToolButton}"
                    ToolTip="Next Item" />
                            <TextBlock Margin="16,0,0,0"
                             HorizontalAlignment="Center"
                             VerticalAlignment="Center"
                             AutomationProperties.Name="Material Design In XAML Toolkit"
                             FontSize="22"
                             Text="笔记本" />
                        </StackPanel>
                        <!--上右边图标-->
                        <StackPanel DockPanel.Dock="Right" Orientation="Horizontal">
                            <Image Source="/Images/user.jpg" Width="25" Height="25">
                                <Image.Clip>
                                    <EllipseGeometry Center="12.5,12.5" RadiusX="12.5" RadiusY="12.5" />
                                </Image.Clip>
                            </Image>
                            <Button x:Name="btnMin" Style="{StaticResource MaterialDesignFlatMidBgButton}">
                                <materialDesign:PackIcon Kind="MoveResizeVariant" />
                            </Button>
                            <Button x:Name="btnMax" Style="{StaticResource MaterialDesignFlatMidBgButton}">
                                <materialDesign:PackIcon Kind="CardMultipleOutline" />
                            </Button>
                            <Button x:Name="btnClose" Style="{StaticResource MaterialDesignFlatMidBgButton}" Cursor="Hand">
                                <materialDesign:PackIcon Kind="WindowClose" />
                            </Button>
                        </StackPanel>
                    </DockPanel>

                </materialDesign:ColorZone>

                <!--内容展现区域-->
                <ContentControl prism:RegionManager.RegionName="{x:Static ext:PrismManager.MainViewRegionName}"/>
            </DockPanel>
        </materialDesign:DrawerHost>
    </materialDesign:DialogHost>
</Window>
  •  MainView.xaml.cs

/// <summary>
/// MainView.xaml 的交互逻辑
/// </summary>
public partial class MainView : Window
{
    public MainView()
    {
        InitializeComponent();
        //最小化
        btnMin.Click += (s, e) =>
        {
            this.WindowState = WindowState.Minimized;//窗口设置最小
        };
        //最大化
        btnMax.Click += (s, e) =>
        {
            //判断窗口是否是最小化状态
            if (this.WindowState == WindowState.Maximized)
            {
                this.WindowState = WindowState.Normal; //改成正常状态
            }
            else
            {
                this.WindowState = WindowState.Maximized;//最大化
            }
        };
        //关闭
        btnClose.Click += (s, e) =>
        {
            this.Close();
        };
        //鼠标拖动事件
        ColorZone.MouseMove += (s, e) =>
        {
            //如果鼠标在拖动
            if (e.LeftButton == MouseButtonState.Pressed)
            {
                this.DragMove();//让窗口移动
            }
        };

        //导航栏双击事件
        ColorZone.MouseDoubleClick += (s, e) =>
        {
            //双击时,如果是窗口是正常形态,就变成最大化
            if (this.WindowState == WindowState.Normal)
            {
                this.WindowState = WindowState.Maximized;
            }
            else
            {
                this.WindowState = WindowState.Normal;//否则就变成正常的形态
            }
        };
        //菜单选择事件
        menuBar.SelectionChanged += (s, e) =>
        {
            drawerHost.IsLeftDrawerOpen = false;
        };
    }
}
  • MainViewModel

public class MainViewModel: BindableBase
{
    public MainViewModel(IRegionManager regionManager)
    {
        MenuBars=new ObservableCollection<MenuBar>();
        CreateMenuBar();
        NavigateCommand = new DelegateCommand<MenuBar>(Navigate);
        this.regionManager = regionManager;
        GoBackCommand = new DelegateCommand(() =>
        {
            if(journal!=null && journal.CanGoBack) journal.GoBack();
        });
        GoForwardCommand = new DelegateCommand(() =>
        {
            if (journal != null && journal.CanGoForward) journal.GoForward();
        });
    }

    /// <summary>
    /// 导航方法
    /// </summary>
    /// <param name="bar">菜单</param>
    private void Navigate(MenuBar bar)
    {
        //命名空间为空,不进行导航
        if (bar == null || string.IsNullOrEmpty(bar.NameSpace)) return;

        regionManager.Regions[PrismManager.MainViewRegionName].RequestNavigate(bar.NameSpace, back =>
        {
            journal=back.Context.NavigationService.Journal;      
        }); 
    }
         
    /// <summary>
    /// 导航命令
    /// </summary>
    public DelegateCommand<MenuBar> NavigateCommand { get; private set; }

    /// <summary>
    /// 下一步
    /// </summary>
    public DelegateCommand GoBackCommand { get; private set; }
    /// <summary>
    /// 上一步
    /// </summary>
    public DelegateCommand GoForwardCommand { get; private set; }

    private ObservableCollection<MenuBar> menuBars;
    private readonly IRegionManager regionManager;
    /// <summary>
    /// 导航日志
    /// </summary>
    private IRegionNavigationJournal journal;
    public ObservableCollection<MenuBar> MenuBars
    {
        get { return menuBars; }
        set { menuBars = value; RaisePropertyChanged(); }
    }
    void CreateMenuBar()
    {
        MenuBars.Add(new MenuBar() { Icon="Home",Title="首页",NameSpace="IndexView"});
        MenuBars.Add(new MenuBar() { Icon = "NotebookCheckOutline", Title = "待办事项", NameSpace = "ToDoView" });
        MenuBars.Add(new MenuBar() { Icon = "NotebookPlusOutline", Title = "忘备录", NameSpace = "MemoView" });
        MenuBars.Add(new MenuBar() { Icon = "Cog", Title = "设置", NameSpace = "SettingsView" });
    }
}
  • App.xaml.cs
 public partial class App : PrismApplication
 {
     /// <summary>
     /// 创建启动页面
     /// </summary>
     /// <returns></returns>
     protected override Window CreateShell()
     {
        return Container.Resolve<MainView>();
     }
     /// <summary>
     /// 依懒注入的方法
     /// </summary>
     /// <param name="containerRegistry"></param>
     protected override void RegisterTypes(IContainerRegistry containerRegistry)
     {
         containerRegistry.RegisterForNavigation<IndexView, IndexViewModel>();
         containerRegistry.RegisterForNavigation<MemoView, MemoViewModel>();
         containerRegistry.RegisterForNavigation<ToDoView, ToDoViewModel>();
         containerRegistry.RegisterForNavigation<SettingsView, SettingsViewModel>();
     }
 }

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

如若内容造成侵权/违法违规/事实不符,请联系多彩编程网进行投诉反馈,一经查实,立即删除!

相关文章

快速解决mfc140u.dll丢失问题,找不到mfc140u.dll修复方法分享

在计算机使用过程中&#xff0c;我们可能会遇到各种问题&#xff0c;其中之一就是某些dll文件丢失。最近&#xff0c;我就遇到了一个关于mfc140u.dll丢失的问题。mfc140u.dll是Microsoft Foundation Class&#xff08;MFC&#xff09;库中的一个动态链接库文件&#xff0c;它包…

yolov8+动物+姿态识别(训练教程+代码)

本文关键词&#xff1a; 关键点检测 关键点估计 姿态估计 YOLO 动物姿态估计是计算机视觉的一个研究领域&#xff0c;是人工智能的一个子领域&#xff0c;专注于自动检测和分析图像或视频片段中动物的姿势和位置。目标是确定一种或多种动物的身体部位&#xff08;例如头部、四…

spring-cloud-starter-dubbo不设置心跳间隔导致生产者重启no Provider问题记录

版本 spring-cloud-starter-dubbo-2.2.4.RELEASE 问题描述 生产者重启后&#xff0c;正常注册到注册中心&#xff0c;但是消费者调用接口是no provider&#xff0c;偶现&#xff0c;频繁出现 解决办法 先说原因和解决办法&#xff0c;有兴趣可以看下问题的排查过程。 原因…

ELK搭建以及使用教程(多pipiline)

1、环境准备 服务器&#xff1a;Centos7 Jdk版本&#xff1a;1.8 Es版本&#xff1a;7.12.1 kibana版本&#xff1a;7.12.1 logstash版本:7.12.1 IP地址安装软件192.168.50.211Es&#xff0c;Kibana&#xff0c;logstash 2、安装docker 安装步骤参考&#xff1a;https:…

【KVM】KVM介绍及功能概述

前言 大家好&#xff0c;我是秋意零。 今天介绍的内容是KVM的概述&#xff0c;以及它所支持的基本功能。 &#x1f47f; 简介 &#x1f3e0; 个人主页&#xff1a; 秋意零&#x1f525; 账号&#xff1a;全平台同名&#xff0c; 秋意零 账号创作者、 云社区 创建者&#x1f…

安吉寻梦桃花原

安吉——西湖边的那片竹海 安吉县&#xff0c;地处浙江西北部&#xff0c;湖州市辖县之一&#xff0c;北靠天目山&#xff0c;面向沪宁杭。建县于公元185年&#xff0c;县名出自《诗经》“安且吉兮”之意。 安吉县生态环境优美宜居&#xff0c;境内“七山一水二分田”&#xf…

多线程与高并发实战

什么是进程&#xff1f; OS操作系统分配CPU资源的基础单位为进程 OS操作系统调度&#xff08;执行&#xff09;CPU资源的基础单位为线程 单核CPU设定多线程是否有意义&#xff1f; 线程数是不是设置的越大越好&#xff1f; 线程切换也要消耗资源 工作线程数&#xff08;线程…

浅谈前端出现率高的设计模式

目录 六大原则&#xff1a; 23 种设计模式分为“创建型”、“行为型”和“结构型” 前端九种设计模式 一、创建型 1.构造器模式&#xff1a;抽象了对象实例的变与不变(变的是属性值&#xff0c;不变的是属性名) 2. 工厂模式&#xff1a;为创建一组相关或相互依赖的对象提…

普通人快速逆袭的一个路径:AI赛道+早+下场干

昨天参加去参加了一场AI峰会&#xff0c;几点收获&#xff1a; 1、要早 无界AI300万用户&#xff0c;2022年5月就已经入场干 黄小刀出版最早的ChatGPT书籍和最早的ChatGPT训练营 浙工大团队也是2022年最早的使用AI绘画 2、要快速下场干 最早的知道这个事情没用&#xff0c;…

1067 试密码

一.问题&#xff1a; 当你试图登录某个系统却忘了密码时&#xff0c;系统一般只会允许你尝试有限多次&#xff0c;当超出允许次数时&#xff0c;账号就会被锁死。本题就请你实现这个小功能。 输入格式&#xff1a; 输入在第一行给出一个密码&#xff08;长度不超过 20 的、不…

周记录总结2

1.feign注解中没有URL/服务名是错误的 导致报错&#xff1a;找不到服务 2.测试环境测试时&#xff0c;接口看不到日志&#xff0c;但是页面可以看到接口的返回值 说明有其他机器注册到eureka中 配置文件register 调整为false 3.there is not getter for xxxx 重新编译打个包 …

LangChain+LLM实战---实用Prompt工程讲解

原文&#xff1a;Practical Prompt Engineering 注&#xff1a;本文中&#xff0c;提示和prompt几乎是等效的。 这是一篇非常全面介绍Prompt的文章&#xff0c;包括prompt作用于大模型的一些内在机制&#xff0c;和prompt可以如何对大模型进行“微调”。讲清楚了我们常常听到的…

SpringSecurity6从入门到上天系列第三篇:回顾Filter以及SpringSecurity6的实现原理

文章目录 前言 1&#xff1a;几个核心问题 2&#xff1a;一个关键思考 一&#xff1a;回顾Filter 1&#xff1a;过滤器概念作用 2&#xff1a;过滤器核心代码 3&#xff1a;过滤器原理 4&#xff1a;过滤器链 FilterChain 二&#xff1a;SSC的FilterChain 1&#xff…

2019数二(二重积分的不等式问题)

注&#xff1a; 1、在相同积分区域内的积分比较大小&#xff1a;被积函数大的积分值大&#xff0c;被积函数小的积分值小 2、在区间[0&#xff0c;Π/2]上 &#xff1a;sinx < x < tanx

JS+CSS随机点名详细介绍复制可用(可自己添加人名)

想必大家也想拥有一个可以随机点名的网页&#xff0c;接下来我为大家介绍一下随机点名&#xff0c;可用于抽人&#xff0c;哈哈 <!DOCTYPE html> <html><head><meta charset"utf-8"><title></title><style>* {margin: 0;…

前端框架Vue学习 ——(四)Axios

文章目录 Axios 介绍Axios 入门 Axios 介绍 介绍: Axios 对原生的 Ajax 进行了封装&#xff0c;简化书写&#xff0c;快速开发。&#xff08;异步请求&#xff09; 官网: https://www.axios-http.cn/ 官网介绍&#xff1a;Axios 是一个基于 promise 网络请求库&#xff0c;作…

一个很不错的开源图像库 Graphics32

Graphics32 是一个很不错的开源图像库。通过调试和跟踪Graphics32 的代码&#xff0c;可以快速的熟悉图像处理的一些知识。例外Graphics32有着很不错的性能。在不使用DirectX的情况下能达到一个惊人的速度&#xff0c;可以作为一个简单的2D引擎来使用&#xff0c;就功能上讲比那…

基于STC15单片机温度光照蓝牙传输-proteus仿真-源程序

一、系统方案 本设计采用STC15单片机作为主控器&#xff0c;液晶1602显示&#xff0c;DS18B20采集温度&#xff0c;光敏电阻采集光照、按键设置温度上下限&#xff0c;测量温度小于下限&#xff0c;启动加热&#xff0c;测量温度大于上限&#xff0c;启动降温。 二、硬件设计 …

Photoshop图片处理

工具 Photoshop剪映 步骤 打开photoshop 工具主界面 2. 导入素材图片 或者直接将图片拖入主界面 3. 双击图层&#xff0c;将背景图改为可编辑图层 4. 使用多边形套索工具勾画需要搽除的区域 5. 希望删除的区域使用多边形套索工具勾画出来后&#xff0c; 按“del”键&a…

Flutter 08 三棵树(Widgets、Elements和RenderObjects)

一、Flutter三棵树背景 1.1 先思考一些问题 1. Widget与Element是什么关系&#xff1f;它们是一一对应的还是怎么理解&#xff1f; 2. createState 方法在什么时候调用&#xff1f;state 里面为啥可以直接获取到 widget 对象&#xff1f; 3. Widget 频繁更改创建是否会影响…