欢迎您访问程序员文章站本站旨在为大家提供分享程序员计算机编程知识!
您现在的位置是: 首页

undertow+boot集成

程序员文章站 2022-03-18 16:14:10
...

Undertow 是红帽公司开发的一款基于 NIO 的高性能 Web 嵌入式服务器的,应用比较广泛,内置提供的PathResourceManager,可以用来直接访问文件系统,在

特点:

  • 轻量级:它是一个 Web 服务器,但不像传统的 Web 服务器有容器概念,它由两个核心 Jar 包组成,加载一个 Web 应用可以小于
    10MB 内存
  • Servlet3.1 支持:它提供了对 Servlet3.1 的支持
  • WebSocket 支持:对 Web Socket 完全支持,用以满足 Web 应用巨大数量的客户端
  • 嵌套性:它不需要容器,只需通过 API 即可快速搭建 Web 服务器
pom依赖
	<dependency>
    <groupId>org.springframework.boot</groupId>
    <artifactId>spring-boot-starter-web</artifactId>
    <!-- 排除Tomcat依赖 -->
			<exclusions>
				<exclusion>
					<groupId>org.springframework.boot</groupId>
					<artifactId>spring-boot-starter-tomcat</artifactId>
			</exclusion>
    </exclusions>
	</dependency>
	
	<!--引入undertow依赖-->
	<dependency>
	    <groupId>org.springframework.boot</groupId>
	    <artifactId>spring-boot-starter-undertow</artifactId>
	</dependency>

配置:

server:  
    port: 8084  
    http2:  
        enabled: true  
    undertow:  
        io-threads: 16
        worker-threads: 256  
        buffer-size: 1024  
        buffers-per-region: 1024
        direct-buffers: true 

配置详解: io-threads:IO线程数,
它主要执行非阻塞的任务,它们会负责多个连接,默认设置每个CPU核心一个线程,不可设置过大,否则启动项目会报错:打开文件数过多。
worker-threads:阻塞任务线程池,当执行类似servlet请求阻塞IO操作,undertow会从这个线程池中取得线程。它的值取决于系统线程执行任务的阻塞系数,默认值是
io-threads*8 以下配置会影响buffer(缓冲),这些buffer会用于服务器连接的IO操作,有点类似netty的池化内存管理。
buffer-size:每块buffer的空间大小,越小的空间被利用越充分,不要设置太大,以免影响其他应用,合适即可
buffers-per-region:每个区分配的buffer数量,所以pool的大小是buffer-size *
buffers-per-region direct-buffers:是否分配的直接内存(NIO直接分配的堆外内存)

配置类SpringBootConfig 没有不行

import org.springframework.boot.web.embedded.undertow.UndertowServletWebServerFactory;
import org.springframework.boot.web.servlet.server.ServletWebServerFactory;
import org.springframework.context.annotation.Bean;
import org.springframework.context.annotation.Configuration;
@Configuration
public class SpringBootConfig {
    @Bean
    public ServletWebServerFactory servletContainer() {
        UndertowServletWebServerFactory undertow = new UndertowServletWebServerFactory();
        return undertow;
    }
}

正常启动项目 控制台输出
undertow+boot集成
到这里集成成功
测试一下

import org.springframework.web.bind.annotation.GetMapping;
import org.springframework.web.bind.annotation.RequestMapping;
import org.springframework.web.bind.annotation.RestController;

@RestController
@RequestMapping("/test")
public class UnderControllerTest {

    @GetMapping
    public String test(String value) {
        System.out.println("请求进来了");
        return "你好qwe"+value;
    }
}

undertow+boot集成