Spring Boot实践——基础和常用配置

借鉴:https://blog.csdn.net/j903829182/article/details/74906948

一、Spring Boot 启动注解说明

@SpringBootApplication开启了Spring的组件扫描和Spring Boot的自动配置功能。实际上, @SpringBootApplication将三个有用的注解组合在了一起。

  • Spring的@Configuration:标明该类使用Spring基于Java的配置。虽然本书不会写太多配置,但我们会更倾向于使用基于Java而不是XML的配置。
  • Spring的@ComponentScan:启用组件扫描,这样你写的Web控制器类和其他组件才能被自动发现并注册为Spring应用程序上下文里的Bean。默认扫描@SpringBootApplication 所在类的同级目录以及它的子目录。本章稍后会写一个简单的Spring MVC控制器,使用@Controller进行注解,这样组件扫描才能找到它。
  • Spring Boot 的 @EnableAutoConfiguration: 这 个 不 起 眼 的 小 注 解 也 可 以 称 为@Abracadabra①,就是这一行配置开启了Spring Boot自动配置的魔力,让你不用再写成篇的配置了。

在Spring Boot的早期版本中,你需要在ReadingListApplication类上同时标上这三个注解,但从Spring Boot 1.2.0开始,有@SpringBootApplication就行了。

二、Bean的scope

scope描述了spring容器如何新建bena的实例,spring的scope有以下几种,通过@Scope注解来实现

  • Singleton:一个spring容器中只有一个bena的实例,此为spring的默认配置,全容器共享一个实例的bean。
  • Prototype:每次调用新建一个bean的实例。
  • Request:web项目中,给每一个http request新建一个Bean实例。
  • Session :web项目中,给每一个http session新建一个实例。
  • GlobalSession:这个只在portal应用中有用,给每一个global http session新建一个bean实例。

另外,在spring batch中还有一个Scope是使用@StepScope,用在批处理中。

实例:

定义一个Single的Bean

/*** @Description: 自定义Single实例* @ClassName: CustomSingleService * @author OnlyMate* @Date 2018年9月13日 上午10:34:36  **/
@Service
//默认为Sinleton,相当于@Scope("singleton")
@Scope(value="singleton")
public class CustomSingleService {}

定义一个Prototype的Bean

/*** @Description: 自定义Prototype实例* @ClassName: CustomPrototypeService * @author OnlyMate* @Date 2018年9月13日 上午10:34:36  **/
@Service
@Scope(value="prototype")
public class CustomPrototypeService {}

Bean的Scope配置

import org.springframework.context.annotation.ComponentScan;
import org.springframework.context.annotation.Configuration;/*** @Description: 自定义Bean的Scope配置类 * @ClassName: CustomScopConfig * @author OnlyMate* @Date 2018年9月13日 上午10:59:54  **/
@Configuration
@ComponentScan(value="com.only.mate.springboot.basic.scope")
public class CustomScopConfig {}

测试类

import org.springframework.context.annotation.AnnotationConfigApplicationContext;
import com.only.mate.springboot.configure.basic.CustomScopConfig;public class CustomScopeMain {public static void main(String[] args) {// AnnotationConfigApplicationContext作为spring容器,接受一个配置类作为参数AnnotationConfigApplicationContext context = new AnnotationConfigApplicationContext(CustomScopConfig.class);CustomSingleService cs1 = context.getBean(CustomSingleService.class);CustomPrototypeService cp1 = context.getBean(CustomPrototypeService.class);CustomSingleService cs2 = context.getBean(CustomSingleService.class);CustomPrototypeService cp2 = context.getBean(CustomPrototypeService.class);System.out.println("cs1与cs2是否相等:" + cs1.equals(cs2));System.out.println("cp1与cp2是否相等:" + cp1.equals(cp2));context.close();}
}

结果:

三、Bean的初始化和销毁

  在我们实际开发的时候,经常会遇到在bean使用之前或者之后做一些必要的操作,spring 对bean的生命周期的操作提供了支持。在使用java配置和注解配置下提供如下两种方式:

  • java配置方式:使用@Bean的initMethod和destroyMethod(相当于xml配置的init-method和destory-method)
  • 注解方式:利用JSR-250的@PostConstruct和@PreDestroy

1、增加JSR250支持

<!--增加JSR250支持-->
<dependency><groupId>javax.annotation</groupId><artifactId>jsr250-api</artifactId><version>1.0</version>
</dependency>

2、使用@Bean形式的bean

/*** @Description: 自定义@Bean方式的初始化和销毁方法* @ClassName: CustomBeanWay * @author OnlyMate* @Date 2018年9月13日 上午11:15:41  **/
public class CustomBeanWay {public CustomBeanWay() {super();System.out.println("@Bean初始化构造方法 ==> CustomBeanWay method");}public void init() {System.out.println("@Bean初始化方法 ==> init method");}public void destroy() {System.out.println("@Bean销毁方法 ==> destroy method");}
}

3、使用JSR250形式的bean

/*** @Description: 自定义JSR250方式的初始化和销毁方法* @ClassName: CustomJSR250Way * @author OnlyMate* @Date 2018年9月13日 上午11:15:41  **/
public class CustomJSR250Way {public CustomJSR250Way() {super();System.out.println("JSR250初始化构造方法 ==> CustomJSR250Way method");}@PostConstructpublic void init() {System.out.println("JSR250初始化方法 ==> init method");}@PreDestroypublic void destroy() {System.out.println("JSR250销毁方法 ==> destroy method");}
}

4、配置

import org.springframework.context.annotation.Bean;
import org.springframework.context.annotation.ComponentScan;
import org.springframework.context.annotation.Configuration;import com.only.mate.springboot.basic.lifecycle.CustomBeanWay;
import com.only.mate.springboot.basic.lifecycle.CustomJSR250Way;@Configuration
@ComponentScan(value="com.only.mate.springboot.basic.lifecycle")
public class CustomLifeCycleConfig {@Bean(initMethod = "init",destroyMethod = "destroy")public CustomBeanWay customBeanWay(){return new CustomBeanWay();}@Beanpublic CustomJSR250Way customJSR250Way(){return new CustomJSR250Way();}}

5、启动

import org.springframework.context.annotation.AnnotationConfigApplicationContext;import com.only.mate.springboot.configure.lifecycle.CustomLifeCycleConfig;@SuppressWarnings("unused")
public class CustomLifeCycleMain {public static void main(String[] args) {// AnnotationConfigApplicationContext作为spring容器,接受一个配置类作为参数AnnotationConfigApplicationContext context = new AnnotationConfigApplicationContext(CustomLifeCycleConfig.class);CustomBeanWay customBeanWay = context.getBean(CustomBeanWay.class);CustomJSR250Way customJSR250Way = context.getBean(CustomJSR250Way.class);context.close();}
}

6、效果图

可见init方法和destory方法在构造方法之后,bean销毁之前执行。

四、Spring EL和资源调用

  spring EL-Spring表达式语言,支持在xml和注解中使用表达式,类似于jsp的EL表达式语言。
  spring开发中经常涉及调用各种资源的情况,包含普通文件,网址,配置文件,系统环境变量等,我们可以使用  spring表达式语言实现资源的注入。
  spring主要在注解@Vavle的参数中使用表达式。
下面演示一下几种情况:

  • 注入普通字符串
  • 注入操作系统属性
  • 注入表达式运算结果
  • 注入其他Bean的属性
  • 注入文件内容
  • 注入网址内容
  • 注入属性文件

1、准备,增加commons-io可简化文件相关的操作,本例使用commons-io将file转换成字符串。

<!--增加commons-io可简化文件相关操作-->
<dependency><groupId>commons-io</groupId><artifactId>commons-io</artifactId><version>2.3</version>
</dependency>    

 2、创建文件

在resources下简历files文件夹,并创建el.properties和test.txt文件

内容如下:

el.properties

book.author=onlymate
book.name=Java is s magic

test.txt

这是test.txt里面的内容,很高兴认识大家

3、需被注入的bean

@Component
public class CustomElBean {//注入普通字符串@Value("其他类属性")private String another;public String getAnother() {return another;}public void setAnother(String another) {this.another = another;}
}

4、配置类

import java.nio.charset.Charset;import org.apache.commons.io.IOUtils;
import org.springframework.beans.factory.annotation.Autowired;
import org.springframework.beans.factory.annotation.Value;
import org.springframework.context.annotation.Bean;
import org.springframework.context.annotation.ComponentScan;
import org.springframework.context.annotation.Configuration;
import org.springframework.context.annotation.PropertySource;
import org.springframework.context.support.PropertySourcesPlaceholderConfigurer;
import org.springframework.core.env.Environment;
import org.springframework.core.io.Resource;/*** @Description: 自定义el配置类 * @ClassName: CustomElConfig * @author OnlyMate* @Date 2018年9月13日 上午10:59:54  **/
@Configuration
@ComponentScan(basePackages="com.only.mate.springboot.basic.el")
//注入配置文件需要使用@PropertySource指定文件地址,若使用@Value注入,则要配置一个PropertySourcesPlaceholderConfigurer的bean
//注意,@ @Value("${book.name}")使用的是$而不是#
//注入Properties还可以从Environment中获得
@PropertySource("classpath:files/el.properties")
public class CustomElConfig {//注入普通字符串@Value("I Love YOU!")private String normal;//注入操作系统属性@Value("#{systemProperties['os.name']}")private String osName;//注入表达式结果@Value("#{T(java.lang.Math).random()*100.0}")private double randomNumber;//注入其他的bean属性@Value("#{customElBean.another}")private String fromAnother;//注入文件资源@Value("classpath:files/test.txt")private Resource testFile;//注入网址资源@Value("http://www.baidu.com")private Resource testUrl;//注入配置文件@Value("${book.name}")private String bookNmame;//注入环境
    @Autowiredprivate Environment environment;@Beanpublic static PropertySourcesPlaceholderConfigurer propertyConfigure(){return new PropertySourcesPlaceholderConfigurer();}public void outputResource(){try {System.out.println(normal);System.out.println(osName);System.out.println(randomNumber);System.out.println(fromAnother);System.out.println(IOUtils.toString(testFile.getInputStream(), Charset.defaultCharset()));System.out.println(IOUtils.toString(testUrl.getInputStream(), Charset.defaultCharset()));System.out.println(bookNmame);System.out.println(environment.getProperty("book.author"));}catch (Exception e){e.printStackTrace();System.out.println(e);}}}

5、启动运行

import org.springframework.context.annotation.AnnotationConfigApplicationContext;
import com.only.mate.springboot.configure.el.CustomElConfig;public class CustomElMain {public static void main(String [] args){//AnnotationConfigApplicationContext作为spring容器,接受一个配置类作为参数AnnotationConfigApplicationContext context = new AnnotationConfigApplicationContext(CustomElConfig.class);CustomElConfig elConfig = context.getBean(CustomElConfig.class);elConfig.outputResource();context.close();}}

6、效果图

 五、Profile

1、基础练习

Profile为在不同环境下使用不同的配置提供了支持(开发环境下的配置和生产环境下的配置不同,比如数据库)

  • 通过设定Enviroment的ActiveProfiles来设定当前context需要使用的配置环境。在开发中使用@Profile注解类或者方法,达到在不同情况下选择实例化不同的Bean
  • 通过设定jvm的spring.profiles.active参数来设置配置环境
  • Web项目设置在Servlet的context parameter中

1、定义一个bean

/*** @Description: 定义一个bean* @ClassName: CustomProfileBean * @author OnlyMate* @Date 2018年9月13日 下午4:26:22  **/
public class CustomProfileBean {private String content;public CustomProfileBean(String content) {super();this.content = content;}public String getContent() {return content;}public void setContent(String content) {this.content = content;}
}

2、配置

/*** @Description: 自定义Profile的配置类* @ClassName: CustomProfileConfig * @author OnlyMate* @Date 2018年9月13日 下午4:27:17  **/
@Configuration
public class CustomProfileConfig {@Bean@Profile("dev")//Profile为dev时实例化devCustomProfileBeanpublic CustomProfileBean devCustomProfileBean(){return new CustomProfileBean("from development pfofile");}@Bean@Profile("prod")//Profile为prod时实例化prodCustomProfileBeanpublic CustomProfileBean prodCustomProfileBean(){return new CustomProfileBean("from  production profile");}}

3、启动运行

/*** @Description: * @ClassName: CustomProfileMain * @author OnlyMate* @Date 2018年9月13日 下午4:26:22  **/
public class CustomProfileMain {public static void main(String [] args){//AnnotationConfigApplicationContext作为spring容器,接受一个配置类作为参数AnnotationConfigApplicationContext context = new AnnotationConfigApplicationContext();//先将活动的Profile设置为prodcontext.getEnvironment().setActiveProfiles("prod");//后置注册Bean配置类,不然会报bean未定义的错误context.register(CustomProfileConfig.class);//刷新容器
        context.refresh();CustomProfileBean demoBean = context.getBean(CustomProfileBean.class);System.out.println(demoBean.getContent());context.close();}
}

4、效果图

2、日志信息的配置

logback-spring.xml

<?xml version="1.0" encoding="UTF-8"?>
<configuration debug="true"><!-- debug="true"设置调试模式 --><!--定义日志文件的存储地址 勿在 LogBack 的配置中使用相对路径,文件要以logback-spring.xml命名--><springProfile name="test"><property name="catalina.base" value="/home/webapp/logs/spring-boot" /></springProfile><springProfile name="prod"><property name="catalina.base" value="/app/webapp/logs/spring-boot" /></springProfile><springProfile name="dev"><property name="catalina.base" value="H:/logs/spring-boot" /></springProfile><!--<springProperty scope="context" name="catalina.base" source="catalina.base"/>--><!-- 日志地址 --><!--<property name="catalina.base" value="H:/logs"></property>--><!-- 控制台输出 --><appender name="STDOUT" class="ch.qos.logback.core.ConsoleAppender"><encoder class="ch.qos.logback.classic.encoder.PatternLayoutEncoder"><pattern>%d{yyyy-MM-dd HH:mm:ss.SSS} 耗时:%r 日志来自:%logger{50} 日志类型: %-5p 日志内容:%m%n</pattern></encoder></appender><!-- 按照每天生成日志文件 --><appender name="DEFAULT-APPENDER" class="ch.qos.logback.core.rolling.RollingFileAppender"><File>${catalina.base}/logs/common-default.log</File><rollingPolicy class="ch.qos.logback.core.rolling.TimeBasedRollingPolicy"><!--日志文件输出的文件名 --><FileNamePattern>${catalina.base}/logs/common-default-%d{yyyy-MM-dd}.log</FileNamePattern><!--日志文件保留天数 --><MaxHistory>30</MaxHistory></rollingPolicy><encoder class="ch.qos.logback.classic.encoder.PatternLayoutEncoder"><!--格式化输出:%d表示日期,%thread表示线程名,%-5level:级别从左显示5个字符宽度%msg:日志消息,%n是换行符 --><pattern>%d{yyyy-MM-dd HH:mm:ss.SSS} [%thread] %-5level %logger{50} - %msg%n</pattern></encoder><!--日志文件最大的大小 --><triggeringPolicy class="ch.qos.logback.core.rolling.SizeBasedTriggeringPolicy"><MaxFileSize>10MB</MaxFileSize></triggeringPolicy></appender><!-- 按照每天生成日志文件 -->   <appender name="INFO-APPENDER" class="ch.qos.logback.core.rolling.RollingFileAppender"><File>${catalina.base}/logs/info-log.log</File>  <rollingPolicy class="ch.qos.logback.core.rolling.TimeBasedRollingPolicy"><!--日志文件输出的文件名 --><FileNamePattern>${catalina.base}/logs/info-log-%d{yyyy-MM-dd}.log</FileNamePattern><!--日志文件保留天数 --><MaxHistory>30</MaxHistory></rollingPolicy><encoder class="ch.qos.logback.classic.encoder.PatternLayoutEncoder"><!-- 格式化输出:%d表示日期,%thread表示线程名,%-5level:级别从左显示5个字符宽度%msg:日志消息,%n是换行符 --><pattern>%d{yyyy-MM-dd HH:mm:ss.SSS} [%thread] %-5level %logger{50} - %msg%n</pattern></encoder><!--日志文件最大的大小 --><triggeringPolicy class="ch.qos.logback.core.rolling.SizeBasedTriggeringPolicy"><MaxFileSize>10MB</MaxFileSize></triggeringPolicy></appender><logger name="com.google.code.yanf4j"  level="ERROR" /><!-- show parameters for hibernate sql 专为 Hibernate 定制 --><logger name="org.hibernate.type.descriptor.sql.BasicBinder"  level="TRACE" /><logger name="org.hibernate.type.descriptor.sql.BasicExtractor"  level="DEBUG" /><logger name="org.hibernate.SQL" level="DEBUG" /><logger name="org.hibernate.engine.QueryParameters" level="DEBUG" /><logger name="org.hibernate.engine.query.HQLQueryPlan" level="DEBUG" /><!--myibatis log configure--><logger name="org.apache.ibatis" level="DEBUG"/><logger name="java.sql.Connection" level="DEBUG"/><logger name="java.sql.Statement" level="DEBUG"/><logger name="java.sql.PreparedStatement" level="DEBUG"/><logger name="net.rubyeye.xmemcached" level="INFO"/><logger name="org.springframework" level="INFO"/><logger name="net.sf.ehcache" level="INFO"/><logger name="org.apache.zookeeper"  level="INFO" /><!-- 指定某一个包或者某一个类的打印级别以及是否传入root进行打印 --><!-- addtivity:是否向上级loger传递打印信息。默认是true。--><!-- <loger>可以包含零个或多个<appender-ref>元素,标识这个appender将会添加到这个loger。--><!-- name:用来指定受此loger约束的某一个包或者具体的某一个类。--><!-- level:用来设置打印级别,大小写无关:TRACE, DEBUG, INFO, WARN, ERROR, ALL 和 OFF,还有一个特俗值INHERITED或者同义词NULL,代表强制执行上级的级别。如果未设置此属性,那么当前loger将会继承上级的级别。--><!-- 为所有开头为dao的类打印sql语句 --><!-- <logger name="dao" level="DEBUG"><appender-ref ref="INFO-APPENDER" /></logger> --><logger name="com.only.mate" level="DEBUG" additivity="true"><appender-ref ref="INFO-APPENDER" /></logger><!-- 也是<loger>元素,但是它是根loger。只有一个level属性,应为已经被命名为"root". --><root level="DEBUG"><appender-ref ref="STDOUT"/><appender-ref ref="DEFAULT-APPENDER"/></root></configuration>

这里有兴趣的自己自己尝试。

3、Java代码中根据系统环境处理逻辑

创建一个服务,实现ApplicationContextAware接口

import org.springframework.beans.BeansException;
import org.springframework.context.ApplicationContext;
import org.springframework.context.ApplicationContextAware;
import org.springframework.stereotype.Service;@Service
public class CustomProfileService implements ApplicationContextAware{private ApplicationContext applicationContext = null;@Overridepublic void setApplicationContext(ApplicationContext applicationContext) throws BeansException {this.applicationContext = applicationContext;}public void doSomething() {//获取当前系统环境String[] springActives = applicationContext.getEnvironment().getActiveProfiles();String springActive = "";if(springActives.length > 0) {springActive = springActives[0];}else {springActive = applicationContext.getEnvironment().getDefaultProfiles()[0];}System.out.println("当前的开发环境:"+ springActive);}
}

配置类

/*** @Description: 自定义Profile的配置类* @ClassName: CustomProfileConfig * @author OnlyMate* @Date 2018年9月13日 下午4:27:17  **/
@Configuration
@ComponentScan(basePackages="com.only.mate.springboot.basic.profile")
public class CustomProfileConfig {@Bean@Profile("dev")//Profile为dev时实例化devCustomProfileBeanpublic CustomProfileBean devCustomProfileBean(){return new CustomProfileBean("from development pfofile");}@Bean@Profile("prod")//Profile为prod时实例化prodCustomProfileBeanpublic CustomProfileBean prodCustomProfileBean(){return new CustomProfileBean("from  production profile");}}

启动类

/*** @Description: * @ClassName: CustomProfileMain * @author OnlyMate* @Date 2018年9月13日 下午4:26:22  **/
public class CustomProfileMain {public static void main(String [] args){//AnnotationConfigApplicationContext作为spring容器,接受一个配置类作为参数AnnotationConfigApplicationContext context = new AnnotationConfigApplicationContext();//先将活动的Profile设置为prodcontext.getEnvironment().setActiveProfiles("prod");//后置注册Bean配置类,不然会报bean未定义的错误context.register(CustomProfileConfig.class);//刷新容器
        context.refresh();CustomProfileBean customProfileBean = context.getBean(CustomProfileBean.class);System.out.println(customProfileBean.getContent());CustomProfileService customProfileService = context.getBean(CustomProfileService.class);customProfileService.doSomething();context.close();}
}

效果图

 

转载于:https://www.cnblogs.com/onlymate/p/9641554.html

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

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

相关文章

[css] 什么是hack?css的hack有哪些?

[css] 什么是hack&#xff1f;css的hack有哪些&#xff1f; 一、总结 1、CSS hack&#xff1a;由于不同厂商的浏览器&#xff0c;比如Internet Explorer,Safari,Mozilla Firefox,Chrome等&#xff0c;或者是同一厂商的浏览器的不同版本&#xff0c;如IE6和IE7&#xff0c;对CS…

Element组件 Drawer 抽屉的关闭问题

场景 我使用的Drawer 抽屉是从上往下开的效果&#xff0c;点击搜索图标&#xff0c;从上往下开没问题&#xff0c;输入关键字搜索&#xff0c;搜索出来的列表放置于搜索栏下面&#xff0c;所以使用了一个子组件 问题就来了 搜出来的列表item&#xff0c;点击任意一条&#x…

First Steps with TensorFlow代码解析

注&#xff1a;本文的内容基本上都摘自tensorflow的官网&#xff0c;只不过官网中的这部分内容在国内访问不了&#xff0c;所以我只是当做一个知识的搬运工&#xff0c;同时梳理了一遍&#xff0c;方便大家查看。本文相关内容地址如下&#xff1a; https://developers.google.c…

宝塔nginx运行vue项目刷新404问题解决

我的项目是webpack构建的&#xff0c;因为我做一切开发都想要希望要从一个标准的构建去编码 所以&#xff0c;我的项目在node下运行&#xff0c;开发&#xff0c;调试是没有一点问题的&#xff0c;npm run build也是完全OK的&#xff0c;vue路由是history模式 把build出来的d…

vscode设置中文,设置中文不成功问题

刚安装好的vscode界面显示英文&#xff0c;如何设置中文呢&#xff1f; 在locale.json界面设置”locale":"zh-cn"也未能实现界面为中文&#xff0c;在网上找了参考了&#xff0c;以下教程真实测试有效&#xff01; 首先&#xff1a; 下载插件&#xff1a;Chines…

网页Request Headers请求头和Response Headers响应头

Request Headers Accept:告诉服务器&#xff0c;客户机支持的数据类型 Accept-Encoding:告诉服务器&#xff0c;客户机支持的数据压缩格式 Cache-Control&#xff1a;缓存控制&#xff0c;服务器通过控制浏览器要不要缓存数据 Connection:处理完这次请求&#xff0c;是断开…

springboot+jpa+mysql+redis+swagger整合步骤

springbootjpaMySQLswagger框架搭建好之上再整合redis&#xff1a; 在电脑上先安装redis&#xff1a; 一、在pom.xml中引入redis 二、在application.yml里配置redis&#xff0c;单独说明&#xff1a;redis刚一开始安装好是没有设置密码的。否则&#xff0c;会报connection错误。…

python3下使用requests实现模拟用户登录 —— 基础篇(马蜂窝)

我是从这篇博客中&#xff08;https://blog.csdn.net/zwq912318834/article/details/79571110&#xff09;了解的一点基础东西&#xff0c;代码都是从这篇博客里面的源代码直接复制过去测试和学习的。 遇到的问题&#xff1a; 1、返回状态码&#xff1a;502——百度得知这是一…

ACM-ICPC 2018 焦作赛区网络预赛 H题 String and Times(SAM)

Now you have a string consists of uppercase letters, two integers AA and BB. We call a substring wonderful substring when the times it appears in that string is between AA and BB (A \le times \le BA≤times≤B). Can you calculate the number of wonderful sub…

[css] css的height:100%和height:inherit之间有什么区别呢?

[css] css的height:100%和height:inherit之间有什么区别呢&#xff1f; 上周在微博上无节操吐槽了下inherit的段子&#xff0c;没想到回声还不少&#xff1a; 微博inherit无节操段子 不过inherit确实是个好东西&#xff0c;不仅节约代码&#xff0c;尤其与background之流打交…

http详解 请求报文格式和响应报文格式

题外话&#xff1a; 《Pi Network 免费挖矿国外热门项目 一个π币大约值3元到10元》相信过去BTC的人&#xff0c;信不信未来的PI&#xff0c;了解一下&#xff0c;唯一一个高度与之持平的项目 HTTP 工作原理 超文本传输协议(Hypertext Transfer Protocol&#xff0c;简称HTT…

【LeetCode】拓扑排序

【207】 Course Schedule 排课问题&#xff0c;n门课排课&#xff0c;有的课程必须在另外一些课程之前上&#xff0c;问能不能排出来顺序。 题解&#xff1a;裸的拓扑排序。参考代码见算法竞赛入门指南这本书。 1 class Solution {2 public:3 bool dfs(const vector<vec…

pycharm中更新pip版本的问题

经常使用Python的都知道pip&#xff0c;但有时候&#xff0c;下载某个模块不成功&#xff0c;提示信息如下 pytharm查看自带的pip版本 解决方式一&#xff1a; pytharm的terminal里卸载pip再安装pip 如果还不行&#xff0c;解决方式二 去你当前的项目路径下找到lib文件夹下的…

小程序的wx.onAccelerometerChange

https://www.2cto.com/kf/201802/724174.html&#xff08;copy&#xff09; 也许有人会问&#xff0c;小程序中都是竖直app形态&#xff0c;要横竖屏判断有什么用?即使判断出了横屏状态&#xff0c;你能把小程序横过来?答案是不能的&#xff0c;但是判断当前设备处于横屏或者…

Django通过中间件实现登录验证demo

前提&#xff1a;中间件版的登录验证需要依靠session&#xff0c;所以数据库中要有django_session表。 1 from django.conf.urls import url2 from django.contrib import admin3 from app01 import views4 5 urlpatterns [6 url(r^admin/, admin.site.urls),7 url(r^…

Python爬虫自学之第(③)篇——实战:requests+BeautifulSoup实现静态爬取

题外话&#xff1a; 《Pi Network 免费挖矿国外热门项目 一个π币大约值3元到10元》相信过去BTC的人&#xff0c;信不信未来的PI&#xff0c;了解一下&#xff0c;唯一一个高度与之持平的项目 前篇全片都是生硬的理论使用&#xff0c;今天就放个静态爬取的实例让大家体验一下B…

Python爬虫自学之第(④)篇——强大的正则表达式,re模块

题外话&#xff1a; 《Pi Network 免费挖矿国外热门项目 一个π币大约值3元到10元》相信过去BTC的人&#xff0c;信不信未来的PI&#xff0c;了解一下&#xff0c;唯一一个高度与之持平的项目 如果把BeautifulSopu比喻成通过线索一步步接近目标的侦探的话&#xff0c;那么正则…

Python爬虫自学之第(⑤)篇——爬取某宝商品信息

题外话&#xff1a; 《Pi Network 免费挖矿国外热门项目 一个π币大约值3元到10元》相信过去BTC的人&#xff0c;信不信未来的PI&#xff0c;了解一下&#xff0c;唯一一个高度与之持平的项目 能看到这里说明快进入动态网页爬取了&#xff0c;在这之前还有一两个知识点要了解&…

Vue通信、传值的多种方式,详解

Vue通信、传值的多种方式&#xff0c;详解 转自&#xff1a;https://blog.csdn.net/qq_35430000/article/details/79291287 一、通过路由带参数进行传值 ①两个组件 A和B,A组件通过query把orderId传递给B组件&#xff08;触发事件可以是点击事件、钩子函数等&#xff09; this.…

python 文件读写(追加、覆盖)

很明了的一个常用参数图标&#xff1a; 更像细的一个参数说明&#xff1a; 由于文件读写时都有可能产生IOError&#xff0c;一旦出错&#xff0c;后面的f.close()就不会调用。所以&#xff0c;为了保证无论是否出错都能正确地关闭文件&#xff0c;我们可以使用try ... finally来…