• 电影售票系统遇到的问题


    电影售票系统遇到的问题(*暂时名字)

    1. 实现分页
      
      
      
      • 1
      • 2
      • 3
      • 4
      • 5
      • 6
      • 7
      • 8
      • 9
      • 10
      • 11
       queryForPage(current, size){
                          axios.get("/user/" + current + "/" + size).then((res) => {
                              this.tableData = res.data.data.records;
                              this.total = res.data.data.total;
                          })
                      },
      
      • 1
      • 2
      • 3
      • 4
      • 5
      • 6

      current为当前页码,size为每页显示的条数

    2. 实现从一个框架中控制另外一个框架显示的页面
      通过在另外一个框架中使用a标签利用href属性填写要跳转的页面,target中填要指定框架的名字
       用户
      
      • 1
    3. 实现从一个框架中将参数传至另外一个框架
      以往一直在编写的都是前台的UI,不多使用到frameset、iframe,对其了解也是十分有限,只是知道其能够为其当前页面引入html文件成为当前页的一部分,可是这两天在作后台UI界面的时候,发现这样的框架也是有至关多知识点在里面的。那框架是啥?能够这样说:经过使用框架,你能够在同一个浏览器窗口中显示不止一个页面。每份HTML文档称为一个框架,而且每一个框架都独立于其余的框架。那么关于框架,有几个方面是须要我了解的:html
      
      (1)得到html页面上的frame浏览器
      
        window.frames能够得到本页面上全部frame集合,用法与document.forms,document.imgs的用法类似,这是这里用的是window对象,获取某个框架能够这样作window.frames[0]、window.frames['frameName']、frames['frameName']、frames[0]、self.frames[0],此处self与window等价,至关于本页面的window对象。框架
      
      这里也还要再看两个属性,contentWindow、contentDocument两个属性,也是能够用来获取子窗口,框架的window对象的。函数
      
      contentWindow 兼容各个浏览器,可取得子窗口的 window 对象。spa
      
      contentDocument Firefox 支持,> ie8 的ie支持。可取得子窗口的 document 对象。code
      
      假如我要刷新本页面中第一个框架的页面,能够怎么作:orm
      
      window.frames[0].contentWindow.location.reload();
      (2)父框架调用子框架的变量或函数htm
      
      结合上面说的得到页面上的frame,那么调用子框架的变量或是函数能够这样来:对象
      
      frames[0].a;
      frames[0].refresh();
      alert(frames[0].location.href);
      这是调用第一个框架里面的a变量和refresh函数。blog
      
      (3)子框架调用父框架的变量或函数
      
      对于子框架调用父框架的这种状况下,window有个属性叫parent,用来调用上层框架的,因此能够这样来:
      
      window.parent.a;
      window.parent.refresh();
      这是调用子框架调用父框架的a变量和refresh函数。
      
      (4)兄弟框架之间的调用
      
       能够经过它们的父框架来相互调用,能够这样作
      
      self.parent.frames['child1'];
      self.parent.frames['child2'];
      (5)多层框架的调用
      
      window.frames[0].frames[2];
      window.frames['child_1'].frames['sub_child_3'];
      (6)顶层框架
      
      首先须要判断是否为顶层框架,也就是根,能够这样来作:
      
      if(self==window.top){
              //....
      }
      /*window的另一个属性top,它表示对顶层框架的引用,这能够用来判断一个框架自身是否为顶层框架*/
      
      • 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
    4. 实现将vue中的参数传至js中
      this.selectDataVisible = self.toggle; 将js中的参数传至vue同理
      
      • 1
    5. 实现定时获取即定义方法,每隔一段时间刷新,在钩子函数created中调用即可,注意写的位置不同不影响结果
       fresh:function (){
                          setInterval(() =>{
                              this.selectDataVisible = self.toggle;
                          }, 500)
      
                      },
      
      • 1
      • 2
      • 3
      • 4
      • 5
      • 6
      特别注意:data中的数据只会执行一次
    6. 实现对话框通过关闭选项关闭
      1. 如果可以通过调用函数关闭则调用before-close关闭
      2. 如果不可以则不显示关闭选项

        注意:在vue中如果显示预期是方法或boolean得到字符串,那么就在该属性的前面加上冒号

    7. 编译错误
      1. 考虑是内容格式不对,注意要使用英文下的字符
    8. 将表中查询的对象转化为前端要显示的对象
       /**
           * 转换一个对象
           * @param source
           * @param target
           * @param 
           * @param 
           * @return
           */
          public static  V  copyBean(O source, Class target){
              //创建目标对象
              V result = null;
              try {
                  result = target.newInstance();
                  //实现属性copy
                  BeanUtils.copyProperties(source, result);
              }
              catch (Exception e) {
                  e.printStackTrace();
              }
              //返回结果
              return result;
          }
      
          /**
           * 转换一个列表
           * @param list
           * @param target
           * @param 
           * @param 
           * @return
           */
          public static  List copyBeanList(List list, Class target){
              return list.stream()
                      .map(o -> copyBean(o, target))
                      .collect(Collectors.toList());
      
          }
          
           /**
           * 将获取的参数转化为输出对象
           * @return
           */
          @GetMapping
          public Result getAll(){
              List roles = roleService.list(null);
              List roleVos = BeanCopyUtils.copyBeanList(roles, RoleVo.class);
              return new Result(null, roleVos, null);
          }
      
      • 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
    9. 如何用vue给img的src属性绑定变量
      利用v-bind与字符串拼接将变量绑定上去注意,整个字符串是在双引号里,然后内部用+号把单引号拼接起来,特别注意src前面要加:
       
                              
                          
      
      • 1
      • 2
      • 3
    10. 根据值灵活给class绑定对应的属性
      
                              {{index+1}}
                              
                          
      
      • 1
      • 2
      • 3
      • 4
      特别注意:原生的元素要用引号括起来,不然会识别成Vue中的变量或方法
    11. mysql报错Out of range value for column ‘user_id’ at row 1] with root cause,数据库修改数据或插入数据的时候发生错误,找错要明确错误发生的位置是前端接口写错,还是后端不能识别,又或者是在识别后写入服务器发生错误。要注意数据库中bigint类型不能写入负数,然后要进行接口测试时最好使用postman
    12. Vue中通过点击当前元素,的到当前元素位置,并设置属性
      @click="swift(index, j, $event)"//元素中给方法形参添加$event属性
      
      • 1
       swift:function (i, j, event){  
                      if(this.addSeats.length < 4){
                      	//通过event.target获取当前元素
                       	event.target.setAttribute('class', 'on_element')
                          this.addSeats.push(this.seats[i][j]);
                          this.sum += this.session.sellingPrice;
                      }else{
                          this.$message.warning("一次性最多能购买四张票!");
                      }
      
                  },
      
      • 1
      • 2
      • 3
      • 4
      • 5
      • 6
      • 7
      • 8
      • 9
      • 10
      • 11
      API		#当前点击的元素
      
              e.target
      
              #是你绑定事件的元素
      
              e.currentTarget
      
              #获得点击元素的前一个元素
      
              e.currentTarget.previousElementSibling.innerHTML
      
              #获得点击元素的第一个子元素
      
              e.currentTarget.firstElementChild
      
              # 获得点击元素的下一个元素
      
              e.currentTarget.nextElementSibling
      
              # 获得点击元素中id为string的元素
      
              e.currentTarget.getElementById("string")
      
              # 获得点击元素的string属性
      
              e.currentTarget.getAttributeNode('string')
      
              # 获得点击元素的父级元素
      
              e.currentTarget.parentElement
      
              # 获得点击元素的前一个元素的第一个子元素的HTML值
      
              e.currentTarget.previousElementSibling.firstElementChild.innerHTML
      
      
      • 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
      注意:如果要使用框架的话能用框架自带的方法尽量用自带的方法,要不然转换很麻烦
    13. 将日期全部改成指定的格式
      配置
      package com.liuwei.config;
      
      import com.alibaba.fastjson.serializer.SerializeConfig;
      import com.alibaba.fastjson.serializer.SerializerFeature;
      import com.alibaba.fastjson.support.config.FastJsonConfig;
      import com.alibaba.fastjson.support.spring.FastJsonHttpMessageConverter;
      import org.springframework.context.annotation.Bean;
      import org.springframework.context.annotation.Configuration;
      import org.springframework.http.converter.HttpMessageConverter;
      import org.springframework.web.servlet.config.annotation.WebMvcConfigurer;
      
      import java.util.List;
      
      @Configuration
      public class WebConfig implements WebMvcConfigurer {
          @Bean
          public HttpMessageConverter fastJsonHttpMessageConverters(){
              //需要定义一个Convert转换消息对象
              FastJsonHttpMessageConverter fastConvert = new FastJsonHttpMessageConverter();
              FastJsonConfig fastJsonConfig = new FastJsonConfig();
              fastJsonConfig.setSerializerFeatures(SerializerFeature.PrettyFormat);
              fastJsonConfig.setDateFormat("yyyy-MM-dd HH:mm:ss");
      
              //SerializeConfig.getGlobalInstance().put(Long.class, ToStringSerializer.instance);
      
              fastJsonConfig.setSerializeConfig(SerializeConfig.getGlobalInstance());
              fastConvert.setFastJsonConfig(fastJsonConfig);
              HttpMessageConverter converter = fastConvert;
              return converter;
          }
      
          @Override
          public void configureMessageConverters(List> converters) {
              converters.add(fastJsonHttpMessageConverters());
          }
      
      //    @Override
      //    public void addCorsMappings(CorsRegistry registry) {
      //        //允许跨域路径
      //        registry.addMapping("/**")
      //                //允许域名
      //                .allowedOrigins("*")
      //                //允许cookie
      //                .allowCredentials(true)
      //                //允许请求的方式
      //                .allowedMethods("GET", "POST", "DELETE", "PUT")
      //                //允许header属性
      //                .allowedHeaders("*")
      //                //允许跨域时间
      //                .maxAge(3600);
      //
      //    }
      }
      
      
      • 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
      注意:之后开发Web项目先将后端开发完,再集成权限管理系统、再实现登录注册
    14. SpringSecurity报empty encoded password
      原因是未获到值,将User中的password字段的不查询密码注解删除就可以了
          @Override
          public String getPassword() {
              return user.getPassword();
          }
      
      • 1
      • 2
      • 3
      • 4
      • 5
    15. 授权问题
      1. 主配置类
        package com.liuwei.config;
        
        import com.liuwei.filter.AuthenticationTokenFilter;
        import org.springframework.context.annotation.Bean;
        import org.springframework.context.annotation.Configuration;
        import org.springframework.security.authentication.AuthenticationManager;
        import org.springframework.security.config.annotation.authentication.builders.AuthenticationManagerBuilder;
        import org.springframework.security.config.annotation.method.configuration.EnableGlobalMethodSecurity;
        import org.springframework.security.config.annotation.web.builders.HttpSecurity;
        import org.springframework.security.config.annotation.web.builders.WebSecurity;
        import org.springframework.security.config.annotation.web.configuration.WebSecurityConfigurerAdapter;
        import org.springframework.security.core.userdetails.UserDetailsService;
        import org.springframework.security.crypto.bcrypt.BCryptPasswordEncoder;
        import org.springframework.security.crypto.password.PasswordEncoder;
        import org.springframework.security.web.AuthenticationEntryPoint;
        import org.springframework.security.web.access.AccessDeniedHandler;
        import org.springframework.security.web.authentication.UsernamePasswordAuthenticationFilter;
        
        import javax.annotation.Resource;
        
        @Configuration
        @EnableGlobalMethodSecurity(prePostEnabled = true, securedEnabled = true)
        public class SecurityConfig extends WebSecurityConfigurerAdapter {
            /**
             * 自定义用户认证逻辑
             */
            @Resource
            private UserDetailsService userDetailsService;
        
            /**
             * 注入passwordEncorder到spring容器
             * @return
             */
            @Bean
            public PasswordEncoder passwordEncoder(){
                return new BCryptPasswordEncoder();
            }
            @Resource
            private AuthenticationEntryPoint authenticationEntryPoint;
            @Resource
            private AccessDeniedHandler accessDeniedHandler;
        
            @Resource
            AuthenticationTokenFilter authenticationTokenFilter;
            @Override
            protected void configure(HttpSecurity http) throws Exception {
                //解决frame框架不能嵌套
                http.headers().frameOptions().disable();
                //设置没有权限访问跳转自定义页面
                http.exceptionHandling().accessDeniedPage("/pages/unauth.html");
                //退出,这里是退出前端接口的约定
                http.logout().logoutUrl("/login/logout").logoutSuccessUrl("/index.html").permitAll();
                //表单登录
                http.formLogin().
                        //设置登录页面
                        loginPage("/pages/login.html")
                        //设置登录接口地址
                        .loginProcessingUrl("/user/login")
                        //登录成功跳转
                        .defaultSuccessUrl("/pages/router.html")
                        //失败跳转
                        .failureForwardUrl("/fail")
                        .permitAll();
                //都需要身份验证
                http.authorizeRequests()
                        //对于登录接口允许匿名访问
                        //既可以写接口也可以静态资源
                        .antMatchers("/login", "/login/register", "/captcha/code", "/pages/regist.html").anonymous()
                        .antMatchers("/pages/**").hasAnyRole("ROLE_管理员", "ROLE_会员")
                        //所有静态资源允许匿名访问
                        .antMatchers("/css/**", "/js/**", "/images/**", "/plugins/**", "/index.html").permitAll()
                        //其它全部请求需要鉴权认证
                        .anyRequest().authenticated();
        
        
        
                //关闭csrf
                http.csrf().disable();
        
        
                //把token校验过滤器添加到过滤器中
                http.addFilterBefore(authenticationTokenFilter, UsernamePasswordAuthenticationFilter.class);
        
                //配置异常处理类
                http.exceptionHandling()
                        //配置认证失败处理器
                .authenticationEntryPoint(authenticationEntryPoint)
                        .accessDeniedHandler(accessDeniedHandler);
            }
        
        
            @Bean
            @Override
            protected AuthenticationManager authenticationManager() throws Exception {
                return super.authenticationManager();
            }
        
            /**
             * 身份认证接口
             * @param auth
             * @throws Exception
             */
            @Override
            protected void configure(AuthenticationManagerBuilder auth) throws Exception {
                //告诉SpringSecurity 我们要使用自己定义的userDetailService来通过
                auth.userDetailsService(userDetailsService).passwordEncoder(passwordEncoder());
            }
        
        
        }
        
        
        • 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
        • 97
        • 98
        • 99
        • 100
        • 101
        • 102
        • 103
        • 104
        • 105
        • 106
        • 107
        • 108
        • 109
        • 110
        • 111
      2. 实现UserDetail查询用户是否存在,及授权
        package com.liuwei.service.impl;
        
        import com.baomidou.mybatisplus.core.conditions.query.LambdaQueryWrapper;
        import com.liuwei.domain.*;
        import com.liuwei.service.MenuService;
        import com.liuwei.service.RoleMenuService;
        import com.liuwei.service.RoleService;
        import com.liuwei.service.UserService;
        import org.springframework.security.core.GrantedAuthority;
        import org.springframework.security.core.authority.AuthorityUtils;
        import org.springframework.security.core.userdetails.UserDetails;
        import org.springframework.security.core.userdetails.UserDetailsService;
        import org.springframework.security.core.userdetails.UsernameNotFoundException;
        import org.springframework.stereotype.Service;
        
        import javax.annotation.Resource;
        import java.util.ArrayList;
        import java.util.Arrays;
        import java.util.List;
        import java.util.Objects;
        import java.util.stream.Collectors;
        
        //该类的主要目的是用于获取用户,如果连账号都找不到
        @Service
        public class UserDetailServiceImpl implements UserDetailsService {
            @Resource
            private UserService userService;
            @Resource
            private RoleMenuService roleMenuService;
            @Resource
            private MenuService menuService;
            @Resource
            private RoleService roleService;
            @Override
            public UserDetails loadUserByUsername(String username) throws UsernameNotFoundException {
                //根据用户名查询信息
                LambdaQueryWrapper lambdaQueryWrapper = new LambdaQueryWrapper<>();
                lambdaQueryWrapper.eq(User::getUsername, username);
                User user = userService.getOne(lambdaQueryWrapper);
                //如果查询不到数据就通过抛出异常来给出信息
                if(Objects.isNull(user))
                    throw new RuntimeException("用户名或密码错误!");
                //TODO 根据用户查询权限信息,添加到LoginUser中
                LambdaQueryWrapper lambdaQueryWrapper1 = new LambdaQueryWrapper<>();
                lambdaQueryWrapper1.eq(RoleMenu::getRoleId, user.getRole());
                LambdaQueryWrapper queryWrapperRole = new LambdaQueryWrapper<>();
                //获取用户角色
                queryWrapperRole.eq(Role::getId, user.getRole());
                Role role = roleService.getOne(queryWrapperRole);
                //角色列表
                List menus = new ArrayList<>();
                //将角色加到权限表中
                menus.add("ROLE_" + role.getName());
        
                roleMenuService.list(lambdaQueryWrapper1).stream()
                        .forEach(roleMenu -> {
                            LambdaQueryWrapper menuLambdaQueryWrapper = new LambdaQueryWrapper<>();
                            menuLambdaQueryWrapper.eq(Menu::getId, roleMenu.getMenuId());
                            menus.add(menuService.getOne(menuLambdaQueryWrapper).getMenuName());
                        });
        
                //根据当前用户的roleId去权限角色关联表中将对应的权限id查询出来,最后再将所有权限封装给list
                return new LoginUser(user, menus);
            }
        }
        
        
        • 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
      3. LoginUser实现对用户信息的封装,包括权限以及一些配置信息
        package com.liuwei.domain;
        
        import com.alibaba.fastjson.annotation.JSONField;
        import lombok.AllArgsConstructor;
        import lombok.Data;
        import lombok.NoArgsConstructor;
        import org.springframework.security.core.GrantedAuthority;
        import org.springframework.security.core.authority.SimpleGrantedAuthority;
        import org.springframework.security.core.userdetails.UserDetails;
        import org.springframework.stereotype.Service;
        
        import java.util.Collection;
        import java.util.List;
        import java.util.stream.Collectors;
        
        @Data
        @AllArgsConstructor
        @NoArgsConstructor
        @Service
        public class LoginUser implements UserDetails {
            private User user;
            //存储权限信息
            private List permissions;
        
            public LoginUser(User user, List permissions){
                this.user = user;
                this.permissions = permissions;
            }
            //存储SpringSecurity所需要的权限信息的集合
            @JSONField(serialize = false)
            private List authorities;
            @Override
            public Collection getAuthorities() {
               if(authorities != null) return authorities;
               //把permissions中字符串类型的权限信息转换成GrantedAuthority对象存入authorities中
                authorities = permissions.stream()
                        .map(SimpleGrantedAuthority::new)
                        .collect(Collectors.toList());
                return authorities;
            }
        
            @Override
            public String getPassword() {
                return user.getPassword();
            }
        
            @Override
            public String getUsername() {
                return user.getUsername();
            }
        
            @Override
            public boolean isAccountNonExpired() {
                return true;
            }
        
            @Override
            public boolean isAccountNonLocked() {
                return true;
            }
        
            @Override
            public boolean isCredentialsNonExpired() {
                return true;
            }
        
            @Override
            public boolean isEnabled() {
                return true;
            }
        }
        
        
        • 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
      4. token权限认证过滤器
        package com.liuwei.filter;
        
        import com.liuwei.domain.LoginUser;
        import com.liuwei.utils.JwtUtil;
        import com.liuwei.utils.RedisCache;
        import io.jsonwebtoken.Claims;
        import org.springframework.beans.factory.annotation.Autowired;
        import org.springframework.security.authentication.UsernamePasswordAuthenticationToken;
        import org.springframework.security.core.context.SecurityContextHolder;
        import org.springframework.stereotype.Component;
        import org.springframework.util.StringUtils;
        import org.springframework.web.filter.OncePerRequestFilter;
        
        import javax.servlet.FilterChain;
        import javax.servlet.ServletException;
        import javax.servlet.http.HttpServletRequest;
        import javax.servlet.http.HttpServletResponse;
        import javax.servlet.http.HttpSession;
        import java.io.IOException;
        import java.util.Objects;
        
        @Component
        public class AuthenticationTokenFilter extends OncePerRequestFilter {
            @Autowired
            private RedisCache redisCache;
        
            @Override
            protected void doFilterInternal(HttpServletRequest request, HttpServletResponse response, FilterChain filterChain) throws ServletException, IOException {
                //获取token
                String token = request.getHeader("token");
                if(!StringUtils.hasText(token)){
                    //放行
                    filterChain.doFilter(request, response);
                    return;
                }
        
                //解析token
                String userid;
                //从session中获取用户信息
                try {
                    Claims claims = JwtUtil.parseJWT(token);
                    userid = claims.getSubject();
                } catch (Exception e) {
                    e.printStackTrace();
                    throw new RuntimeException("token非法");
                }
                //从redis中获取用户信息
                String redisKey = "login:" + userid;
                LoginUser loginUser = redisCache.getCacheObject(redisKey);
        
                if(Objects.isNull(loginUser)){
                    throw new RuntimeException("用户未登录!");
                }
                //存入SecurityContextHolder
                //todo 获取权限信息Authentication中
                UsernamePasswordAuthenticationToken authenticationToken =
                        new UsernamePasswordAuthenticationToken(loginUser, null, loginUser.getAuthorities());
                SecurityContextHolder.getContext().setAuthentication(authenticationToken);
                //放行
                filterChain.doFilter(request, response);
            }
        }
        
        
        • 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
      5. 认证失败处理
        package com.liuwei.exception;
        
        import com.alibaba.fastjson.JSON;
        import com.liuwei.utils.Result;
        import com.liuwei.utils.WebUtils;
        import org.springframework.http.HttpStatus;
        import org.springframework.security.core.AuthenticationException;
        import org.springframework.security.web.AuthenticationEntryPoint;
        import org.springframework.stereotype.Component;
        
        import javax.servlet.ServletException;
        import javax.servlet.http.HttpServletRequest;
        import javax.servlet.http.HttpServletResponse;
        import java.io.IOException;
        @Component
        public class AuthenticationEntryPointImpl implements AuthenticationEntryPoint {
        
            @Override
            public void commence(HttpServletRequest httpServletRequest, HttpServletResponse httpServletResponse, AuthenticationException e) throws IOException, ServletException {
                Result result = new Result(HttpStatus.UNAUTHORIZED.value(), null, "认证失败请重新登录");
                //通过JSON。toJsonString将对象转化为JSON对象
                String json = JSON.toJSONString(result);
                WebUtils.renderString(httpServletResponse, json);
            }
        }
        
        
        • 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
      6. 权限不足处理
        package com.liuwei.exception;
        
        import com.alibaba.fastjson.JSON;
        import com.liuwei.utils.Result;
        import com.liuwei.utils.WebUtils;
        import org.springframework.http.HttpStatus;
        import org.springframework.security.access.AccessDeniedException;
        import org.springframework.security.web.access.AccessDeniedHandler;
        import org.springframework.stereotype.Component;
        
        import javax.servlet.ServletException;
        import javax.servlet.http.HttpServletRequest;
        import javax.servlet.http.HttpServletResponse;
        import java.io.IOException;
        @Component
        public class AccessDeniedHandlerImpl implements AccessDeniedHandler {
            @Override
            public void handle(HttpServletRequest httpServletRequest, HttpServletResponse httpServletResponse, AccessDeniedException e) throws IOException, ServletException {
                Result result = new Result(HttpStatus.FORBIDDEN.value(), null, "权限不足");
                String json = JSON.toJSONString(result);
                WebUtils.renderString(httpServletResponse, json);
            }
        }
        
        
        • 1
        • 2
        • 3
        • 4
        • 5
        • 6
        • 7
        • 8
        • 9
        • 10
        • 11
        • 12
        • 13
        • 14
        • 15
        • 16
        • 17
        • 18
        • 19
        • 20
        • 21
        • 22
        • 23
        • 24
      7. 接口授权
         /**
             * 将获取的参数转化为输出对象
             *
             *
             * @return
             */
            @GetMapping
            @PreAuthorize("hasRole('ROLE_管理员')")
            public Result getAll(){
                List menus = menuService.list();
                List menuVos = BeanCopyUtils.copyBeanList(menus, MenuVo.class);
                return new Result(null, menuVos, null);
             }
        
        • 1
        • 2
        • 3
        • 4
        • 5
        • 6
        • 7
        • 8
        • 9
        • 10
        • 11
        • 12
        • 13
      8. Redis序列化
        package com.liuwei.utils;
        
        
        import com.alibaba.fastjson.JSON;
        import com.alibaba.fastjson.serializer.SerializerFeature;
        import com.fasterxml.jackson.databind.JavaType;
        import com.fasterxml.jackson.databind.ObjectMapper;
        import com.fasterxml.jackson.databind.type.TypeFactory;
        import org.springframework.data.redis.serializer.RedisSerializer;
        import org.springframework.data.redis.serializer.SerializationException;
        import com.alibaba.fastjson.parser.ParserConfig;
        import org.springframework.util.Assert;
        import java.nio.charset.Charset;
        
        /**
         * Redis使用FastJson序列化
         *
         * @author sg
         */
        public class FastJsonRedisSerializer implements RedisSerializer
        {
        
            public static final Charset DEFAULT_CHARSET = Charset.forName("UTF-8");
        
            private Class clazz;
        
            static
            {
                ParserConfig.getGlobalInstance().setAutoTypeSupport(true);
            }
        
            public FastJsonRedisSerializer(Class clazz)
            {
                super();
                this.clazz = clazz;
            }
        
            @Override
            public byte[] serialize(T t) throws SerializationException
            {
                if (t == null)
                {
                    return new byte[0];
                }
                return JSON.toJSONString(t, SerializerFeature.WriteClassName).getBytes(DEFAULT_CHARSET);
            }
        
            @Override
            public T deserialize(byte[] bytes) throws SerializationException
            {
                if (bytes == null || bytes.length <= 0)
                {
                    return null;
                }
                String str = new String(bytes, DEFAULT_CHARSET);
        
                return JSON.parseObject(str, clazz);
            }
        
        
            protected JavaType getJavaType(Class clazz)
            {
                return TypeFactory.defaultInstance().constructType(clazz);
            }
        }
        
        
        
        
        • 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
      9. JWT工具类
        package com.liuwei.utils;
        
        
        import io.jsonwebtoken.Claims;
        import io.jsonwebtoken.JwtBuilder;
        import io.jsonwebtoken.Jwts;
        import io.jsonwebtoken.SignatureAlgorithm;
        
        import javax.crypto.SecretKey;
        import javax.crypto.spec.SecretKeySpec;
        import java.util.Base64;
        import java.util.Date;
        import java.util.UUID;
        
        /**
         * JWT工具类
         */
        public class JwtUtil {
        
            //有效期为
            public static final Long JWT_TTL = 60 * 60 *1000L;// 60 * 60 *1000  一个小时
            //设置秘钥明文
            public static final String JWT_KEY = "liuwei";
        
            public static String getUUID(){
                String token = UUID.randomUUID().toString().replaceAll("-", "");
                return token;
            }
        
            /**
             * 生成jtw
             * @param subject token中要存放的数据(json格式)
             * @return
             */
            public static String createJWT(String subject) {
                JwtBuilder builder = getJwtBuilder(subject, null, getUUID());// 设置过期时间
                return builder.compact();
            }
        
            /**
             * 生成jtw
             * @param subject token中要存放的数据(json格式)
             * @param ttlMillis token超时时间
             * @return
             */
            public static String createJWT(String subject, Long ttlMillis) {
                JwtBuilder builder = getJwtBuilder(subject, ttlMillis, getUUID());// 设置过期时间
                return builder.compact();
            }
        
            private static JwtBuilder getJwtBuilder(String subject, Long ttlMillis, String uuid) {
                SignatureAlgorithm signatureAlgorithm = SignatureAlgorithm.HS256;
                SecretKey secretKey = generalKey();
                long nowMillis = System.currentTimeMillis();
                Date now = new Date(nowMillis);
                if(ttlMillis==null){
                    ttlMillis=JwtUtil.JWT_TTL;
                }
                long expMillis = nowMillis + ttlMillis;
                Date expDate = new Date(expMillis);
                return Jwts.builder()
                        .setId(uuid)              //唯一的ID
                        .setSubject(subject)   // 主题  可以是JSON数据
                        .setIssuer("sg")     // 签发者
                        .setIssuedAt(now)      // 签发时间
                        .signWith(signatureAlgorithm, secretKey) //使用HS256对称加密算法签名, 第二个参数为秘钥
                        .setExpiration(expDate);
            }
        
            /**
             * 创建token
             * @param id
             * @param subject
             * @param ttlMillis
             * @return
             */
            public static String createJWT(String id, String subject, Long ttlMillis) {
                JwtBuilder builder = getJwtBuilder(subject, ttlMillis, id);// 设置过期时间
                return builder.compact();
            }
        
            public static void main(String[] args) throws Exception {
                String token = "eyJhbGciOiJIUzI1NiJ9.eyJqdGkiOiJjYWM2ZDVhZi1mNjVlLTQ0MDAtYjcxMi0zYWEwOGIyOTIwYjQiLCJzdWIiOiJzZyIsImlzcyI6InNnIiwiaWF0IjoxNjM4MTA2NzEyLCJleHAiOjE2MzgxMTAzMTJ9.JVsSbkP94wuczb4QryQbAke3ysBDIL5ou8fWsbt_ebg";
                Claims claims = parseJWT(token);
                System.out.println(claims);
            }
        
            /**
             * 生成加密后的秘钥 secretKey
             * @return
             */
            public static SecretKey generalKey() {
                byte[] encodedKey = Base64.getDecoder().decode(JwtUtil.JWT_KEY);
                SecretKey key = new SecretKeySpec(encodedKey, 0, encodedKey.length, "AES");
                return key;
            }
        
            /**
             * 解析
             *
             * @param jwt
             * @return
             * @throws Exception
             */
            public static Claims parseJWT(String jwt) throws Exception {
                SecretKey secretKey = generalKey();
                return Jwts.parser()
                        .setSigningKey(secretKey)
                        .parseClaimsJws(jwt)
                        .getBody();
            }
        }
        
        
        
        
        • 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
        • 97
        • 98
        • 99
        • 100
        • 101
        • 102
        • 103
        • 104
        • 105
        • 106
        • 107
        • 108
        • 109
        • 110
        • 111
        • 112
        • 113
        • 114
        • 115
      10. Redis缓存配置
        package com.liuwei.utils;
        
        
        import org.springframework.beans.factory.annotation.Autowired;
        import org.springframework.data.redis.core.BoundSetOperations;
        import org.springframework.data.redis.core.HashOperations;
        import org.springframework.data.redis.core.RedisTemplate;
        import org.springframework.data.redis.core.ValueOperations;
        import org.springframework.stereotype.Component;
        
        import java.util.*;
        import java.util.concurrent.TimeUnit;
        
        @SuppressWarnings(value = { "unchecked", "rawtypes" })
        @Component
        public class RedisCache
        {
            @Autowired
            public RedisTemplate redisTemplate;
        
            /**
             * 缓存基本的对象,Integer、String、实体类等
             *
             * @param key 缓存的键值
             * @param value 缓存的值
             */
            public  void setCacheObject(final String key, final T value)
            {
                redisTemplate.opsForValue().set(key, value);
            }
        
            /**
             * 缓存基本的对象,Integer、String、实体类等
             *
             * @param key 缓存的键值
             * @param value 缓存的值
             * @param timeout 时间
             * @param timeUnit 时间颗粒度
             */
            public  void setCacheObject(final String key, final T value, final Integer timeout, final TimeUnit timeUnit)
            {
                redisTemplate.opsForValue().set(key, value, timeout, timeUnit);
            }
        
            /**
             * 设置有效时间
             *
             * @param key Redis键
             * @param timeout 超时时间
             * @return true=设置成功;false=设置失败
             */
            public boolean expire(final String key, final long timeout)
            {
                return expire(key, timeout, TimeUnit.SECONDS);
            }
        
            /**
             * 设置有效时间
             *
             * @param key Redis键
             * @param timeout 超时时间
             * @param unit 时间单位
             * @return true=设置成功;false=设置失败
             */
            public boolean expire(final String key, final long timeout, final TimeUnit unit)
            {
                return redisTemplate.expire(key, timeout, unit);
            }
        
            /**
             * 获得缓存的基本对象。
             *
             * @param key 缓存键值
             * @return 缓存键值对应的数据
             */
            public  T getCacheObject(final String key)
            {
                ValueOperations operation = redisTemplate.opsForValue();
                return operation.get(key);
            }
        
            /**
             * 删除单个对象
             *
             * @param key
             */
            public boolean deleteObject(final String key)
            {
                return redisTemplate.delete(key);
            }
        
            /**
             * 删除集合对象
             *
             * @param collection 多个对象
             * @return
             */
            public long deleteObject(final Collection collection)
            {
                return redisTemplate.delete(collection);
            }
        
            /**
             * 缓存List数据
             *
             * @param key 缓存的键值
             * @param dataList 待缓存的List数据
             * @return 缓存的对象
             */
            public  long setCacheList(final String key, final List dataList)
            {
                Long count = redisTemplate.opsForList().rightPushAll(key, dataList);
                return count == null ? 0 : count;
            }
        
            /**
             * 获得缓存的list对象
             *
             * @param key 缓存的键值
             * @return 缓存键值对应的数据
             */
            public  List getCacheList(final String key)
            {
                return redisTemplate.opsForList().range(key, 0, -1);
            }
        
            /**
             * 缓存Set
             *
             * @param key 缓存键值
             * @param dataSet 缓存的数据
             * @return 缓存数据的对象
             */
            public  BoundSetOperations setCacheSet(final String key, final Set dataSet)
            {
                BoundSetOperations setOperation = redisTemplate.boundSetOps(key);
                Iterator it = dataSet.iterator();
                while (it.hasNext())
                {
                    setOperation.add(it.next());
                }
                return setOperation;
            }
        
            /**
             * 获得缓存的set
             *
             * @param key
             * @return
             */
            public  Set getCacheSet(final String key)
            {
                return redisTemplate.opsForSet().members(key);
            }
        
            /**
             * 缓存Map
             *
             * @param key
             * @param dataMap
             */
            public  void setCacheMap(final String key, final Map dataMap)
            {
                if (dataMap != null) {
                    redisTemplate.opsForHash().putAll(key, dataMap);
                }
            }
        
            /**
             * 获得缓存的Map
             *
             * @param key
             * @return
             */
            public  Map getCacheMap(final String key)
            {
                return redisTemplate.opsForHash().entries(key);
            }
        
            /**
             * 往Hash中存入数据
             *
             * @param key Redis键
             * @param hKey Hash键
             * @param value 值
             */
            public  void setCacheMapValue(final String key, final String hKey, final T value)
            {
                redisTemplate.opsForHash().put(key, hKey, value);
            }
        
            /**
             * 获取Hash中的数据
             *
             * @param key Redis键
             * @param hKey Hash键
             * @return Hash中的对象
             */
            public  T getCacheMapValue(final String key, final String hKey)
            {
                HashOperations opsForHash = redisTemplate.opsForHash();
                return opsForHash.get(key, hKey);
            }
        
            /**
             * 删除Hash中的数据
             *
             * @param key
             * @param hkey
             */
            public void delCacheMapValue(final String key, final String hkey)
            {
                HashOperations hashOperations = redisTemplate.opsForHash();
                hashOperations.delete(key, hkey);
            }
        
            /**
             * 获取多个Hash中的数据
             *
             * @param key Redis键
             * @param hKeys Hash键集合
             * @return Hash对象集合
             */
            public  List getMultiCacheMapValue(final String key, final Collection hKeys)
            {
                return redisTemplate.opsForHash().multiGet(key, hKeys);
            }
        
            /**
             * 获得缓存的基本对象列表
             *
             * @param pattern 字符串前缀
             * @return 对象列表
             */
            public Collection keys(final String pattern)
            {
                return redisTemplate.keys(pattern);
            }
        }
        
        
        
        
        • 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
        • 97
        • 98
        • 99
        • 100
        • 101
        • 102
        • 103
        • 104
        • 105
        • 106
        • 107
        • 108
        • 109
        • 110
        • 111
        • 112
        • 113
        • 114
        • 115
        • 116
        • 117
        • 118
        • 119
        • 120
        • 121
        • 122
        • 123
        • 124
        • 125
        • 126
        • 127
        • 128
        • 129
        • 130
        • 131
        • 132
        • 133
        • 134
        • 135
        • 136
        • 137
        • 138
        • 139
        • 140
        • 141
        • 142
        • 143
        • 144
        • 145
        • 146
        • 147
        • 148
        • 149
        • 150
        • 151
        • 152
        • 153
        • 154
        • 155
        • 156
        • 157
        • 158
        • 159
        • 160
        • 161
        • 162
        • 163
        • 164
        • 165
        • 166
        • 167
        • 168
        • 169
        • 170
        • 171
        • 172
        • 173
        • 174
        • 175
        • 176
        • 177
        • 178
        • 179
        • 180
        • 181
        • 182
        • 183
        • 184
        • 185
        • 186
        • 187
        • 188
        • 189
        • 190
        • 191
        • 192
        • 193
        • 194
        • 195
        • 196
        • 197
        • 198
        • 199
        • 200
        • 201
        • 202
        • 203
        • 204
        • 205
        • 206
        • 207
        • 208
        • 209
        • 210
        • 211
        • 212
        • 213
        • 214
        • 215
        • 216
        • 217
        • 218
        • 219
        • 220
        • 221
        • 222
        • 223
        • 224
        • 225
        • 226
        • 227
        • 228
        • 229
        • 230
        • 231
        • 232
        • 233
        • 234
        • 235
        • 236
        • 237
        • 238
        • 239
        • 240
        • 241
        • 242
      11. Redis配置
        package com.liuwei.utils;
        
        
        import org.springframework.context.annotation.Bean;
        import org.springframework.context.annotation.Configuration;
        import org.springframework.data.redis.connection.RedisConnectionFactory;
        import org.springframework.data.redis.core.RedisTemplate;
        import org.springframework.data.redis.serializer.StringRedisSerializer;
        
        @Configuration
        public class RedisConfig {
        
            @Bean
            @SuppressWarnings(value = { "unchecked", "rawtypes" })
            public RedisTemplate redisTemplate(RedisConnectionFactory connectionFactory)
            {
                RedisTemplate template = new RedisTemplate<>();
                template.setConnectionFactory(connectionFactory);
        
                FastJsonRedisSerializer serializer = new FastJsonRedisSerializer(Object.class);
        
                // 使用StringRedisSerializer来序列化和反序列化redis的key值
                template.setKeySerializer(new StringRedisSerializer());
                template.setValueSerializer(serializer);
        
                // Hash的key也采用StringRedisSerializer的序列化方式
                template.setHashKeySerializer(new StringRedisSerializer());
                template.setHashValueSerializer(serializer);
        
                template.afterPropertiesSet();
                return template;
            }
        }
        
        
        
        
        • 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
      12. WebUtils
        package com.liuwei.utils;
        
        import javax.servlet.http.HttpServletResponse;
        
        public class WebUtils {
            /**
             * 将字符串渲染到前端
             * @param response
             * @param string
             * @return
             */
            public static String renderString(HttpServletResponse response, String string){
                try{
                    response.setStatus(200);
                    response.setContentType("application/json");
                    response.setCharacterEncoding("utf-8");
                    response.getWriter().print(string);
                }
                catch (Exception e){
                    e.printStackTrace();
                }
        
                return null;
            }
        }
        
        
        • 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
      13. 依赖配置
        
                    com.alibaba
                    fastjson
                    1.2.83
                
                
                    io.jsonwebtoken
                    jjwt
                    0.9.0
                
        
        • 1
        • 2
        • 3
        • 4
        • 5
        • 6
        • 7
        • 8
        • 9
        • 10
      14. 前端携带token
      15. 相关阅读:
        第2章 Linux多进程开发 2.18 内存映射
        ​快解析内网穿透帮助企业快速实现协同办公​​
        网络-Ajax
        Java 浅析线程池ThreadPoolExecutor
        夜神模拟器链接不上ADB问题
        Axure RP--快捷键大全(常用快捷键)
        JavaEE学习——Java高级部分总结
        shell学习笔记
        postman汉化
        三、C++反作弊对抗实战 (实战篇 —— 3.如何获取游戏中角色人物角色的名称坐标、血量、武器信息(非CE扫描))
      16. 原文地址:https://blog.csdn.net/m0_49153993/article/details/127614178