SpringSecurity认证逻辑源码分析

SpringSecurity源码分析-认证逻辑

1. Spring-security-core包中的三个重要类

SecurityContext

  1. 这个类中就两个方法getAuthentication()和setAuthentication()
  2. 这个类用来存储Authentication对象
public interface SecurityContext extends Serializable {Authentication getAuthentication();void setAuthentication(Authentication var1);
}

Authentication

  1. 这个类是贯穿SpringSecurity整个流程的一个类。
  2. 它是一个接口,它的实现类中的UsernamePasswordAuthenticationToken是通过用户名密码认证的实现
  3. 登录成功后用来存储当前的登录信息。
  4. 其中三个方法:
  5. getCredentials():获取当前用户凭证
  6. getDetails():获取当前登录用户详情
  7. getPrincipal():获取当前登录用户对象
  8. isAuthenticated():是否登录
  9. GrantedAuthority类是用来存储权限的,它是一个接口,常用的SimpleGrantedAuthority实现类,用来存储用户包含的权限
public interface Authentication extends Principal, Serializable {Collection<? extends GrantedAuthority> getAuthorities();Object getCredentials();Object getDetails();Object getPrincipal();boolean isAuthenticated();void setAuthenticated(boolean var1) throws IllegalArgumentException;
}

SecurityContextHolder

  1. 这个对象用来存储SecurityContext对象
  2. 其中有两个静态方法getContext()和setContext()
  3. 因此,获得SecurityContextHolder对象就能获得SecurityContext对象,也就可以获取Authentication对象,也就可以获取当前的登录信息。
  4. initialize():获取存储策略,全局、本地线程、父子线程三种,默认本地线程。
public class SecurityContextHolder {public static SecurityContext getContext() {return strategy.getContext();}private static void initialize() {if (!StringUtils.hasText(strategyName)) {strategyName = "MODE_THREADLOCAL";}if (strategyName.equals("MODE_THREADLOCAL")) {strategy = new ThreadLocalSecurityContextHolderStrategy();} else if (strategyName.equals("MODE_INHERITABLETHREADLOCAL")) {strategy = new InheritableThreadLocalSecurityContextHolderStrategy();} else if (strategyName.equals("MODE_GLOBAL")) {strategy = new GlobalSecurityContextHolderStrategy();} else {try {Class<?> clazz = Class.forName(strategyName);Constructor<?> customStrategy = clazz.getConstructor();strategy = (SecurityContextHolderStrategy)customStrategy.newInstance();} catch (Exception var2) {ReflectionUtils.handleReflectionException(var2);}}++initializeCount;}public static void setContext(SecurityContext context) {strategy.setContext(context);}
}

小结:Authentication用来存储认证信息,SecurityContext用来存储认证信息的容器,SecurityContextHolder用来定义容器的存储策略。

2. 基于用户名密码认证的流程

  1. 找到UsernamePasswordAuthenticationFilter,找到doFilter方法
  1. 发现没有doFilter方法,去父类AbstractAuthenticationProcessingFilter中查看
  2. 其实是这样一个逻辑
  3. 所有AbstractAuthenticationProcessingFilter的实现类都调用父类中的doFilter方法
  4. 在doFilter方法中调用了attemptAuthentication方法
  5. attemptAuthentication方法是一个抽象方法,子类去实现AbstractAuthenticationProcessingFilter抽象方法

UsernamePasswordAuthenticationFilter类

public class UsernamePasswordAuthenticationFilter extendsAbstractAuthenticationProcessingFilter {//…… ……public Authentication attemptAuthentication(HttpServletRequest request,HttpServletResponse response) throws AuthenticationException {if (postOnly && !request.getMethod().equals("POST")) {throw new AuthenticationServiceException("Authentication method not supported: " + request.getMethod());}String username = obtainUsername(request);String password = obtainPassword(request);if (username == null) {username = "";}if (password == null) {password = "";}username = username.trim();//封装成Authentication对象UsernamePasswordAuthenticationToken authRequest = new UsernamePasswordAuthenticationToken(username, password);setDetails(request, authRequest);//认证操作,ProviderManager中执行return this.getAuthenticationManager().authenticate(authRequest);}//…… ……
}

AbstractAuthenticationProcessingFilter

public abstract class AbstractAuthenticationProcessingFilter extends GenericFilterBeanimplements ApplicationEventPublisherAware, MessageSourceAware {public void doFilter(ServletRequest req, ServletResponse res, FilterChain chain)throws IOException, ServletException {HttpServletRequest request = (HttpServletRequest) req;HttpServletResponse response = (HttpServletResponse) res;if (!requiresAuthentication(request, response)) {chain.doFilter(request, response);return;}if (logger.isDebugEnabled()) {logger.debug("Request is to process authentication");}Authentication authResult;try {//认证逻辑authResult = attemptAuthentication(request, response);if (authResult == null) {// return immediately as subclass has indicated that it hasn't completed// authenticationreturn;}sessionStrategy.onAuthentication(authResult, request, response);}catch (InternalAuthenticationServiceException failed) {logger.error("An internal error occurred while trying to authenticate the user.",failed);unsuccessfulAuthentication(request, response, failed);return;}catch (AuthenticationException failed) {// Authentication failedunsuccessfulAuthentication(request, response, failed);return;}// Authentication successif (continueChainBeforeSuccessfulAuthentication) {chain.doFilter(request, response);}//认证成功后的逻辑.......successfulAuthentication(request, response, chain, authResult);}//认证逻辑的抽象方法,交给子类去实现public abstract Authentication attemptAuthentication(HttpServletRequest request,HttpServletResponse response) throws AuthenticationException, IOException,ServletException;
}
  1. 查看子类UsernamePasswordAuthenticationFilter中的attemptAuthentication方法
  1. 认证的逻辑在这里: this.getAuthenticationManager().authenticate(authRequest)
  2. 认证完毕后封装Authentication对象,返回。
	public Authentication attemptAuthentication(HttpServletRequest request,HttpServletResponse response) throws AuthenticationException {if (postOnly && !request.getMethod().equals("POST")) {throw new AuthenticationServiceException("Authentication method not supported: " + request.getMethod());}String username = obtainUsername(request);String password = obtainPassword(request);if (username == null) {username = "";}if (password == null) {password = "";}username = username.trim();UsernamePasswordAuthenticationToken authRequest = new UsernamePasswordAuthenticationToken(username, password);// Allow subclasses to set the "details" propertysetDetails(request, authRequest);return this.getAuthenticationManager().authenticate(authRequest);}
  1. ProviderManager类中的authenticate方法
    public Authentication authenticate(Authentication authentication) throws AuthenticationException {Class<? extends Authentication> toTest = authentication.getClass();AuthenticationException lastException = null;AuthenticationException parentException = null;Authentication result = null;Authentication parentResult = null;boolean debug = logger.isDebugEnabled();Iterator var8 = this.getProviders().iterator();while(var8.hasNext()) {AuthenticationProvider provider = (AuthenticationProvider)var8.next();if (provider.supports(toTest)) {if (debug) {logger.debug("Authentication attempt using " + provider.getClass().getName());}try {// 认证逻辑result = provider.authenticate(authentication);if (result != null) {this.copyDetails(authentication, result);break;}} catch (AccountStatusException var13) {this.prepareException(var13, authentication);throw var13;} catch (InternalAuthenticationServiceException var14) {this.prepareException(var14, authentication);throw var14;} catch (AuthenticationException var15) {lastException = var15;}}}if (result == null && this.parent != null) {try {result = parentResult = this.parent.authenticate(authentication);} catch (ProviderNotFoundException var11) {} catch (AuthenticationException var12) {parentException = var12;lastException = var12;}}if (result != null) {if (this.eraseCredentialsAfterAuthentication && result instanceof CredentialsContainer) {((CredentialsContainer)result).eraseCredentials();}if (parentResult == null) {this.eventPublisher.publishAuthenticationSuccess(result);}return result;} else {if (lastException == null) {lastException = new ProviderNotFoundException(this.messages.getMessage("ProviderManager.providerNotFound", new Object[]{toTest.getName()}, "No AuthenticationProvider found for {0}"));}if (parentException == null) {this.prepareException((AuthenticationException)lastException, authentication);}throw lastException;}}
  1. AbstractUserDetailsAuthenticationProvider中的Authentication方法
    public Authentication authenticate(Authentication authentication)throws AuthenticationException{Assert.isInstanceOf(UsernamePasswordAuthenticationToken.class,authentication,()->messages.getMessage("AbstractUserDetailsAuthenticationProvider.onlySupports","Only UsernamePasswordAuthenticationToken is supported"));// 获取用户名String username=(authentication.getPrincipal()==null)?"NONE_PROVIDED":authentication.getName();boolean cacheWasUsed=true;//缓存获取userUserDetails user=this.userCache.getUserFromCache(username);if(user==null){cacheWasUsed=false;try{//自定义获取user,一般从数据库读取user=retrieveUser(username,(UsernamePasswordAuthenticationToken)authentication);}catch(UsernameNotFoundException notFound){logger.debug("User '"+username+"' not found");if(hideUserNotFoundExceptions){throw new BadCredentialsException(messages.getMessage("AbstractUserDetailsAuthenticationProvider.badCredentials","Bad credentials"));}else{throw notFound;}}Assert.notNull(user,"retrieveUser returned null - a violation of the interface contract");}try{preAuthenticationChecks.check(user);//去比对密码additionalAuthenticationChecks(user,(UsernamePasswordAuthenticationToken)authentication);}catch(AuthenticationException exception){if(cacheWasUsed){// There was a problem, so try again after checking// we're using latest data (i.e. not from the cache)cacheWasUsed=false;user=retrieveUser(username,(UsernamePasswordAuthenticationToken)authentication);preAuthenticationChecks.check(user);additionalAuthenticationChecks(user,(UsernamePasswordAuthenticationToken)authentication);}else{throw exception;}}postAuthenticationChecks.check(user);if(!cacheWasUsed){this.userCache.putUserInCache(user);}Object principalToReturn=user;if(forcePrincipalAsString){principalToReturn=user.getUsername();}//封装Authentication对象return createSuccessAuthentication(principalToReturn,authentication,user);}
  1. DaoAuthenticationProvider中的retrieveUser方法
	protected final UserDetails retrieveUser(String username,UsernamePasswordAuthenticationToken authentication)throws AuthenticationException {prepareTimingAttackProtection();try {//调用我们自己的loadUserByUsername方法获取userUserDetails loadedUser = this.getUserDetailsService().loadUserByUsername(username);if (loadedUser == null) {throw new InternalAuthenticationServiceException("UserDetailsService returned null, which is an interface contract violation");}return loadedUser;}catch (UsernameNotFoundException ex) {mitigateAgainstTimingAttack(authentication);throw ex;}catch (InternalAuthenticationServiceException ex) {throw ex;}catch (Exception ex) {throw new InternalAuthenticationServiceException(ex.getMessage(), ex);}}

小结:至此返回Authentication对象完成认证

3. 认证成功后的逻辑

	protected void successfulAuthentication(HttpServletRequest request,HttpServletResponse response, FilterChain chain, Authentication authResult)throws IOException, ServletException {if (logger.isDebugEnabled()) {logger.debug("Authentication success. Updating SecurityContextHolder to contain: "+ authResult);}//将认证后的对象放到SecurityContext中SecurityContextHolder.getContext().setAuthentication(authResult);//记住我的执行逻辑rememberMeServices.loginSuccess(request, response, authResult);// 发布认证成功后的时间,可以自定义监听器if (this.eventPublisher != null) {eventPublisher.publishEvent(new InteractiveAuthenticationSuccessEvent(authResult, this.getClass()));}//认证成功后的执行逻辑,默认三种,可以通过实现AuthenticationSuccessHandler接口自定义认证成功后逻辑successHandler.onAuthenticationSuccess(request, response, authResult);}

4. 记住我是如何实现的

AbstractRememberMeServices的loginSuccess方法和rememberMeRequested方法

 public final void loginSuccess(HttpServletRequest request, HttpServletResponse response, Authentication successfulAuthentication) {//判断是否勾选rememberif (!this.rememberMeRequested(request, this.parameter)) {this.logger.debug("Remember-me login not requested.");} else {this.onLoginSuccess(request, response, successfulAuthentication);}}
protected boolean rememberMeRequested(HttpServletRequest request, String parameter) {if (this.alwaysRemember) {return true;} else {String paramValue = request.getParameter(parameter);//判断是否勾选remember,传入的值可以为以下内容if (paramValue != null && (paramValue.equalsIgnoreCase("true") || paramValue.equalsIgnoreCase("on") || paramValue.equalsIgnoreCase("yes") || paramValue.equals("1"))) {return true;} else {if (this.logger.isDebugEnabled()) {this.logger.debug("Did not send remember-me cookie (principal did not set parameter '" + parameter + "')");}return false;}}}

PersistentTokenBasedRememberMeServices中的onLoginSuccess方法完成持久化操作

    protected void onLoginSuccess(HttpServletRequest request, HttpServletResponse response, Authentication successfulAuthentication) {String username = successfulAuthentication.getName();this.logger.debug("Creating new persistent login for user " + username);PersistentRememberMeToken persistentToken = new PersistentRememberMeToken(username, this.generateSeriesData(), this.generateTokenData(), new Date());try {//持久化操作this.tokenRepository.createNewToken(persistentToken);//将token放到cookie中,可以自定义this.addCookie(persistentToken, request, response);} catch (Exception var7) {this.logger.error("Failed to save persistent token ", var7);}}

持久化操作有两个实现JdbcTokenRepositoryImpl存到数据库,InMemoryTokenRepositoryImpl存到内存中

5.Security中的ExceptionTranslationFilter过滤器

  1. 这个过滤器不处理逻辑
  2. 只捕获Security中的异常
  3. 捕获异常后处理异常信息
public class ExceptionTranslationFilter extends GenericFilterBean {// ~ Instance fields// ================================================================================================private AccessDeniedHandler accessDeniedHandler = new AccessDeniedHandlerImpl();private AuthenticationEntryPoint authenticationEntryPoint;private AuthenticationTrustResolver authenticationTrustResolver = new AuthenticationTrustResolverImpl();private ThrowableAnalyzer throwableAnalyzer = new DefaultThrowableAnalyzer();private RequestCache requestCache = new HttpSessionRequestCache();private final MessageSourceAccessor messages = SpringSecurityMessageSource.getAccessor();public ExceptionTranslationFilter(AuthenticationEntryPoint authenticationEntryPoint) {this(authenticationEntryPoint, new HttpSessionRequestCache());}public ExceptionTranslationFilter(AuthenticationEntryPoint authenticationEntryPoint,RequestCache requestCache) {Assert.notNull(authenticationEntryPoint,"authenticationEntryPoint cannot be null");Assert.notNull(requestCache, "requestCache cannot be null");this.authenticationEntryPoint = authenticationEntryPoint;this.requestCache = requestCache;}// ~ Methods// ========================================================================================================@Overridepublic void afterPropertiesSet() {Assert.notNull(authenticationEntryPoint,"authenticationEntryPoint must be specified");}public void doFilter(ServletRequest req, ServletResponse res, FilterChain chain)throws IOException, ServletException {HttpServletRequest request = (HttpServletRequest) req;HttpServletResponse response = (HttpServletResponse) res;try {/** 交给下一个过滤器处理*/chain.doFilter(request, response);logger.debug("Chain processed normally");}catch (IOException ex) {throw ex;}catch (Exception ex) {/** 捕获Security中的异常,处理异常*/Throwable[] causeChain = throwableAnalyzer.determineCauseChain(ex);RuntimeException ase = (AuthenticationException) throwableAnalyzer.getFirstThrowableOfType(AuthenticationException.class, causeChain);if (ase == null) {ase = (AccessDeniedException) throwableAnalyzer.getFirstThrowableOfType(AccessDeniedException.class, causeChain);}if (ase != null) {if (response.isCommitted()) {throw new ServletException("Unable to handle the Spring Security Exception because the response is already committed.", ex);}/** 处理异常*/handleSpringSecurityException(request, response, chain, ase);}else {// Rethrow ServletExceptions and RuntimeExceptions as-isif (ex instanceof ServletException) {throw (ServletException) ex;}else if (ex instanceof RuntimeException) {throw (RuntimeException) ex;}// Wrap other Exceptions. This shouldn't actually happen// as we've already covered all the possibilities for doFilterthrow new RuntimeException(ex);}}}public AuthenticationEntryPoint getAuthenticationEntryPoint() {return authenticationEntryPoint;}protected AuthenticationTrustResolver getAuthenticationTrustResolver() {return authenticationTrustResolver;}private void handleSpringSecurityException(HttpServletRequest request,HttpServletResponse response, FilterChain chain, RuntimeException exception)throws IOException, ServletException {/** 根据不同的异常,做出不同的处理*/if (exception instanceof AuthenticationException) {logger.debug("Authentication exception occurred; redirecting to authentication entry point",exception);sendStartAuthentication(request, response, chain,(AuthenticationException) exception);}else if (exception instanceof AccessDeniedException) {Authentication authentication = SecurityContextHolder.getContext().getAuthentication();if (authenticationTrustResolver.isAnonymous(authentication) || authenticationTrustResolver.isRememberMe(authentication)) {logger.debug("Access is denied (user is " + (authenticationTrustResolver.isAnonymous(authentication) ? "anonymous" : "not fully authenticated") + "); redirecting to authentication entry point",exception);sendStartAuthentication(request,response,chain,new InsufficientAuthenticationException(messages.getMessage("ExceptionTranslationFilter.insufficientAuthentication","Full authentication is required to access this resource")));}else {logger.debug("Access is denied (user is not anonymous); delegating to AccessDeniedHandler",exception);accessDeniedHandler.handle(request, response,(AccessDeniedException) exception);}}}protected void sendStartAuthentication(HttpServletRequest request,HttpServletResponse response, FilterChain chain,AuthenticationException reason) throws ServletException, IOException {// SEC-112: Clear the SecurityContextHolder's Authentication, as the// existing Authentication is no longer considered validSecurityContextHolder.getContext().setAuthentication(null);requestCache.saveRequest(request, response);logger.debug("Calling Authentication entry point.");authenticationEntryPoint.commence(request, response, reason);}public void setAccessDeniedHandler(AccessDeniedHandler accessDeniedHandler) {Assert.notNull(accessDeniedHandler, "AccessDeniedHandler required");this.accessDeniedHandler = accessDeniedHandler;}public void setAuthenticationTrustResolver(AuthenticationTrustResolver authenticationTrustResolver) {Assert.notNull(authenticationTrustResolver,"authenticationTrustResolver must not be null");this.authenticationTrustResolver = authenticationTrustResolver;}public void setThrowableAnalyzer(ThrowableAnalyzer throwableAnalyzer) {Assert.notNull(throwableAnalyzer, "throwableAnalyzer must not be null");this.throwableAnalyzer = throwableAnalyzer;}/*** Default implementation of <code>ThrowableAnalyzer</code> which is capable of also* unwrapping <code>ServletException</code>s.*/private static final class DefaultThrowableAnalyzer extends ThrowableAnalyzer {/*** @see org.springframework.security.web.util.ThrowableAnalyzer#initExtractorMap()*/protected void initExtractorMap() {super.initExtractorMap();registerExtractor(ServletException.class, new ThrowableCauseExtractor() {public Throwable extractCause(Throwable throwable) {ThrowableAnalyzer.verifyThrowableHierarchy(throwable,ServletException.class);return ((ServletException) throwable).getRootCause();}});}}
}

6.登录页面是如何产生的

答案在最后一个过滤器DefaultLoginPageGeneratingFilter中

    public void doFilter(ServletRequest req, ServletResponse res, FilterChain chain) throws IOException, ServletException {HttpServletRequest request = (HttpServletRequest)req;HttpServletResponse response = (HttpServletResponse)res;boolean loginError = this.isErrorPage(request);boolean logoutSuccess = this.isLogoutSuccess(request);if (!this.isLoginUrlRequest(request) && !loginError && !logoutSuccess) {chain.doFilter(request, response);} else {//拼接生产html登录页面String loginPageHtml = this.generateLoginPageHtml(request, loginError, logoutSuccess);response.setContentType("text/html;charset=UTF-8");response.setContentLength(loginPageHtml.getBytes(StandardCharsets.UTF_8).length);response.getWriter().write(loginPageHtml);}}

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

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

相关文章

element 如何实现文件上传下载导出

上传&#xff1a; 前端&#xff1a; <div><el-dialogtitle"低值易耗文件上传":visible.sync"dialogUploadVis"width"25%"><el-uploadclass"upload-demo"drag:on-change"handleChange":file-list"uplo…

如何保证Redis缓存和数据库的数据一致性

前言 如果项目业务处于起步阶段&#xff0c;流量非常小&#xff0c;那无论是读请求还是写请求&#xff0c;直接操作数据库即可&#xff0c;这时架构模型是这样的&#xff1a; 但随着业务量的增长&#xff0c;项目业务请求量越来越大&#xff0c;这时如果每次都从数据库中读数据…

【Redis】简单了解Redis中常用的命令与数据结构

希望文章能给到你启发和灵感&#xff5e; 如果觉得文章对你有帮助的话&#xff0c;点赞 关注 收藏 支持一下博主吧&#xff5e; 阅读指南 开篇说明一、基础环境说明1.1 硬件环境1.2 软件环境 二、Redis的特点和适用场景三、Redis的数据类型和使用3.1字符串&#xff08;String&…

QT界面动画呼吸框实现

#include #include Q_OBJECT //自定义属性 对应的参数作用为 // 类型 属性名 获取值的函数 设置属函数&#xff08;其中READ、WRITE为其格式&#xff09; Q_PROPERTY(int opacity READ opacity WRITE setOpacity) public: int opacity() const; //获取值 void setOpacity(in…

LabVIEW电容器充放电监测系统

概述 为了对车用超级电容器的特性进行研究&#xff0c;确保其在工作时稳定可靠并有效发挥性能优势&#xff0c;设计了一套车用超级电容器充放电监测系统。该系统通过利用传感器、USB数据采集卡、可调直流稳压电源、电子负载以及信号调理电路&#xff0c;完成对各信号的采集和超…

企业数字化转型怎么干?

目录 企业数字化转型是什么&#xff1f; 企业数字化转型为什么&#xff1f; 企业数字化转型怎么干&#xff1f; 企业数字化转型是什么&#xff1f; 先看一下案例&#xff0c;华为经历了多次战略转型&#xff0c;它是如何在危机中成长&#xff0c;涅槃重生&#xff1f; 199…

springboot中通过jwt令牌校验以及前端token请求头进行登录拦截实战

前言 大家从b站大学学习的项目侧重点好像都在基础功能的实现上&#xff0c;反而一个项目最根本的登录拦截请求接口都不会写&#xff0c;怎么拦截&#xff1f;为什么拦截&#xff1f;只知道用户登录时我后端会返回一个token&#xff0c;这个token是怎么生成的&#xff0c;我把它…

软设之桥接模式

桥接模式的意图是&#xff1a;将抽象部分与它的实现部分分离&#xff0c;使它们都可以独立变化。 比如说汽车是一个抽象的概念&#xff0c;但汽车有不同品牌和型号&#xff0c;这些汽车有不同的驱动方式&#xff0c;比如烧油或者电动。假如用传统的方式&#xff0c;每增加一个…

底软基础 | 嵌入式程序员编程必看的525钟C/C++ 安全编程问题

《360 安全规则集合》简称《安规集》&#xff0c;是一套详细的 C/C 安全编程指南&#xff0c;由 360 集团质量工程部编著&#xff0c;将编程时需要注意的问题总结成若干规则&#xff0c;可为制定编程规范提供依据&#xff0c;也可为代码审计或相关培训提供指导意见&#xff0c;…

VBA即用型代码手册:根据预定义的文本条件删除行

我给VBA下的定义&#xff1a;VBA是个人小型自动化处理的有效工具。可以大大提高自己的劳动效率&#xff0c;而且可以提高数据的准确性。我这里专注VBA,将我多年的经验汇集在VBA系列九套教程中。 作为我的学员要利用我的积木编程思想&#xff0c;积木编程最重要的是积木如何搭建…

Spring Boot 事件监听机制实战【自定义 Spring Boot 事件监听】

前言&#xff1a; 上一篇我们分析了 Spring Boot 事件监听的原理&#xff0c;本篇我们来自定义实现自己的监听器。 Spring Boot 系列文章传送门 Spring Boot 启动流程源码分析&#xff08;2&#xff09; Spring Boot 启动流程源码分析&#xff08;2&#xff09; Spring Bo…

LINUX命令行界面常用指令

目录 1. 命令行交互 2. 常用命令 2.1 打开命令行界面 2.2 打印当前目录的绝对路径 2.3 查询文件目录 2.4 了解命令结果 2.5 查看功能命令 2.6 清屏 2.7 切换路径 2.8 创建目录 1. 命令行交互 进入命令行交互界面&#xff1a;CTRLaltF2&#xff1b; 退出命令行交互…

怎么做好菲律宾TikTok直播带货?

TikTok目前是全球最受欢迎的APP之一&#xff0c;菲律宾TikTok直播已成为品牌出海的新趋势。作为一种新兴的引流渠道&#xff0c;出海电商卖家正通过直播带货模式实现流量变现。 在进行菲律宾TikTok直播时&#xff0c;关键在于能否吸引和留住消费者并促成购买。因此&#xff0c;…

【MOT】《Multiple Object Tracking in Recent Times: A Literature Review》

原文 Bashar M, Islam S, Hussain K K, et al. Multiple object tracking in recent times: A literature review[J]. arXiv preprint arXiv:2209.04796, 2022.https://arxiv.org/pdf/2209.04796 参考文章 多目标跟踪最新综述&#xff08;基于Transformer/图模型/检测和关联…

品牌策划不只是文案,揭秘背后的策略与创意!

品牌策划&#xff0c;听起来高大上&#xff0c;但其实它远不止是写个策划案那么简单。 这事儿&#xff0c;得用心&#xff0c;得深入&#xff0c;得全面。它涉及到品牌的定位、形象、传播&#xff0c;还有市场分析、竞争对手研究、目标受众识别&#xff0c;每一个环节都是品牌…

昆法尔The Quinfall在Steam上怎么搜索 Steam上叫什么名字

昆法尔The Quinfall是一款全新的MMORPG&#xff0c;在中世纪的深处&#xff0c;参与独特的战斗和沉浸式的故事&#xff0c;有几十个不同的职业。而游戏中的战斗系统更是丰富多彩&#xff0c;无论是陆地激战、海上鏖战还是城堡围攻&#xff0c;都能让玩家感受到前所未有的刺激和…

zdppy + vue3 + antd 实现一个表格编辑行,批量删除功能

编辑单元格和多选的功能 首先是编辑单元格的功能&#xff0c;点击编辑按钮&#xff0c;可以直接在表格中队内容进行编辑&#xff0c;点击保存以后能够同步到数据库。 其次是多选的功能&#xff0c;点击每行前面的多选框按钮&#xff0c;我们可以选中多行。 完整后端代码&am…

[论文笔记] 自对齐指令反翻译:SELF-ALIGNMENT WITH INSTRUCTION BACKTRANSLATION

https://arxiv.org/pdf/2308.06259 这篇论文介绍了一种名为“指令反向翻译”(instruction backtranslation)的方法,用于通过自动标记人类书写的文本和相应的指令来构建高质量的指令跟随语言模型。这里是一个通俗易懂的解释: 一、背景 通常,训练一个高质量的指令跟随语言…

GraphQL在Postman中:释放API查询的强大潜能

&#x1f680; GraphQL在Postman中&#xff1a;释放API查询的强大潜能 Postman作为API开发和测试的领先工具&#xff0c;对GraphQL的支持为开发者提供了一种新的方式来查询和管理数据。GraphQL是一种查询语言&#xff0c;用于API&#xff0c;允许客户端明确指定他们需要哪些数…

【Linux】命令执行的判断依据:;,,||

在某些情况下&#xff0c;很多命令我想要一次输入去执行&#xff0c;而不想要分次执行时&#xff0c;该如何是好&#xff1f; 基本上有两个选择&#xff0c; 一个是通过shell脚本脚本去执行&#xff0c;一种则是通过下面的介绍来一次入多个命令。 1.cmd&#xff1a;cmd&#…