02-自写Tomcat服务器

核心操作:

① socket解除阻塞时为新请求进入,使用线程解决多请求并发问题

② IO流的处理:客户端路径获取使用字符流,服务端响应给浏览器使用字节流

响应行、响应头、响应正文的处理(遵循HTTP协议),使自写服务器可以正确被浏览器解析响应的内容

源码示例:

1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
public class MyTomcatServer {
public static void main(String[] args) {
try {
ServerSocket serverSocket = new ServerSocket(8080);
while (true) {
// 没有请求时,阻塞这个代码,不会创建线程
Socket socket = serverSocket.accept();
// 每连接1个客户端创建1个线程,此处最好是用线程池合理分配资源
new Thread(() -> service(socket)).start();
}
} catch (Exception e) {
e.printStackTrace();
}
}

public static void service(Socket socket) {
try {
//处理请求行,获取访问资源的路径、转换流、封装成了高效字符流
BufferedReader bufferedReader = new BufferedReader(new InputStreamReader(socket.getInputStream()));

//"GET /demo/index.html HTTP/1.1"
//请求方式、请求路径、协议;其中,只有请求路径有用!
String line = bufferedReader.readLine();
String[] requestInfos = line.split(" ");
String requestURL = requestInfos[1];
System.out.println(requestURL);

// 浏览器访问地址:http://localhost:8080/demo/index.html
int length = "/demo/".length();
// 获取请求资源的相对路径
requestURL = requestURL.substring(length);

//通过服务器将index.html响应给浏览器 , 通过socket.getOutputStream();
BufferedInputStream bis = new BufferedInputStream(new FileInputStream(requestURL));
BufferedOutputStream bos = new BufferedOutputStream(socket.getOutputStream());

//操作响应行 (协议、响应状态码)
bos.write("HTTP/1.1 200 OK\r\n".getBytes());

//操作响应头(Content-Type)
bos.write("Content-Type:text/html\r\n".getBytes());
bos.write("\r\n".getBytes());

//操作响应正文
int len = -1;
byte[] bys = new byte[8192];
while ((len = bis.read(bys)) != -1) {
bos.write(bys, 0, len);
}
bis.close();
bos.close();
} catch (Exception e) {
e.printStackTrace();
}
}
}

页面测试:

1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
<!DOCTYPE html>
<html lang="en">
<head>
<meta charset="UTF-8">
<title>主页</title>
</head>
<body>

<h2>首页</h2>

<img src="001.jpg" alt="图片1" width="300px">
<img src="002.jpg" alt="图片2" width="300px">

</body>
</html>

在这里插入图片描述


02-自写Tomcat服务器
https://janycode.github.io/2018/05/02/06_服务器/01_Tomcat/02-自写Tomcat服务器/
作者
Jerry(姜源)
发布于
2018年5月2日
许可协议