SpringBoot 통합 알 리 바 바 Druid 모니터링 예시 코드

druid 는 알 리 바 바 가 오픈 한 데이터베이스 연결 탱크 로 우수한 데이터베이스 조작 에 대한 모니터링 기능 을 제공 합 니 다.본 고 는 springboot 프로젝트 가 어떻게 druid 를 통합 하 는 지 설명 하고 자 합 니 다.
본 고 는 jpa 기반 프로젝트 에서 개발 하고 자 합 니 다.먼저 pom 파일 에 druid 의존 도 를 추가 합 니 다.pom 파일 은 다음 과 같 습 니 다.

<?xml version="1.0" encoding="UTF-8"?>
<project xmlns="http://maven.apache.org/POM/4.0.0" xmlns:xsi="http://www.w3.org/2001/XMLSchema-instance"
   xsi:schemaLocation="http://maven.apache.org/POM/4.0.0 http://maven.apache.org/xsd/maven-4.0.0.xsd">
 <modelVersion>4.0.0</modelVersion>

 <groupId>com.dalaoyang</groupId>
 <artifactId>springboot_druid</artifactId>
 <version>0.0.1-SNAPSHOT</version>
 <packaging>jar</packaging>

 <name>springboot_druid</name>
 <description>springboot_druid</description>

 <parent>
  <groupId>org.springframework.boot</groupId>
  <artifactId>spring-boot-starter-parent</artifactId>
  <version>1.5.12.RELEASE</version>
  <relativePath/> <!-- lookup parent from repository -->
 </parent>

 <properties>
  <project.build.sourceEncoding>UTF-8</project.build.sourceEncoding>
  <project.reporting.outputEncoding>UTF-8</project.reporting.outputEncoding>
  <java.version>1.8</java.version>
 </properties>

 <dependencies>
  <dependency>
   <groupId>org.springframework.boot</groupId>
   <artifactId>spring-boot-starter-data-jpa</artifactId>
  </dependency>
  <dependency>
   <groupId>org.springframework.boot</groupId>
   <artifactId>spring-boot-starter-web</artifactId>
  </dependency>

  <dependency>
   <groupId>org.springframework.boot</groupId>
   <artifactId>spring-boot-devtools</artifactId>
   <scope>runtime</scope>
  </dependency>
  <dependency>
   <groupId>mysql</groupId>
   <artifactId>mysql-connector-java</artifactId>
   <scope>runtime</scope>
  </dependency>
  <dependency>
   <groupId>org.springframework.boot</groupId>
   <artifactId>spring-boot-starter-test</artifactId>
   <scope>test</scope>
  </dependency>
  <dependency>
   <groupId>com.alibaba</groupId>
   <artifactId>druid</artifactId>
   <version>1.0.28</version>
  </dependency>
 </dependencies>

 <build>
  <plugins>
   <plugin>
    <groupId>org.springframework.boot</groupId>
    <artifactId>spring-boot-maven-plugin</artifactId>
   </plugin>
  </plugins>
 </build>
</project>
application.properties 전반 부 와 jpa 통합 은 변 함 이 없습니다.다음은 druid 설정 을 추 가 했 습 니 다.druid 설정 에 대해 이해 하지 못 하 는 것 이 있 으 면 인터넷 에서 찾 아 보 세 요.(이 글 을 나 는 잘 썼 다 고 생각한다.전송 문)

#   
server.port=8888

##validate   hibernate ,          
##create     hibernate,          ,                。
##create-drop    hibernate   ,        
##update       hibernate         
##validate          ,     
##none          
spring.jpa.hibernate.ddl-auto=create

##     sql
spring.jpa.show-sql=true

##     
##     
spring.datasource.url=jdbc:mysql://localhost:3306/test?characterEncoding=utf8&useSSL=false
##      
spring.datasource.username=root
##     
spring.datasource.password=root
##     
spring.datasource.driver-class-name=com.mysql.jdbc.Driver


#      
#  druid            spring.datasource.type
spring.datasource.type=com.alibaba.druid.pool.DruidDataSource 


#         
#      ,  ,  
spring.datasource.initialSize=5 
spring.datasource.minIdle=5 
spring.datasource.maxActive=20 
#              
spring.datasource.maxWait=60000 
#              ,           ,     
spring.datasource.timeBetweenEvictionRunsMillis=60000 
#                 ,     
spring.datasource.minEvictableIdleTimeMillis=300000 
spring.datasource.validationQuery=SELECT 1 FROM DUAL 
spring.datasource.testWhileIdle=true 
spring.datasource.testOnBorrow=false 
spring.datasource.testOnReturn=false 
#   PSCache,         PSCache   
spring.datasource.poolPreparedStatements=true 
spring.datasource.maxPoolPreparedStatementPerConnectionSize=20 
#          filters,       sql    ,'wall'     
spring.datasource.filters=stat,wall,log4j
#   connectProperties     mergeSql  ; SQL  
그리고 프로젝트 에 DruidConfig 를 추가 합 니 다.간단하게 설명 하 겠 습 니 다.이 프로필 은 주로 application.properties 를 불 러 오 는 설정 입 니 다.코드 는 다음 과 같 습 니 다.

package com.dalaoyang.config;
import java.sql.SQLException;
import javax.sql.DataSource;
import org.apache.log4j.Logger;
import org.springframework.beans.factory.annotation.Value;
import org.springframework.context.annotation.Bean;
import org.springframework.context.annotation.Configuration;
import org.springframework.context.annotation.Primary;
import com.alibaba.druid.pool.DruidDataSource;
/**
 * @author dalaoyang
 * @Description
 * @project springboot_learn
 * @package com.dalaoyang.config
 * @email [email protected]
 * @date 2018/4/12
 */
@Configuration
public class DruidConfig {
 private Logger logger = Logger.getLogger(this.getClass());

 @Value("${spring.datasource.url}")
 private String dbUrl;

 @Value("${spring.datasource.username}")
 private String username;

 @Value("${spring.datasource.password}")
 private String password;

 @Value("${spring.datasource.driver-class-name}")
 private String driverClassName;

 @Value("${spring.datasource.initialSize}")
 private int initialSize;

 @Value("${spring.datasource.minIdle}")
 private int minIdle;

 @Value("${spring.datasource.maxActive}")
 private int maxActive;

 @Value("${spring.datasource.maxWait}")
 private int maxWait;

 @Value("${spring.datasource.timeBetweenEvictionRunsMillis}")
 private int timeBetweenEvictionRunsMillis;

 @Value("${spring.datasource.minEvictableIdleTimeMillis}")
 private int minEvictableIdleTimeMillis;

 @Value("${spring.datasource.validationQuery}")
 private String validationQuery;

 @Value("${spring.datasource.testWhileIdle}")
 private boolean testWhileIdle;

 @Value("${spring.datasource.testOnBorrow}")
 private boolean testOnBorrow;

 @Value("${spring.datasource.testOnReturn}")
 private boolean testOnReturn;

 @Value("${spring.datasource.poolPreparedStatements}")
 private boolean poolPreparedStatements;

 @Value("${spring.datasource.maxPoolPreparedStatementPerConnectionSize}")
 private int maxPoolPreparedStatementPerConnectionSize;

 @Value("${spring.datasource.filters}")
 private String filters;

 @Value("{spring.datasource.connectionProperties}")
 private String connectionProperties;

 @Bean
 @Primary //    
 public DataSource dataSource(){
  DruidDataSource datasource = new DruidDataSource();
  datasource.setUrl(this.dbUrl);
  datasource.setUsername(username);
  datasource.setPassword(password);
  datasource.setDriverClassName(driverClassName);
  //configuration
  datasource.setInitialSize(initialSize);
  datasource.setMinIdle(minIdle);
  datasource.setMaxActive(maxActive);
  datasource.setMaxWait(maxWait);
  datasource.setTimeBetweenEvictionRunsMillis(timeBetweenEvictionRunsMillis);
  datasource.setMinEvictableIdleTimeMillis(minEvictableIdleTimeMillis);
  datasource.setValidationQuery(validationQuery);
  datasource.setTestWhileIdle(testWhileIdle);
  datasource.setTestOnBorrow(testOnBorrow);
  datasource.setTestOnReturn(testOnReturn);
  datasource.setPoolPreparedStatements(poolPreparedStatements);
  datasource.setMaxPoolPreparedStatementPerConnectionSize(maxPoolPreparedStatementPerConnectionSize);
  try {
   datasource.setFilters(filters);
  } catch (SQLException e) {
   logger.error("druid configuration Exception", e);
  }
  datasource.setConnectionProperties(connectionProperties);
  return datasource;
 }
}
그리고 DruidFilter 를 만 듭 니 다.코드 는 다음 과 같 습 니 다.

package com.dalaoyang.filter;
import javax.servlet.annotation.WebFilter;
import javax.servlet.annotation.WebInitParam;
import com.alibaba.druid.support.http.WebStatFilter;
/**
 * @author dalaoyang
 * @Description
 * @project springboot_learn
 * @package com.dalaoyang.filter
 * @email [email protected]
 * @date 2018/4/12
 */
@WebFilter(filterName="druidWebStatFilter",urlPatterns="/*",
  initParams={
    @WebInitParam(name="exclusions",value="*.js,*.gif,*.jpg,*.bmp,*.png,*.css,*.ico,/druid/*")//    
  }
)
public class DruidFilter extends WebStatFilter {
}
새 DruidServlet 는 클래스 에@WebServlet 를 주석 을 달 았 습 니 다.그 중에서 druid 모니터링 페이지 에 로그 인 하 는 계 정 비밀번호,화이트 리스트 블랙리스트 와 같은 설정 이 설정 되 어 있 습 니 다.코드 는 다음 과 같 습 니 다.

package com.dalaoyang.servlet;
import javax.servlet.annotation.WebInitParam;
import javax.servlet.annotation.WebServlet;
import com.alibaba.druid.support.http.StatViewServlet;
/**
 * @author dalaoyang
 * @Description
 * @project springboot_learn
 * @package com.dalaoyang.servlet
 * @email [email protected]
 * @date 2018/4/12
 */
@WebServlet(urlPatterns="/druid/*",
  initParams={
    @WebInitParam(name="allow",value=""),// IP   (        ,       )
    @WebInitParam(name="deny",value=""),// IP    (deny   allow)
    @WebInitParam(name="loginUsername",value="admin"),//   druid       
    @WebInitParam(name="loginPassword",value="admin")//   druid      
  })
public class DruidServlet extends StatViewServlet {

}
그리고 시작 클래스 에 주석@ServletComponentscan 을 추가 하여 프로젝트 를 servlet 로 스 캔 합 니 다.코드 는 다음 과 같 습 니 다.

package com.dalaoyang;
import org.springframework.boot.SpringApplication;
import org.springframework.boot.autoconfigure.SpringBootApplication;
import org.springframework.boot.web.servlet.ServletComponentScan;
@SpringBootApplication
//        @ServletComponentScan  ,       servlet
@ServletComponentScan
public class SpringbootDruidApplication {
 public static void main(String[] args) {
  SpringApplication.run(SpringbootDruidApplication.class, args);
 }
}
나머지 는 jpa 와 같은 entity(실체 류),reposcory(데이터 조작 층),contrller(테스트 에 사용 되 는 contrller)를 통합 하여 코드 를 직접 보 여 주 는 것 입 니 다.
City

package com.dalaoyang.entity;
import javax.persistence.*;
/**
 * @author dalaoyang
 * @Description
 * @project springboot_learn
 * @package com.dalaoyang.Entity
 * @email [email protected]
 * @date 2018/4/7
 */
@Entity
@Table(name="city")
public class City {
 @Id
 @GeneratedValue(strategy=GenerationType.AUTO)
 private int cityId;
 private String cityName;
 private String cityIntroduce;

 public City(int cityId, String cityName, String cityIntroduce) {
  this.cityId = cityId;
  this.cityName = cityName;
  this.cityIntroduce = cityIntroduce;
 }

 public City(String cityName, String cityIntroduce) {
  this.cityName = cityName;
  this.cityIntroduce = cityIntroduce;
 }

 public City() {
 }

 public int getCityId() {
  return cityId;
 }

 public void setCityId(int cityId) {
  this.cityId = cityId;
 }

 public String getCityName() {
  return cityName;
 }

 public void setCityName(String cityName) {
  this.cityName = cityName;
 }

 public String getCityIntroduce() {
  return cityIntroduce;
 }

 public void setCityIntroduce(String cityIntroduce) {
  this.cityIntroduce = cityIntroduce;
 }
}
CityRepository

package com.dalaoyang.repository;
import com.dalaoyang.entity.City;
import org.springframework.data.jpa.repository.JpaRepository;

/**
 * @author dalaoyang
 * @Description
 * @project springboot_learn
 * @package com.dalaoyang.Repository
 * @email [email protected]
 * @date 2018/4/7
 */
public interface CityRepository extends JpaRepository<City,Integer> {
}
CityController

package com.dalaoyang.controller;
import com.dalaoyang.entity.City;
import com.dalaoyang.repository.CityRepository;
import org.springframework.beans.factory.annotation.Autowired;
import org.springframework.web.bind.annotation.GetMapping;
import org.springframework.web.bind.annotation.RestController;
/**
 * @author dalaoyang
 * @Description
 * @project springboot_learn
 * @package com.dalaoyang.controller
 * @email [email protected]
 * @date 2018/4/7
 */
@RestController
public class CityController {
 @Autowired
 private CityRepository cityRepository;

 //http://localhost:8888/saveCity?cityName=  &cityIntroduce=    
 @GetMapping(value = "saveCity")
 public String saveCity(String cityName,String cityIntroduce){
  City city = new City(cityName,cityIntroduce);
  cityRepository.save(city);
  return "success";
 }

 //http://localhost:8888/deleteCity?cityId=2
 @GetMapping(value = "deleteCity")
 public String deleteCity(int cityId){
  cityRepository.delete(cityId);
  return "success";
 }

 //http://localhost:8888/updateCity?cityId=3&cityName=  &cityIntroduce=     
 @GetMapping(value = "updateCity")
 public String updateCity(int cityId,String cityName,String cityIntroduce){
  City city = new City(cityId,cityName,cityIntroduce);
  cityRepository.save(city);
  return "success";
 }
 //http://localhost:8888/getCityById?cityId=3
 @GetMapping(value = "getCityById")
 public City getCityById(int cityId){
  City city = cityRepository.findOne(cityId);
  return city;
 }
}
그리고 프로젝트 를 시작 하면 콘 솔 이 city 표를 만 들 었 음 을 볼 수 있 습 니 다.

그리고 방문http://localhost:8888/druid다음 그림 을 볼 수 있 습 니 다.

계 정 비밀번호 admin,admin 을 입력 하 십시오.

그리고 이 럴 때 저희 가 방문 할 수 있어 요.http://localhost:8888/saveCity?cityName=베 이 징&시 티 소개=중국 수도
그리고 내 비게 이 션 위의 SQL 모니터링 을 클릭 하면 다음 과 같다.

위의 그림 에서 프로젝트 생 성 표를 시작 하 는 sql 이 방금 실 행 된 sql 을 볼 수 있 습 니 다.여기까지 통합 이 완료 되 었 습 니 다.
원본 다운로드:https://gitee.com/dalaoyang/springboot_learn
이상 이 바로 본 고의 모든 내용 입 니 다.여러분 의 학습 에 도움 이 되 고 저 희 를 많이 응원 해 주 셨 으 면 좋 겠 습 니 다.

좋은 웹페이지 즐겨찾기