SpringBoot_笔记

三种启动方式:

1,run启动类
2,命令行进入项目所在路径,mvn spring-boot:run
3,进入项目路径,先mvn install,接着cd target目录查看,会多出一个girl-0.0.1-SNAPSHOT.jar文件。然后java -jar girl-0.0.1-SNAPSHOT.jar启动这个项目。

yml配置:

注意:如果所有配置写在application.yml里,那么,对后面两个配置文件都起作用。

application.yml:

#指定项目使用application-dev.yml配置文件
spring:
  profiles:
    active: dev

application-dev.yml:

#开发环境使用的配置文件
server:
  port: 8080
girl:
  cupSize: b
  age: 18

application-prod.yml:

#生产环境使用的配置文件
server:
  port: 8090
girl:
  cupSize: f
  age: 18

如何使生产环境的配置文件也起动生效呢,命令行进入项目路径,mvn install,接着cd target目录,然后使用:

java -jar girl-0.0.1-SNAPSHOT.jar --spring.profiles.active=prod
OK了,浏览器8080端口8090端口都能访问了。
注解:
//获取URL里的参数值
 @RequestMapping("/{id}")
    public String index(@PathVariable Integer id){
        return "id:"+id;
    }
//这个是获取URL请求参数属性的值,注解括号的id与参数属性一致
 @RequestMapping("/")
     public String index2(
@RequestParam(value="id",required=false,defaultValue="0") Integer age){
        return "id:"+age;
    }
//这两个注解效果一样
//    @RequestMapping(value = "/",method = RequestMethod.POST)
    @PostMapping(value = "/")

SpringBoot使用JPA:

定义一个类,加上如下注解
@Entity
public class Girl {
    @Id
    @GeneratedValue
    private Integer id;

    private String cupSize;

    private Integer age;

    public Integer getId() {
        return id;
    }

    public void setId(Integer id) {
        this.id = id;
    }

    public String getCupSize() {
        return cupSize;
    }

    public void setCupSize(String cupSize) {
        this.cupSize = cupSize;
    }

    public Integer getAge() {
        return age;
    }

    public void setAge(Integer age) {
        this.age = age;
    }

    public Girl() {
    }
}
配置信息加上JPA,ddl_auto:有很多参数,create是每次启动项目都会删掉表数据。
spring:
  profiles:
    active: dev
  #======================================数据库配置===========================================#
  datasource:
      driver-class-name: com.mysql.jdbc.Driver
      url: jdbc:mysql://127.0.0.1:3306/dbgirl
      username: root
      password: wjb
  #=================================JPA配置=================================================#
  jpa:
    hibernate:
      ddl-auto: create
    show-sql: true
运行项目数据库就会新建一张girl表,有id,cupSize,age三个字段。


springboot使用拦截器:

1,先写一个拦截器类,实现HandlerInterceptor接口:

package com.wjb.interceptor;

import org.apache.log4j.Logger;
import org.springframework.web.servlet.HandlerInterceptor;
import org.springframework.web.servlet.ModelAndView;

import javax.servlet.http.HttpServletRequest;
import javax.servlet.http.HttpServletResponse;

/**
 *
 * Created by wjb on 2017/3/28.
 *另一种方法是实现WebRequestInterceptor接口,两种方式方法各不一样
 */
public class TestInterceptor implements HandlerInterceptor {
    private final static Logger logger = Logger.getLogger(TestInterceptor.class);

    /**
     * 如果返回值是false,请求将被终止,反之继续。
     * Object表示被拦截请求的对象。
     * @param httpServletRequest
     * @param httpServletResponse
     * @param o
     * @return
     * @throws Exception
     * 在请求处理之前进行调用(Controller方法调用之前)
     */
    @Override
    public boolean preHandle(HttpServletRequest httpServletRequest, HttpServletResponse httpServletResponse, Object o) throws Exception {
        /*拦截器也能设置编码,这点和过滤器很相似*/
        httpServletRequest.setCharacterEncoding("utf-8");
        logger.info("进入拦截器====preHandle");
        return true;
    }

    /**
     *
     * @param httpServletRequest
     * @param httpServletResponse
     * @param o
     * @param modelAndView
     * @throws Exception
     * 请求处理之后进行调用,但是在视图被渲染之前(Controller方法调用之后)
     */
    @Override
    public void postHandle(HttpServletRequest httpServletRequest, HttpServletResponse httpServletResponse, Object o, ModelAndView modelAndView) throws Exception {
        modelAndView.setViewName("/index.html");
        logger.info("进入拦截器====postHandle");
    }

    /**
     *
     * @param httpServletRequest
     * @param httpServletResponse
     * @param o
     * @param e
     * @throws Exception
     * 在整个请求结束之后被调用,也就是在DispatcherServlet 渲染了对应的视图之后执行(主要是用于进行资源清理工作)
     */
    @Override
    public void afterCompletion(HttpServletRequest httpServletRequest, HttpServletResponse httpServletResponse, Object o, Exception e) throws Exception {
        logger.info("进入拦截器====afterCompletion");
    }
}

2,配置拦截器:

package com.wjb.interceptor;

import org.springframework.context.annotation.Configuration;
import org.springframework.web.servlet.config.annotation.InterceptorRegistry;
import org.springframework.web.servlet.config.annotation.WebMvcConfigurerAdapter;

/**
 * Created by wjb on 2017/3/28.
 *
 * 过滤器filter依赖于servlet容器,基于回调函数,过滤范围较大
 *
 * 拦截器interceptor依赖于框架容器,基于反射机制,只过滤请求
 */
@Configuration      //标注此文件为一个配置项,spring boot才会扫描到该配置。该注解类似于之前使用xml进行配置
public class MyWebAppConfigurer extends WebMvcConfigurerAdapter {
    @Override
    public void addInterceptors(InterceptorRegistry registry) {
        // 多个拦截器组成一个拦截器链
        // addPathPatterns 用于添加拦截规则
        // excludePathPatterns 用户排除拦截
        registry.addInterceptor(new TestInterceptor()).addPathPatterns("/**");
//        registry.addInterceptor(new TestInterceptor2()).addPathPatterns("/**");
        super.addInterceptors(registry);
    }
}

springboot使用aop:

package com.wjb.ascept;

import org.aopalliance.intercept.Joinpoint;
import org.aspectj.lang.JoinPoint;
import org.aspectj.lang.annotation.After;
import org.aspectj.lang.annotation.Aspect;
import org.aspectj.lang.annotation.Before;
import org.aspectj.lang.annotation.Pointcut;
import org.slf4j.Logger;
import org.slf4j.LoggerFactory;
import org.springframework.stereotype.Component;
import org.springframework.web.context.request.RequestContextHolder;
import org.springframework.web.context.request.ServletRequestAttributes;

import javax.servlet.http.HttpServletRequest;

/**
 * Created by wjb on 2017/3/22.
 *
 * 集成AOP,实现日志输出,先添加依赖
 *
 *
 */
@Aspect    //引入AOP
@Component  //让Spring集成AOP
public class HttpAspect {
    /**
     * Spring自带的Logger日志(和log4j有点区别)
     */
    private final static Logger logger = LoggerFactory.getLogger(HttpAspect.class);

    /**
     * 切入点
     */
    @Pointcut("execution(public * com.wjb.controller.GirlController.*(..))")
    public void log(){
    }


    /**
     * 在指定方法之前执行以下方法
     */
    @Before("log()")
    public void beforeLog(JoinPoint joinPoint){
        logger.info("===========aop开始===========");
        ServletRequestAttributes attributes = (ServletRequestAttributes) RequestContextHolder.getRequestAttributes();
        HttpServletRequest request = attributes.getRequest();
        logger.info("url={}",request.getRequestURI());
        logger.info("method={}",request.getMethod());
        logger.info("ip={}",request.getRemoteAddr());
        //类方法
        logger.info("classMethod={}",joinPoint.getSignature()+","+joinPoint.getTarget());
        //参数
        logger.info("args={}",joinPoint.getArgs());

    }

    /**
     * 在指定方法之后执行以下方法
     */
    @After("log()")
    public void afterLog(){
        logger.info("===========aop结束=============");
    }
}

application.yml文件:

spring:
#====================================thymeleaf模板===========================#
  thymeleaf:
    mode: HTML5
    cache: false
    content-type: text/html
  messages:
    encoding: UTF-8
#====================================jdbc配置================================#
  datasource:
    url: jdbc:mysql://127.0.0.1:3306/springmvcdb
    username: root
    password: wjb
    dbcp2:
      driver-class-name: com.mysql.jdbc.Driver
      max-active: 20
      initial-size: 0
      max-idle: 30
      min-idle: 1
      max-wait: 60000
    type: com.alibaba.druid.pool.DruidDataSource
#===================================文件上传配置================================#
  http:
    multipart:
      enabled: true
      max-file-size: 20MB
      max-request-size: 20MB
#===================================项目热布置,依赖插件试过都不行。Ctrl+F9(生成项目),Ctrl+Shift+F9(编译项目)完美解决=================================#
#  devtools:
#    restart:
#      exclude: templates/**,static/**
#      enabled: false

#===================================mybatis配置===============================#
mybatis:
    mapper-locations: classpath:mapper/*/*.xml
    configuration:
        map-underscore-to-camel-case: true
        callSettersOnNulls: true
#==================================================redis配置========================================#
redis:
    database: 0
    host: 120.25.176.86
    port: 6379
    pool:
      max-active: 8
      max-wait: -1
      max-idle: 8
      min-idle: 0
    timeout: 0
    password: go2hell
最后编辑于
©著作权归作者所有,转载或内容合作请联系作者
  • 序言:七十年代末,一起剥皮案震惊了整个滨河市,随后出现的几起案子,更是在滨河造成了极大的恐慌,老刑警刘岩,带你破解...
    沈念sama阅读 202,723评论 5 476
  • 序言:滨河连续发生了三起死亡事件,死亡现场离奇诡异,居然都是意外死亡,警方通过查阅死者的电脑和手机,发现死者居然都...
    沈念sama阅读 85,080评论 2 379
  • 文/潘晓璐 我一进店门,熙熙楼的掌柜王于贵愁眉苦脸地迎上来,“玉大人,你说我怎么就摊上这事。” “怎么了?”我有些...
    开封第一讲书人阅读 149,604评论 0 335
  • 文/不坏的土叔 我叫张陵,是天一观的道长。 经常有香客问我,道长,这世上最难降的妖魔是什么? 我笑而不...
    开封第一讲书人阅读 54,440评论 1 273
  • 正文 为了忘掉前任,我火速办了婚礼,结果婚礼上,老公的妹妹穿的比我还像新娘。我一直安慰自己,他们只是感情好,可当我...
    茶点故事阅读 63,431评论 5 364
  • 文/花漫 我一把揭开白布。 她就那样静静地躺着,像睡着了一般。 火红的嫁衣衬着肌肤如雪。 梳的纹丝不乱的头发上,一...
    开封第一讲书人阅读 48,499评论 1 281
  • 那天,我揣着相机与录音,去河边找鬼。 笑死,一个胖子当着我的面吹牛,可吹牛的内容都是我干的。 我是一名探鬼主播,决...
    沈念sama阅读 37,893评论 3 395
  • 文/苍兰香墨 我猛地睁开眼,长吁一口气:“原来是场噩梦啊……” “哼!你这毒妇竟也来了?” 一声冷哼从身侧响起,我...
    开封第一讲书人阅读 36,541评论 0 256
  • 序言:老挝万荣一对情侣失踪,失踪者是张志新(化名)和其女友刘颖,没想到半个月后,有当地人在树林里发现了一具尸体,经...
    沈念sama阅读 40,751评论 1 296
  • 正文 独居荒郊野岭守林人离奇死亡,尸身上长有42处带血的脓包…… 初始之章·张勋 以下内容为张勋视角 年9月15日...
    茶点故事阅读 35,547评论 2 319
  • 正文 我和宋清朗相恋三年,在试婚纱的时候发现自己被绿了。 大学时的朋友给我发了我未婚夫和他白月光在一起吃饭的照片。...
    茶点故事阅读 37,619评论 1 329
  • 序言:一个原本活蹦乱跳的男人离奇死亡,死状恐怖,灵堂内的尸体忽然破棺而出,到底是诈尸还是另有隐情,我是刑警宁泽,带...
    沈念sama阅读 33,320评论 4 318
  • 正文 年R本政府宣布,位于F岛的核电站,受9级特大地震影响,放射性物质发生泄漏。R本人自食恶果不足惜,却给世界环境...
    茶点故事阅读 38,890评论 3 307
  • 文/蒙蒙 一、第九天 我趴在偏房一处隐蔽的房顶上张望。 院中可真热闹,春花似锦、人声如沸。这庄子的主人今日做“春日...
    开封第一讲书人阅读 29,896评论 0 19
  • 文/苍兰香墨 我抬头看了看天上的太阳。三九已至,却和暖如春,着一层夹袄步出监牢的瞬间,已是汗流浃背。 一阵脚步声响...
    开封第一讲书人阅读 31,137评论 1 259
  • 我被黑心中介骗来泰国打工, 没想到刚下飞机就差点儿被人妖公主榨干…… 1. 我叫王不留,地道东北人。 一个月前我还...
    沈念sama阅读 42,796评论 2 349
  • 正文 我出身青楼,却偏偏与公主长得像,于是被迫代替她去往敌国和亲。 传闻我的和亲对象是个残疾皇子,可洞房花烛夜当晚...
    茶点故事阅读 42,335评论 2 342

推荐阅读更多精彩内容

  • 一、环境准备 配置好 java, maven , 并给 maven 设置国内镜像(阿里) 在 maven 安装目录...
    solocoder阅读 949评论 0 2
  • 一、SpringBoot2.x使用Dev-tool热部署 简介:介绍什么是热部署,使用springboot结合d...
    DdShare阅读 1,148评论 1 2
  • Spring Cloud为开发人员提供了快速构建分布式系统中一些常见模式的工具(例如配置管理,服务发现,断路器,智...
    卡卡罗2017阅读 134,579评论 18 139
  • 到目前为止,这篇就是关于SpringBoot入门学习的最后一篇文章了,学完这三篇文章对 SpringBoot 也就...
    肖赛Soaic阅读 1,137评论 0 1
  • 表情是什么,我认为表情就是表现出来的情绪。表情可以传达很多信息。高兴了当然就笑了,难过就哭了。两者是相互影响密不可...
    Persistenc_6aea阅读 123,920评论 2 7