《Spring Boot in Action》【3. 自定义配置】

3 自定义配置

3.1 覆盖Spring Boot的自动配置

我们将向reading-list项目中加入Spring Security,很简单,加入security starter即可:

compile("org.springframework.boot:spring-boot-starter-security")

然后你再运行项目,访问浏览器,就会有一个HTTP Basic认证的对话框,用户名填“user”,密码需要在启动日志里找,像这样的一行:

Using default security password: 297af950-707a-48d1-a2cb-cc29909080f3

显然,大部分情况下这不是我们想要的样子,我们可能需要一个登录页面,然后利用数据库认证用户,所以Spring Boot关于security的自动配置不满足我们的要求,我们需要自定义security配置。

我们只需要提供一个继承了WebSecurityConfigurerAdapter的配置类SecurityConfig就可以覆盖自动配置了:

package readinglist;

import org.springframework.beans.factory.annotation.Autowired;
import org.springframework.context.annotation.Configuration;
import org.springframework.security.config.annotation.authentication.builders.AuthenticationManagerBuilder;
import org.springframework.security.config.annotation.web.builders.HttpSecurity;
import org.springframework.security.config.annotation.web.configuration.EnableWebSecurity;
import org.springframework.security.config.annotation.web.configuration.WebSecurityConfigurerAdapter;
import org.springframework.security.core.userdetails.UserDetails;
import org.springframework.security.core.userdetails.UserDetailsService;
import org.springframework.security.core.userdetails.UsernameNotFoundException;

@Configuration
@EnableWebSecurity
public class SecurityConfig extends WebSecurityConfigurerAdapter {

  @Autowired
  private ReaderRepository readerRepository;

  @Override
  protected void configure(HttpSecurity http) throws Exception {
    http
      .authorizeRequests()
        .antMatchers("/").access("hasRole('READER')")
        .antMatchers("/**").permitAll()
      .and()
        .formLogin()
        .loginPage("/login")
        .failureUrl("/login?error=true");
  }

  @Override
  protected void configure(AuthenticationManagerBuilder auth) throws Exception {
    auth.userDetailsService(new UserDetailsService() {
      @Override
      public UserDetails loadUserByUsername(String username) throws UsernameNotFoundException {
        return readerRepository.findOne(username);
      }
    });
  }
}

加了这个类之后,Spring Boot会跳过security自动配置而使用这个配置类。当然,还需要加入Reader类和ReaderRepository接口:

package readinglist;
import java.util.Arrays;
import java.util.Collection;
import javax.persistence.Entity;
import javax.persistence.Id;
import org.springframework.security.core.GrantedAuthority;
import org.springframework.security.core.authority.SimpleGrantedAuthority;
import org.springframework.security.core.userdetails.UserDetails;

@Entity
public class Reader implements UserDetails {
  @Id
  private String username;
  private String fullname;
  private String password;
  // getters and setters

  // UserDetails methods
  @Override
  public Collection<? extends GrantedAuthority> getAuthorities() {
    return Arrays.asList(new SimpleGrantedAuthority("READER"));
  }

  @Override
  public boolean isAccountNonExpired() {
    return true;
  }

  @Override
  public boolean isAccountNonLocked() {
    return true;
  }

  @Override
  public boolean isCredentialsNonExpired() {
    return true;
  }

  @Override
  public boolean isEnabled() {
    return true;
  }
}
package readinglist;
import org.springframework.data.jpa.repository.JpaRepository;

public interface ReaderRepository extends JpaRepository<Reader, String> {
}

首先,Spring Boot会优先考虑应用提供的配置类,然后才是自动配置类,其次,多亏了SecurityConfig的@EnableWebSecurity注解,这个注解会import WebSecurityConfiguration,然后自动配置的SpringBootWebSecurityConfiguration这个类因为不满足@ConditionalOnMissingBean(WebSecurityConfiguration.class)而不生效。

3.2 使用properties外化配置

很多情况下我们不会完全不用自动配置,而是需要修改某几个配置属性,Spring Boot提供了超过300个属性,通过属性来修改自动配置的bean参数会是种更方便的选择,可以通过环境变量、Java系统属性、JNDI、命令行参数或属性文件来提供。

有这些地方可以配置属性,优先级从高到低(列表靠前的覆盖靠后的):

  1. 命令行参数
  2. JNDI属性 from java:comp/env
  3. JVM系统属性
  4. 操作系统环境变量
  5. random.*前缀的随机生成的值(设置其他属性时引用的,如${random.long})
  6. 应用外部的application.properties或application.yml文件
  7. 应用内部的application.properties或application.yml文件
  8. @PropertySource指定的属性源
  9. 默认属性

至于application.properties和application.yml,它们可以位于任意4个位置:

  1. 外部,应用运行目录的/config子目录下
  2. 外部,应用运行目录下
  3. 内部,config包下
  4. 内部,classpath根路径下

上面的列表也是优先级从高到低的,当application.properties和application.yml同时存在于同一优先级目录时,yml会覆盖properties文件的属性。

下面介绍一些常用的配置属性。

关闭模板缓存

当你修改Thymeleaf模板的时候,你会发现每次都需要重启才会生效,原因就在于,为了提高性能,默认会缓存模板(只需编译一次),你可以通过设置spring.thymeleaf.cache为false来关闭模板缓存,比如通过命令行参数:

java -jar readinglist-0.0.1-SNAPSHOT.jar --spring.thymeleaf.cache=false

或者通过application.yml:

spring:
  thymeleaf:
    cache: false

不过务必确保在生产环境上不要关闭模板缓存,以免影响性能,当然你也可以通过环境变量:

export spring_thymeleaf_cache=false

注意把.(点)和-(横杠)替换成_(下划线)

配置内置服务器

配置HTTPS,首先是使用JDK的keytool工具创建一个keystore:

keytool -keystore mykeys.jks -genkey -alias tomcat -keyalg RSA

你会被问及一些问题,比如名字、组织等(无关紧要的),但是密码很重要,得记住,比如我用“letmein”作为密码,然后在application.yml中配置属性:

server:
  port: 8443
  ssl:
    key-store: file:///path/to/mykeys.jks
    key-store-password: letmein
    key-password: letmein

这里key-store的位置,可以用file://来指定文件系统的位置(比如file:///Users/coldcutter/mykeys.jks),但是如果keystore文件被打包进了JAR包,得用classpath:来引用它。

配置Log

Spring Boot默认使用Logback,打日志到控制台,日志级别为INFO,如果你不想使用Logback(使用log4j),可以这么配置:

configurations {
  all*.exclude group:'org.springframework.boot', module:'spring-boot-starter-logging'
}

compile("org.springframework.boot:spring-boot-starter-log4j")

想进一步配置log,可以在classpath根路径下(src/main/resources)创建一个logback.xml,例子:

<configuration>
  <appender name="STDOUT" class="ch.qos.logback.core.ConsoleAppender">
    <encoder>
      <pattern>
        %d{HH:mm:ss.SSS} [%thread] %-5level %logger{36} - %msg%n
      </pattern>
    </encoder>
  </appender>
  <logger name="root" level="INFO"/>
  <root level="INFO">
    <appender-ref ref="STDOUT" />
  </root>
</configuration>

尽管如此,我们常见的对于log的配置无非就是修改日志级别和日志打到什么地方,我们可以借助Spring Boot的配置属性(不用创建logback.xml),配置日志级别:

logging:
  level:
    root: WARN
    org:
      springframework:
        security: DEBUG

把root的日志级别设为WARN,Spring Security的日志级别设为DEBUG,你可以把Spring Security的包名写在一行:

logging:
  level:
    root: WARN
    org.springframework.security: DEBUG

你还可以配置log的输出路径和文件(得确保应用有那个路径的写权限):

logging:
  path: /var/logs/
  file: BookWorm.log

配置log配置文件的位置,一般就用默认的logback.xml好了,不过当你需要根据不同的profile使用不同的日志配置时会很有用:

logging:
  config:
    classpath:logging-config.xml

配置数据源

比如MySQL,这么配:

spring:
  datasource:
    url: jdbc:mysql://localhost/readinglist
    username: dbuser
    password: dbpass
    driver-class-name: com.mysql.jdbc.Driver

driver-class-name其实没有必要,Spring Boot会根据url来推断。Spring Boot会使用这些配置来自动配置DataSource bean,DataSource会被池化,如果Tomcat的pooling DataSource在classpath下,就用它,否则会使用其他连接池实现:

  • HikariCP
  • Commons DBCP
  • Commons DBCP 2

还可以通过JNDI:

spring:
  datasource:
    jndi-name: java:/comp/env/jdbc/readingListDS

如果你设置了spring.datasource.jndi-name属性,其他datasource连接属性会被忽略。

配置自己的组件

你可以在某个bean上加上@ConfigurationProperties注解来注入自定义的属性,比如:

@Controller
@RequestMapping("/")
@ConfigurationProperties(prefix = "amazon")
public class ReadingListController {

  private String associateId;

  public void setAssociateId(String associateId) {
    this.associateId = associateId;
  }

  // omitted
}

这样这个associateId(前缀amazon)属性会通过setter方法注入进来,Spring Boot的属性解析器足够智能,配置属性的时候驼峰(amazon.associateId)、连字符(amazon.associate-id)、下划线(amazon.associate_id)都可以。

当然你最好把相关属性聚合到一个类中,比如:

package readinglist;

import org.springframework.boot.context.properties.ConfigurationProperties;
import org.springframework.stereotype.Component;

@Component
@ConfigurationProperties("amazon")
public class AmazonProperties {

  private String associateId;

  public void setAssociateId(String associateId) {
    this.associateId = associateId;
  }

  public String getAssociateId() {
    return associateId;
  }
}

配置profiles

不同的环境需要不同的属性,Spring 3.1引入了基于profile的配置,profiles其实就是一种条件配置,根据运行时哪些profiles被激活来决定使用或忽略哪些beans和配置类,比如可以加注解@Profile(“production”)表示只在production profile激活的时候才应用配置。你可以使用spring.profiles.active来配置激活哪些profiles。

Spring Boot提供了基于profile的属性配置,更加方便。

如果你使用properties文件,你可以创建特定profile的配置文件,文件格式为:“application-{profile}.properties”,比如dev环境的属性可以放在application-dev.properties文件里,prod环境的属性放在application-prod.properties文件里,同时,不与特定profile有关的(default)属性还是放在application.properties文件里。

如果你是用YAML配置文件,你一样可以按照上面的文件命名方式来配置,不过你还有一中选择,就是把所有profile的属性都配置在一个application.yml文件里,比如:

logging:
  level:
    root: INFO
---
spring:
  profiles: development
logging:
  level:
    root: DEBUG
---
spring:
  profiles: production
logging:
  path: /tmp/
  file: BookWorm.log
  level:
    root: WARN

不同的配置section用“—”分隔。

3.3 自定义错误页面

Spring Boot默认提供一个“whitelabel”错误页,默认的错误处理器会寻找一个名为“error”的视图,如果没找到,就使用默认错误页,这个视图根本上是由视图解析器决定的:

  • bean id是“error”且实现了Spring View接口的bean(Spring的BeanNameViewResolver)
  • 如果是Thymeleaf,则为error.html
  • 如果是FreeMarker,则为error.ftl
  • 如果是Velocity,则为error.vm
  • 如果是JSP,则为error.jsp

比如Thymeleaf,我们在src/main/resources/templates下创建一个error.html:

<html>
  <head>
    <title>Oops!</title>
    <link rel="stylesheet" th:href="@{/style.css}"></link>
  </head>
  <body>
    <div class="errorPage">
      <span class="oops">Oops!</span><br/>
      <img th:src="@{/MissingPage.png}"></img>
      <p>There seems to be a problem with the page you requested
         (<span th:text="${path}"></span>).</p>
      <p th:text="${'Details: ' + message}"></p>
    </div>
  </body>
</html>

我们可以在error模板中直接使用如下信息:

  • timestamp,错误发生的时间
  • path,错误发生的URL路径
  • status,HTTP状态码
  • error,错误原因
  • exception,异常类名
  • message,异常消息
  • trace,异常堆栈追踪
  • errors,BindingResult异常的errors
Summary A developer-focused guide to writing applications using Spring Boot. You&#39;ll learn how to bypass the tedious configuration steps so that you can concentrate on your application&#39;s behavior. Purchase of the print book includes a free eBook in PDF, Kindle, and ePub formats from Manning Publications. About the Technology The Spring Framework simplifies enterprise Java development, but it does require lots of tedious configuration work. Spring Boot radically streamlines spinning up a Spring application. You get automatic configuration and a model with established conventions for build-time and runtime dependencies. You also get a handy command-line interface you can use to write scripts in Groovy. Developers who use Spring Boot often say that they can&#39;t imagine going back to hand configuring their applications. About the Book Spring Boot in Action is a developer-focused guide to writing applications using Spring Boot. In it, you&#39;ll learn how to bypass configuration steps so you can focus on your application&#39;s behavior. Spring expert Craig Walls uses interesting and practical examples to teach you both how to use the default settings effectively and how to override and customize Spring Boot for your unique environment. Along the way, you&#39;ll pick up insights from Craig&#39;s years of Spring development experience. What&#39;s Inside Develop Spring apps more efficiently Minimal to no configuration Runtime metrics with the Actuator Covers Spring Boot 1.3 About the Reader Written for readers familiar with the Spring Framework. About the Author Craig Walls is a software developer, author of the popular book Spring in Action, Fourth Edition, and a frequent speaker at conferences.
Spring.Boot.in.Action.2015.12.pdfFor online information and ordering of this and other manning books, please visit www.manning.com.thepublisheroffersdiscountsonthisbookwhenorderedinquantity For more information, please contact Special sales department Manning publications co 20 Baldwin Road PO BoX 761 Shelter island. ny11964 Emailorders@manning.com @2016 by manning Publications Co. All rights reserved No part of this publication may be reproduced, stored in a retrieval system, or transmitted,in any form or by means electronic, mechanical, photocopying, or otherwise, without prior written permission of the publisher. Many of the designations used by manufacturers and sellers to distinguish their products are claimed as trademarks. Where those designations appear in the book, and manning Publications was aware of a trademark claim, the designations have been printed in initial caps ll Recognizing the importance of preserving what has been written, it is Mannings policy to have the books we publish printed on acid-free paper, and we exert our best efforts to that end Recognizing also our responsibility to conserve the resources of our planet, Manning books are printed on paper that is at least 15 percent recycled and processed without the use of elemental chlorine Manning publications co Development editor: Cynthia Kane 20 Baldwin Road Technical development editor: Robert casazza PO BoX 761 Copyeditor: Andy Carroll Shelter island. ny11964 Proofreader: Corbin Collins Technical p der John Guthrie Typesetter: Gordan Salinovic Cover designer: Marija Tudor ISBN9781617292545 Printed in the united states of america 12345678910-EBM-201918171615 contents reword vii pre eface 2x about this book xii acknowledgments xu Bootstarting Spring I 1. 1 Spring rebooted Taking a fresh look at spring 2. Examining spring Boot essentials 4 What Spring Boot isn&#39;t 7 1.2 Getting started with Spring boot 8 Installing the spring boot cli 8 Initializing a spring boot project with Spring Initializr 12 3 Summary 22 Developing your first Spring Boot application 23 2.1 Putting spring boot to work 24 Examining a newly initialized spring boot project 26 Dissecting Bc iect build 30 2.2 USing starter dependencies 33 Specifying facet-based dependencies 34. Overriding starter transitive dependencies 35 CONTENTS 2.8 USing automatic configuration 37 Focusing on application functionality 37. Running the application 45. What just happened? 45 2.4 Summary 48 Customizing configuration 49 8.1 Overriding Spring Boot auto-configuration 50 Securing the application 50. Creating a custom security configuration 51. Taking another peek under the covers of auto-configuration55 8.2 Externalizing configuration with properties 57 Fine-tuning auto-configuration 58. Externally configuring application beans 64. Configuring with profiles 69 8.8 Customizing application error pages 71 3.4 Summary 74 Testing with Spring Boot 76 4.1 Integration testing auto-configuration 77 4.2 Testing web applications 79 Mocking spring MvC 80- Testing web security 83 4.3 Testing a running application 86 Starting the server on a random port 87. Testing HTML pages with selenium 88 4.4 Summary 90 Getting Groovy with the spring Boot CLI 92 5.1 Developing a Spring Boot CLI application 93 Setting up the cli project 93 Eliminating code noise with Groovy 94. What just happened? 98 5.2 Grabbing dependencies 100 Overriding default dependency versions 101. Adding dependency repositories 102 5.8 Running tests with the CLI 102 5.4 Creating a deployable artifact 105 5.5 Summary 106 CONTENTS 6 Applying Grails in Spring Boot 107 1 Using gorm for data persistence 108 2 Defining views with groovy server pages 113 6.3 Mixing spring boot with grails 3 115 Creating a new grails project 116 Defining the domain 118 Writing a grails controller 119. Creating the view 120 6.4 Summary 123 Taking a peek inside with the Actuator 124 7.1 Exploring the actuator&#39;s endpoints 125 Viewing configuration details 126. Tapping runtime metrics 133 Shutting down the application 139. Fetching application information 140 7.2 Connecting to the Actuator remote shell 141 Viewing the autoconfig report 142. Listing application beans 143 Watching application metrics 144.Invoking actuator endpoints 145 7. 3 Monitoring your application with JMX 146 7.4 Customizing the Actuator 148 Changing endpoint Ds 148 Enabling and disabling endpoints 149 Adding custom metrics and gauges 149- Creating a custom trace repository 153 Plugging in custom health indicators 155 7.5 Securing Actuator endpoints 156 7.6 Summary 159 8 Deploying Spring Boot applications 160 8.1 Weighing deployment options 161 8.2 Deploying to an application server 162 Building a WaRfile 162 Creating a production profile Enabling database migration 168 8.3 Pushing to the cloud 173 Deploying to Cloud Foundry 173 Deploying to Heroku 177 8. Summary 180 appendix a spring Boot developer Tools 187 appendix b spring Boot starters 188 appendix c Configuration properties 195 appendix d spring boot dependencies 232 index 243 In the spring of 2014, the Delivery Engineering team at Netflix set out to achieve a lofty goal: enable end-to-end global continuous delivery via a software platform that facilitates both extensibility and resiliency. my team had previously built two different applications attempting to address Netflix&#39;s delivery and deployment needs, but both were beginning to show the telltale signs of monolith-ness and neither met the goals of flexibility and resiliency. What&#39;s more, the most stymieing effect of these monolithic applications was ultimately that we were unable to keep pace with our partner&#39;s inno- vation. Users had begun to move around our tools rather than with them It became apparent that if we wanted to provide real value to the company and rap- idly innovate, we needed to break up the monoliths into small, independent services that could be released at will. Embracing a microservice architecture gave us hope that we could also address the twin goals of flexibility and resiliency. but we needed to do it on a credible foundation where we could count on real concurrency, legitimate moni- toring, reliable and easy service discovery, and great runtime performance With the jVM as our bedrock, we looked for a framework that would give us rapid velocity and steadfast operationalization out of the box. We zeroed in on Spring Boot Spring Boot makes it effortless to create Spring-powered, production-ready ser- vices without a lot of code! Indeed, the fact that a simple Spring Boot Hello World application can fit into a tweet is a radical departure from what the same functionality required on the vm only a few short years ago. Out-of-the-box nonfunctional features like security, metrics, health-checks, embedded servers, and externalized configura tion made boot an easy choice for us FOREWORD Yet, when we embarked on our Spring boot journey solid documentation was hard to come by. Relying on source code isnt the most joyful manner of figuring out how to properly leverage a frameworks features It&#39;s not surprising to see the author of mannings venerable Spring in Action take on the challenge of concisely distilling the core aspects of working with Spring Boot into another cogent book. Nor is it surprising that Craig and the Manning crew have done another tremendously wonderful job! Spring Boot in Action is an easily readable book, as weve now come to expect from Craig and manning From chapter Is attention-getting introduction to Boot and the now legend ary 9Oish-character tweetable Boot application to an in-depth analysis of Boots Actuator in chapter 7, which enables a host of auto-magical operational features required for any production application, Spring Boot in Action leaves no stone unturned. Indeed, for me, chapter 7&#39;s deep dive into the Actuator answered some of the lingering questions I&#39;ve had in the back of my head since picking up Boot well over a year ago. Chapter 8s thor- ough examination of deployment options opened my eyes to the simplicity of cloud Foundry for cloud deployments. One of my favorite chapters is chapter 4, where Craig explores the many powerful options for easily testing a Boot application. From the get- o, I was pleasantly surprised with some of Springs testing features, and boot takes g advantage of them nicely As I&#39;ve publicly stated before, Spring Boot is just the kind of framework the Java community has been seeking for over a decade. Its easy-to-use development features and out-of-the-box operationalization make java development fun again I,m pleased to report that Spring and spring boot are the foundation of Netflix&#39;s new continuous delivery platform. What&#39;s more, other teams at Netflix are following the same path because they too see the myriad benefits of boot It&#39;s with equal parts excitement and passion that I absolutely endorse craigs book as the easy-to-digest and fun-to-read Spring boot documentation the Java community has been waiting for since Boot took the community by storm. Craigs accessible writ- ing style and sweeping analysis of boot&#39;s core features and functionality will surely leave readers with a solid grasp of Boot(along with a joyful sense of awe for it) Keep up the great work Craig Manning Publications, and all the brilliant develop ers who have made spring boot what it is today each one of you has ensured a bright future for the JV ANDREW GLOVER MANAGER, DELIVERY ENGINEERING AT NETFLIX preface At the 1964 New York World&#39;s Fair, Walt Disney introduced three groundbreaking attractions:"“it&#39; s a small world,”“ Great Moments with mr. Lincoln," and the“ Carouse of Progress " All three of these attractions have since moved into disneyland and walt Disney world, and you can still see them today My favorite of these is the Carousel of Progress. Supposedly, it was one of Walt Disneys favorites too. It&#39;s part ride and part stage show where the seating area rotates around a center area featuring four stages. Each stage tells the story of a family at different time periods of the 20th century-the early 1900s, the 1920s the 1940s, and recent times-highlighting the technology advances in that time period The story of innovation is told from a hand-cranked washing machine, to electric lighting and radio, to automatic dishwashers and television, to computers and voice-activated appliances In every act, the father (who is also the narrator of the show)talks about the latest inventions and says "It cant get any better only to discover that in fact, it does get better in the next act as technology progresses Although Spring doesn&#39;t have quite as long a history as that displayed in the Car- ousel of Progress, I feel the same way about Spring as"Progress Dad felt about the 20th century. Each and every Spring application seems to make the lives of developers so much better. Just looking at how Spring components are declared and wired together, we can see the following progression over the history of Spring
评论 2
添加红包

请填写红包祝福语或标题

红包个数最小为10个

红包金额最低5元

当前余额3.43前往充值 >
需支付:10.00
成就一亿技术人!
领取后你会自动成为博主和红包主的粉丝 规则
hope_wisdom
发出的红包
实付
使用余额支付
点击重新获取
扫码支付
钱包余额 0

抵扣说明:

1.余额是钱包充值的虚拟货币,按照1:1的比例进行支付金额的抵扣。
2.余额无法直接购买下载,可以购买VIP、付费专栏及课程。

余额充值