SpringSecurity源码学习七:OAuth 2.0登录

目录

  • 1. 代码示例
  • 2. 源码解析
    • 2.1 OAuth2AuthorizationRequestRedirectFilter
    • 2.2 OAuth2LoginAuthenticationFilter
  • 3. 总结

Spring Security OAuth2 是一个基于 Spring Security 的开源框架,用于实现 OAuth2 认证和授权的功能。OAuth2 是一种授权协议,用于允许用户授权第三方应用程序访问其受保护的资源,而无需共享其凭据。

1. 代码示例

  1. 添加依赖项:
    在您的项目的 Maven 或 Gradle 构建文件中添加以下依赖项:
xml<dependency><groupId>org.springframework.boot</groupId><artifactId>spring-boot-starter-security</artifactId></dependency><dependency><groupId>org.springframework.boot</groupId><artifactId>spring-boot-starter-oauth2-client</artifactId></dependency><dependency><groupId>org.springframework.boot</groupId><artifactId>spring-boot-starter-web</artifactId></dependency>
  1. 配置应用程序属性:
    在您的 application.properties 或 application.yml 文件中添加以下配置:
yamlspring:security:oauth2:client:registration:wechat:client-id: your-client-idclient-secret: your-client-secretclient-name: WeChatscope: snsapi_loginredirect-uri: /login/oauth2/code/wechatprovider:wechat:authorization-uri: https://open.weixin.qq.com/connect/qrconnecttoken-uri: https://api.weixin.qq.com/sns/oauth2/access_tokenuser-info-uri: https://api.weixin.qq.com/sns/userinfouser-name-attribute: openid

替换 your-client-id 和 your-client-secret 为您的微信开放平台应用程序的实际值。

  1. 创建登录回调处理程序:
    创建一个类来处理微信登录回调,实现 OAuth2UserService 接口,并覆盖 loadUser() 方法以根据微信用户信息创建用户对象。
@Servicepublic class WeChatOAuth2UserService implements OAuth2UserService<OAuth2UserRequest, OAuth2User> {@Overridepublic OAuth2User loadUser(OAuth2UserRequest userRequest) throws OAuth2AuthenticationException {// 根据 userRequest 获取微信用户信息// 创建用户对象并返回}}
  1. 配置 Spring Security:
    创建一个类来配置 Spring Security,扩展 WebSecurityConfigurerAdapter 类,并覆盖 configure() 方法以配置安全规则和 OAuth2 登录。
@Configurationpublic class SecurityConfig extends WebSecurityConfigurerAdapter {@Autowiredprivate WeChatOAuth2UserService weChatOAuth2UserService;@Overrideprotected void configure(HttpSecurity http) throws Exception {http.authorizeRequests().antMatchers("/login", "/login/oauth2/code/wechat").permitAll().anyRequest().authenticated().and().oauth2Login().loginPage("/login").userInfoEndpoint().userService(weChatOAuth2UserService);}}

在上述配置中,我们允许 /login 和 /login/oauth2/code/wechat 路径的所有请求,其他请求需要经过身份验证。使用 oauth2Login() 方法启用 OAuth2 登录,并指定登录页面和自定义的 OAuth2UserService 实现。

  1. 创建登录页面:
    创建一个登录页面,例如 login.html ,用于显示微信登录按钮并触发 OAuth2 登录流程。
html<html><body><h1>欢迎登录</h1><a href="/login/oauth2/authorization/wechat">微信登录</a></body></html>

在上述代码中,我们使用 /login/oauth2/authorization/wechat 链接来触发微信登录流程。

完成上述步骤后,您的 Spring Boot 应用程序将支持使用微信进行登录。用户访问登录页面并选择微信登录,将被重定向到微信登录页面进行授权。一旦授权成功,用户将被重定向回您的应用程序,并且您的 WeChatOAuth2UserService 将被调用来加载用户信息。根据需要,您可以将用户信息存储在数据库中或执行其他操作。

我们也可以把jwt信息放入到对象OAuth2User中返回给页面,后边请求可以通过自定义过滤器拦截jwt信息校验。

  1. 创建自定义过滤器:
    创建一个类来实现 javax.servlet.Filter 接口,并实现 doFilter() 方法来处理自定义的过滤逻辑。
@Component
public class TokenFilter implements Filter {@Overridepublic void doFilter(ServletRequest request, ServletResponse response, FilterChain chain) throws IOException, ServletException {// 获取请求中的 TokenString token = extractTokenFromRequest((HttpServletRequest) request);// 校验 Tokenif (isValidToken(token)) {// Token 有效,继续处理请求chain.doFilter(request, response);} else {// Token 无效,返回错误响应HttpServletResponse httpResponse = (HttpServletResponse) response;httpResponse.setStatus(HttpServletResponse.SC_UNAUTHORIZED);}}private String extractTokenFromRequest(HttpServletRequest request) {// 从请求中提取 Token,例如从请求头或请求参数中获取// 返回 Token 字符串}private boolean isValidToken(String token) {// 校验 Token 的有效性,例如验证签名、过期时间等// 返回校验结果}
}
  1. 配置过滤器:
    在 Spring Boot 的配置类中,使用 @Configuration 注解,并使用 @WebFilter 注解来配置自定义过滤器。
@Configuration
public class FilterConfig {@Beanpublic FilterRegistrationBean<TokenFilter> tokenFilterRegistration() {FilterRegistrationBean<TokenFilter> registration = new FilterRegistrationBean<>();registration.setFilter(new TokenFilter());registration.addUrlPatterns("/api/*"); // 配置过滤的路径return registration;}
}
  1. 配置 Spring Security:
    在 Spring Security 的配置类中,使用 HttpSecurity 对象来配置安全规则,并使用 .addFilterBefore() 方法将自定义过滤器添加到过滤器链中。
@Configuration
@EnableWebSecurity
public class SecurityConfig extends WebSecurityConfigurerAdapter {@Overrideprotected void configure(HttpSecurity http) throws Exception {http.authorizeRequests().antMatchers("/api/**").authenticated().and().addFilterBefore(new TokenFilter(), UsernamePasswordAuthenticationFilter.class);}
}

在上述代码中,我们创建了一个名为 TokenFilter 的自定义过滤器,并在 doFilter() 方法中实现了自定义的过滤逻辑,包括从请求中提取 Token 和校验 Token 的有效性。然后,在 FilterConfig 配置类中,使用 @WebFilter 注解将自定义过滤器配置为 Spring Bean,并通过 FilterRegistrationBean 注册到过滤器链中。接下来,在 Spring Security 配置类中,使用 HttpSecurity 对象配置安全规则,并使用 .addFilterBefore() 方法将自定义过滤器添加到过滤器链中。

请注意,上述代码仅提供了基本的配置示例,实际使用中可能需要根据具体需求进行调整和扩展。

2. 源码解析

使用Oauth2做登录的时候,主要涉及到以下两个过滤器:

  1. OAuth2AuthorizationRequestRedirectFilter :重定向过滤器,即当未认证时,重定向到登录页。当我们点击页面上的微信登录的时候,请求会流转到此过滤器。

  2. OAuth2LoginAuthenticationFilter:授权登录过滤器,处理指定的授权登录。当我们微信登录成功后,会回调到我们的服务,此时请求会流转到此过滤器。

2.1 OAuth2AuthorizationRequestRedirectFilter

	@Overrideprotected void doFilterInternal(HttpServletRequest request, HttpServletResponse response, FilterChain filterChain)throws ServletException, IOException {try {//构建第三方授权信息请求对象OAuth2AuthorizationRequest authorizationRequest = this.authorizationRequestResolver.resolve(request);if (authorizationRequest != null) {//发起重定向,到第三方this.sendRedirectForAuthorization(request, response, authorizationRequest);return;}}

上边是主要逻辑,以我们上边的示例为例,这段逻辑就是从配置文件yml中拿到微信的配置,发起第三方调用。

	@Overridepublic OAuth2AuthorizationRequest resolve(HttpServletRequest request) {//获取registrationIdString registrationId = this.resolveRegistrationId(request);if (registrationId == null) {return null;}//获取action参数,默认值是: loginString redirectUriAction = getAction(request, "login");return resolve(request, registrationId, redirectUriAction);}
	private void sendRedirectForAuthorization(HttpServletRequest request, HttpServletResponse response,OAuth2AuthorizationRequest authorizationRequest) throws IOException {if (AuthorizationGrantType.AUTHORIZATION_CODE.equals(authorizationRequest.getGrantType())) {//保存本次请求相关的信息,以用于三方平台回调时可以再次获取,例如当回调时需要检查state参数是否一致,以保证安全;this.authorizationRequestRepository.saveAuthorizationRequest(authorizationRequest, request, response);}//调转到第三方登录页面this.authorizationRedirectStrategy.sendRedirect(request, response,authorizationRequest.getAuthorizationRequestUri());}
	@Overridepublic void sendRedirect(HttpServletRequest request, HttpServletResponse response, String url) throws IOException {String redirectUrl = calculateRedirectUrl(request.getContextPath(), url);redirectUrl = response.encodeRedirectURL(redirectUrl);if (this.logger.isDebugEnabled()) {this.logger.debug(LogMessage.format("Redirecting to %s", redirectUrl));}//重定向到第三方授权登录页面response.sendRedirect(redirectUrl);}

可以看到,这个主要是拼接参数,重定向到第三方登录页面,比如微信登录页面。

2.2 OAuth2LoginAuthenticationFilter

OAuth2LoginAuthenticationFilter没有重写AbstractAuthenticationProcessingFilter的doFilter方法,我们看抽象类AbstractAuthenticationProcessingFilter的doFilter方法。

	private void doFilter(HttpServletRequest request, HttpServletResponse response, FilterChain chain)throws IOException, ServletException {if (!requiresAuthentication(request, response)) {chain.doFilter(request, response);return;}try {//attemptAuthentication是抽象方法,可被子类重写Authentication authenticationResult = attemptAuthentication(request, response);if (authenticationResult == null) {// return immediately as subclass has indicated that it hasn't completedreturn;}//成功后会this.sessionStrategy.onAuthentication(authenticationResult, request, response);// Authentication successif (this.continueChainBeforeSuccessfulAuthentication) {chain.doFilter(request, response);}//保存用户信息等successfulAuthentication(request, response, chain, authenticationResult);}catch (InternalAuthenticationServiceException failed) {this.logger.error("An internal error occurred while trying to authenticate the user.", failed);unsuccessfulAuthentication(request, response, failed);}catch (AuthenticationException ex) {// Authentication failedunsuccessfulAuthentication(request, response, ex);}}

OAuth2LoginAuthenticationFilter类重写了attemptAuthentication方法。

	@Overridepublic Authentication attemptAuthentication(HttpServletRequest request, HttpServletResponse response)throws AuthenticationException {//参数集合MultiValueMap<String, String> params = org.springframework.security.oauth2.client.web.OAuth2AuthorizationResponseUtils.toMultiMap(request.getParameterMap());if (!org.springframework.security.oauth2.client.web.OAuth2AuthorizationResponseUtils.isAuthorizationResponse(params)) {OAuth2Error oauth2Error = new OAuth2Error(OAuth2ErrorCodes.INVALID_REQUEST);throw new OAuth2AuthenticationException(oauth2Error, oauth2Error.toString());}//根据state参数从会话中查询授权登录之前保存的请求对象(请求对象也有state参数),如果找不到则抛出异常:AUTHORIZATION_REQUEST_NOT_FOUND_ERROR_CODEOAuth2AuthorizationRequest authorizationRequest = this.authorizationRequestRepository.removeAuthorizationRequest(request, response);if (authorizationRequest == null) {OAuth2Error oauth2Error = new OAuth2Error(AUTHORIZATION_REQUEST_NOT_FOUND_ERROR_CODE);throw new OAuth2AuthenticationException(oauth2Error, oauth2Error.toString());}//获取ClientRegistration信息,配置文件中的第三方配置信息String registrationId = authorizationRequest.getAttribute(OAuth2ParameterNames.REGISTRATION_ID);ClientRegistration clientRegistration = this.clientRegistrationRepository.findByRegistrationId(registrationId);if (clientRegistration == null) {OAuth2Error oauth2Error = new OAuth2Error(CLIENT_REGISTRATION_NOT_FOUND_ERROR_CODE,"Client Registration not found with Id: " + registrationId, null);throw new OAuth2AuthenticationException(oauth2Error, oauth2Error.toString());}// @formatter:offString redirectUri = UriComponentsBuilder.fromHttpUrl(UrlUtils.buildFullRequestUrl(request)).replaceQuery(null).build().toUriString();// @formatter:onOAuth2AuthorizationResponse authorizationResponse = org.springframework.security.oauth2.client.web.OAuth2AuthorizationResponseUtils.convert(params,redirectUri);Object authenticationDetails = this.authenticationDetailsSource.buildDetails(request);//构造认证请求,然后使用工厂模式执行认证,这个和用户名密码认证是一样的OAuth2LoginAuthenticationToken authenticationRequest = new OAuth2LoginAuthenticationToken(clientRegistration,new OAuth2AuthorizationExchange(authorizationRequest, authorizationResponse));authenticationRequest.setDetails(authenticationDetails);//认证OAuth2LoginAuthenticationToken authenticationResult = (OAuth2LoginAuthenticationToken) this.getAuthenticationManager().authenticate(authenticationRequest);OAuth2AuthenticationToken oauth2Authentication = new OAuth2AuthenticationToken(authenticationResult.getPrincipal(), authenticationResult.getAuthorities(),authenticationResult.getClientRegistration().getRegistrationId());oauth2Authentication.setDetails(authenticationDetails);OAuth2AuthorizedClient authorizedClient = new OAuth2AuthorizedClient(authenticationResult.getClientRegistration(), oauth2Authentication.getName(),authenticationResult.getAccessToken(), authenticationResult.getRefreshToken());this.authorizedClientRepository.saveAuthorizedClient(authorizedClient, oauth2Authentication, request, response);return oauth2Authentication;}

这段逻辑前半部分主要做了配置获取,认证请求的构建,主要逻辑是认证。也就是ProviderManager的authenticate()方法。

	@Overridepublic Authentication authenticate(Authentication authentication) throws AuthenticationException {Class<? extends Authentication> toTest = authentication.getClass();AuthenticationException lastException = null;AuthenticationException parentException = null;Authentication result = null;Authentication parentResult = null;int currentPosition = 0;int size = this.providers.size();//支持多种认证,遍历所有AuthenticationProviderfor (org.springframework.security.authentication.AuthenticationProvider provider : getProviders()) {//匹配当前的Authenticationif (!provider.supports(toTest)) {continue;}if (logger.isTraceEnabled()) {logger.trace(LogMessage.format("Authenticating request with %s (%d/%d)",provider.getClass().getSimpleName(), ++currentPosition, size));}try {//执行匹配到的AuthenticationProvider逻辑result = provider.authenticate(authentication);if (result != null) {copyDetails(authentication, result);break;}}

核心逻辑是provider.authenticate(authentication),我们继续往下看。具体实现是OAuth2LoginAuthenticationProvider的authenticate()方法。

	@Overridepublic Authentication authenticate(Authentication authentication) throws AuthenticationException {org.springframework.security.oauth2.client.authentication.OAuth2LoginAuthenticationToken loginAuthenticationToken = (org.springframework.security.oauth2.client.authentication.OAuth2LoginAuthenticationToken) authentication;// Section 3.1.2.1 Authentication Request -// https://openid.net/specs/openid-connect-core-1_0.html#AuthRequest scope// REQUIRED. OpenID Connect requests MUST contain the "openid" scope value.if (loginAuthenticationToken.getAuthorizationExchange().getAuthorizationRequest().getScopes().contains("openid")) {// This is an OpenID Connect Authentication Request so return null// and let OidcAuthorizationCodeAuthenticationProvider handle it insteadreturn null;}//构建OAuth2AuthorizationCodeAuthenticationToken对象org.springframework.security.oauth2.client.authentication.OAuth2AuthorizationCodeAuthenticationToken authorizationCodeAuthenticationToken;try {authorizationCodeAuthenticationToken = (org.springframework.security.oauth2.client.authentication.OAuth2AuthorizationCodeAuthenticationToken) this.authorizationCodeAuthenticationProvider.authenticate(new org.springframework.security.oauth2.client.authentication.OAuth2AuthorizationCodeAuthenticationToken(loginAuthenticationToken.getClientRegistration(),loginAuthenticationToken.getAuthorizationExchange()));}catch (OAuth2AuthorizationException ex) {OAuth2Error oauth2Error = ex.getError();throw new OAuth2AuthenticationException(oauth2Error, oauth2Error.toString());}//构建OAuth2User对象,拿到用户信息OAuth2AccessToken accessToken = authorizationCodeAuthenticationToken.getAccessToken();Map<String, Object> additionalParameters = authorizationCodeAuthenticationToken.getAdditionalParameters();//可以自己实现loadUser接口,自定义逻辑OAuth2User oauth2User = this.userService.loadUser(new OAuth2UserRequest(loginAuthenticationToken.getClientRegistration(), accessToken, additionalParameters));Collection<? extends GrantedAuthority> mappedAuthorities = this.authoritiesMapper.mapAuthorities(oauth2User.getAuthorities());//构建认证结果org.springframework.security.oauth2.client.authentication.OAuth2LoginAuthenticationToken authenticationResult = new org.springframework.security.oauth2.client.authentication.OAuth2LoginAuthenticationToken(loginAuthenticationToken.getClientRegistration(), loginAuthenticationToken.getAuthorizationExchange(),oauth2User, mappedAuthorities, accessToken, authorizationCodeAuthenticationToken.getRefreshToken());authenticationResult.setDetails(loginAuthenticationToken.getDetails());return authenticationResult;}

我们在这段逻辑中看到了this.userService.loadUser,OAuth2UserService的方法loadUser()方法我们可以自定义实现。也就是上边代码示例的第三点。

后续逻辑就是认证成功后的通用逻辑,基本上核心源码就是这些。里边还有很多细节点,比如令牌存储与生产,授权令牌与资源的安全配置,自定义认证成功后处理器中完成用户匹配等等。详细逻辑可以自行查看源码。

3. 总结

Spring Security OAuth2 登录的原理如下:

  1. 用户访问应用程序的登录页面,并选择使用 OAuth2 登录。
  2. 应用程序将用户重定向到授权服务器,以进行身份验证和授权。
  3. 用户在授权服务器上进行身份验证,并授权应用程序访问其受保护的资源。
  4. 授权服务器将授权码或访问令牌返回给应用程序。
  5. 应用程序使用授权码或访问令牌与授权服务器进行通信,以获取用户信息或访问受保护的资源。
  6. 应用程序使用用户信息进行登录,并为用户创建会话或授权访问受保护的资源。

在 Spring Security OAuth2 中,配置文件中定义了客户端信息、授权服务器信息和资源服务器信息。客户端信息包括客户端ID和客户端密钥,用于与授权服务器进行身份验证和授权。授权服务器信息包括授权服务器的URL和令牌端点,用于与授权服务器进行通信。资源服务器信息包括资源服务器的ID和受保护资源的URL,用于限制对受保护资源的访问。

通过配置 Spring Security OAuth2,应用程序可以使用授权服务器进行用户身份验证和授权,并使用访问令牌来访问受保护的资源。

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

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

相关文章

centOS7 安装tailscale并启用子网路由

1、在centOS7上安装Tailscale客户端 #安装命令所在官网位置&#xff1a;https://tailscale.com/download/linux #具体命令为&#xff1a; curl -fsSL https://tailscale.com/install.sh | sh #命令执行后如下图所示2、设置允许IP转发和IP伪装。 安装后&#xff0c;您可以启动…

介绍一些操作系统—— Ubuntu 系统

介绍一些操作系统—— Ubuntu 系统 Ubuntu 系统 Ubuntu 是一个以桌面应用为主的 Linux 发行版操作系统&#xff0c;其名称来自非洲南部祖鲁语或豪萨语的“ubuntu"一词&#xff0c;意思是“人性”“我的存在是因为大家的存在"&#xff0c;是非洲传统的一种价值观。U…

Shell三剑客:正则表达式(元字符)

一、定义&#xff1a;元字符字符是这样一类字符&#xff0c;它们表达的是不同字面本身的含义 二、分类&#xff1a; 1、基本正则表达式元字符 # ^ 行首定位 [rootlocalhost ~]# grep root /etc/passwd root:x:0:0:root:/root:/bin/bash operator:x:11:0:operator:/root:/…

webgpu demo阅读 A-Buffer

A-Buffer 简单看看原理code 简单看看原理 这个是OIT里的链表方式&#xff0c;说的是首先把每个像素搞一个链表&#xff0c;然后把深度<opaque的存起来&#xff0c;最后排序&#xff0c;然后混合 code 这里就有这么一个depht判断 再看最后合成 可以看到&#xff0c;确实是…

六:爬虫-数据解析之BeautifulSoup4

六&#xff1a;bs4简介 基本概念&#xff1a; 简单来说&#xff0c;Beautiful Soup是python的一个库&#xff0c;最主要的功能是从网页抓取数据官方解释如下&#xff1a; Beautiful Soup提供一些简单的、python式的函数用来处理导航、搜索、修改分析树等功能。 它是一个工具箱…

hive常用SQL函数及案例

1 函数简介 Hive会将常用的逻辑封装成函数给用户进行使用&#xff0c;类似于Java中的函数。 好处&#xff1a;避免用户反复写逻辑&#xff0c;可以直接拿来使用。 重点&#xff1a;用户需要知道函数叫什么&#xff0c;能做什么。 Hive提供了大量的内置函数&#xff0c;按照其特…

React系列:嵌套路由的使用

🍁 作者:知识浅谈,CSDN博客专家,阿里云签约博主,InfoQ签约博主,华为云云享专家,51CTO明日之星 📌 擅长领域:全栈工程师、爬虫、ACM算法 💒 公众号:知识浅谈 🔥网站:vip.zsqt.cc 🤞嵌套路由的使用🤞 🎈嵌套路由是什么 在一级路由中又内嵌了其他路由,这…

企业安全建设与实践-复习资料

文章目录 二、企业安全建设与实践1、复习Windows及Linux基础命令。例如&#xff1a;用户创建、权限提升等。2、复习docker 基础命令&#xff1a;启动、关闭、导入、导入、下载等命令复习建议docker菜鸟教程。3、复习Windows策略相关知识点。4、复习基线加固部分内容。5、渗透测…

STM32启动过程

STM32启动模式&#xff08;自举模式&#xff09; M3/3/7等内核&#xff0c;复位后做的第一件事&#xff1a; 从地址0x0000 0000处取出栈指针MSP的初始值&#xff0c;该值就是栈顶地址。从地址0x0000 0004处取出程序计数器指针PC的初始值&#xff0c;该值是复位向量。 芯片厂商…

DevEco Studio IDE 创建项目时候配置环境

DevEco Studio IDE 创建项目时候配置环境 一、安装环境 操作系统: Windows 10 专业版 IDE:DevEco Studio 3.1 SDK:HarmonyOS 3.1 二、在配置向导的时候意外关闭配置界面该如何二次配置IDE环境。 打开IDE的界面是这样的。 点击Create Project进行环境配置。 点击OK后出现如…

嵌入式人工智能(钱多?好学?前景好?)

概念 嵌入式人工智能&#xff08;Embedded AI&#xff09;是指将人工智能&#xff08;AI&#xff09;技术集成到各种设备和系统中&#xff0c;使其具备智能化和自主性。与传统的中央化计算模型不同&#xff0c;嵌入式人工智能将AI能力嵌入到设备本身&#xff0c;使其能够在本地…

FPGA简易加减法计算器设计

题目要求&#xff1a; &#xff08;1&#xff09;设计10以内的加减法计算器。 &#xff08;2&#xff09;1个按键用于指定加法或减法&#xff0c;一个用于指定加数或被加数&#xff0c;还有两个分别控制加数或被加数的增加或减少。 &#xff08;3&#xff09;设置的结果和计算的…

“华为杯” 第二十届中国研究生数学建模竞赛 数模之星、华为之夜与颁奖大会

文章目录 一、前言二、主要内容三、总结 &#x1f349; CSDN 叶庭云&#xff1a;https://yetingyun.blog.csdn.net/ 一、前言 不以物喜&#xff0c;不以己悲。见众生&#xff0c;见自己。 作为荣获一等奖的学生代表&#xff0c;我有幸参加了 “华为杯” 第二十届中国研究生数学…

Linux c++开发-08-使用Linux API mmap文件内存映射

用途&#xff1a;超大文件&#xff0c;进程间共享内存 API: 示例&#xff1a; 结果&#xff1a;

【ArkTS】样式复用

如下代码&#xff0c;可以发现每个元素的样式一致&#xff0c;这时就可以将公共样式封装起来 此时可以使用Styles修饰符将公共样式进行封装 Styles修饰符 Entry Component struct Index{build() {Column(){Text(我是Text).ComStyle()Button(我是Button).ComStyle()Image().Co…

RabbitMQ手动应答与持久化

1.SleepUtil线程睡眠工具类 package com.hong.utils;/*** Description: 线程睡眠工具类* Author: hong* Date: 2023-12-16 23:10* Version: 1.0**/ public class SleepUtil {public static void sleep(int second) {try {Thread.sleep(1000*second);} catch (InterruptedExcep…

熬了一个通宵,把国内外的大模型都梳理完了!

大家好&#xff0c;大模型越来越多了&#xff0c;真的有点让人眼花缭乱。 为了让大家清晰地了解大模型&#xff0c;我熬了一个通宵把国内和国外的大模型进行了全面梳理&#xff0c;国内有189个&#xff0c;国外有20&#xff0c;同时包括大模型的来源机构、来源信息和分类等。 …

Java系列-ConcurrentHashMap源码-putVal

1.putVal cas自旋保证线程安全 处理某个槽位时使用synchronized public class ConcurrentHashMap<K,V> extends AbstractMap<K,V>implements ConcurrentMap<K,V>, Serializable {static final <K,V> Node<K,V> tabAt(Node<K,V>[] tab, …

President‘s Office

题目名字 President’s Office 题目链接 题意 .查找总统位置周围的桌子的数量&#xff0c;如果这个桌子是同一个颜色的&#xff0c;视作一个桌子不进行叠加&#xff1b; 思路 先定义总统桌子周围四个方位&#xff0c;进行计算然后循环输入之后确认总统的位置&#xff0c;进行…

使用AppleScript自动滚动预览

天冷了&#xff0c;在Mac预览里看PDF时&#xff0c;滚动页面非常冻手。预览虽然能够实现幻灯片播放&#xff0c;但是不支持逐行滚动。这里我们使用AppleScript来控制页面的滚动。 我们先将页面分成指定行数linesOfPage&#xff0c;根据自己的阅读速度设定滚动时间间隔intval。…