IT数码 购物 网址 头条 软件 日历 阅读 图书馆
TxT小说阅读器
↓语音阅读,小说下载,古典文学↓
图片批量下载器
↓批量下载图片,美女图库↓
图片自动播放器
↓图片自动播放器↓
一键清除垃圾
↓轻轻一点,清除系统垃圾↓
开发: C++知识库 Java知识库 JavaScript Python PHP知识库 人工智能 区块链 大数据 移动开发 嵌入式 开发工具 数据结构与算法 开发测试 游戏开发 网络协议 系统运维
教程: HTML教程 CSS教程 JavaScript教程 Go语言教程 JQuery教程 VUE教程 VUE3教程 Bootstrap教程 SQL数据库教程 C语言教程 C++教程 Java教程 Python教程 Python3教程 C#教程
数码: 电脑 笔记本 显卡 显示器 固态硬盘 硬盘 耳机 手机 iphone vivo oppo 小米 华为 单反 装机 图拉丁
 
   -> 网络协议 -> http请求超时,tcp未正常四次挥手 -> 正文阅读

[网络协议]http请求超时,tcp未正常四次挥手

背景

一个很简单的需求,需要对controller层返回的异常报文,做简单的包装,比如将 异常、error、exception等关键字去掉(由于历史代码 各种异常提示不友好,而c端直接把提示弹出),替换成更友好的提示。

方案一
在Filter里面把response拿到,读取内容,然后替换。

方案二
使用ResponseBodyAdvice,对返回的报文做处理

最终使用了方案二,更简单。一开始用方案一的时候,就遇到http请求超时,tcp未正常四次挥手断连。

问题复现

代码

采用方案一的代码如下


@Slf4j
@Component
@Order(-1)
@WebFilter(urlPatterns = "/*", filterName = "filter") // 拦截所有路径
public class ApiLogFilter extends OncePerRequestFilter {

	@Override
	protected void doFilterInternal(HttpServletRequest request, HttpServletResponse response, FilterChain filterChain)
			throws ServletException, IOException {
		//临时存放service写入的数据,读取后再加工放到HttpServletResponse 的流中
		CachedHttpServletResponse wrapper = new CachedHttpServletResponse(response);

		filterChain.doFilter(request, wrapper);

		String content = "hello world" ;

		//把这个加上 本文的问题就解决了。。。
		//response.setContentLength(content.getBytes().length);

		response.getOutputStream().write(content.getBytes());
		response.getOutputStream().flush();

	}
	class CachedHttpServletResponse extends HttpServletResponseWrapper {
		private boolean openWriter = false;

		private boolean openStream = false;

		ServletOutputStream outputStream = null;
		private ByteArrayOutputStream output = new ByteArrayOutputStream();

		public CachedHttpServletResponse(HttpServletResponse response) {
			super(response);
		}

		// 获取Writer:
		public PrintWriter getWriter() throws IOException {
			if (openStream) {
				throw new IllegalStateException("Cannot re-open writer!");
			}
			openWriter = true;
			return new PrintWriter(output, false);
		}

		// 获取OutputStream:
		public ServletOutputStream getOutputStream() throws IOException {
			if (openWriter) {
				throw new IllegalStateException("Cannot re-open writer!");
			}
			openStream = true;
			if (outputStream == null) {
				outputStream = new ServletOutputStream() {
					public boolean isReady() {
						return true;
					}

					public void setWriteListener(WriteListener listener) {
					}

					// 实际写入ByteArrayOutputStream:
					public void write(int b) throws IOException {
						output.write(b);
					}
				};
			}
			return outputStream;

		}
		// 返回写入的byte[]:
		public byte[] getContent() {
			return output.toByteArray();
		}
	}
}

post调用,会发现请求无响应,一直到超时,返回了报文。

场景分析

超时场景

wireshark分析异常下的tcp报文
过滤条件:
(ip.src == 192.168.42.59 && ip.dst == 192.168.19.15 && tcp.srcport == 20225) || (ip.dst == 192.168.42.59 && ip.src == 192.168.19.15 && tcp.dstport == 20225)
其中192.168.42.59是服务端, 192.168.19.15是客户端(postman)

在这里插入图片描述
从抓包来看,正常的三次握手,然后传输数据报文,并且可以看到服务端有向客户端返回响应报文,但之后就卡主了。等待一会超时,再看下tcp
在这里插入图片描述
服务端先发起了挥手动作,tcp才开始断连。

正常场景

上是异常下的tcp报文,下面看下正常的一次请求,代码层面,就是把ApiLogFilter 去掉。

在这里插入图片描述
正常的一次http请求,最终由客户端发起挥手,并断连tcp。

问题分析

结论

问题就是客户端在收到报文时,没有主动关闭tcp,发送fin报文,导致tcp连接一直在,然后tcp服务端本身超时关闭,所以是服务端主动发起关闭。

为啥客户端没有主动发送fin报文,这个涉及到http协议,http协议里面的Content-Length,当客户端收到content-length大于实际接受的字节,会认为还是数据要接收,然后就没有关闭tcp,等待接受剩下的数据,但是服务端又没有数据可传输,最终服务端tcp超时关闭连接。也就是说,http协议里面的content-length需要和实际的报文大小一样,否则会让客户端误判。

如果content-length大于实际报文大小,会导致客户端认为还有数据要传输,就不会主动发送fin报文,关闭连接。
如果content-length小于实际报文大小,客户端会截取报文,数据丢失。

过程

Tomcat源码

先跟踪下Tomcat一个请求路径,找出正常场景和异常场景链路的差异性。

Tomcat正常请求路径

tomcat 启动后Acceptor就专门监听连接,只并封装成event,传给poller去干活
org.apache.tomcat.util.net.Acceptor#run
===>
org.apache.tomcat.util.net.NioEndpoint.Poller#run
org.apache.tomcat.util.net.NioEndpoint.Poller#processKey
org.apache.tomcat.util.net.AbstractEndpoint#processSocket
===>
org.apache.tomcat.util.net.SocketProcessorBase#run
org.apache.tomcat.util.net.SocketProcessorBase#doRun
==>
//注意service里面是个while循环
org.apache.coyote.http11.Http11Processor#service
//读取请求报文数据
org.apache.coyote.http11.Http11InputBuffer#parseRequestLine
//正常将请求报文数据读到缓存中
org.apache.tomcat.util.net.NioEndpoint.NioSocketWrapper#fillReadBuffer(boolean, java.nio.ByteBuffer)
==>
接下来去走执行逻辑
spring处理,controller  service等
==>
org.apache.coyote.http11.Http11Processor#service里面while循环
org.apache.coyote.http11.Http11InputBuffer#parseRequestLine
org.apache.tomcat.util.net.NioEndpoint.NioSocketWrapper#fillReadBuffer(boolean, java.nio.ByteBuffer)
这个时候再去socketChannel里面读取请求报文数据,返回eofException,结束流程
==>
org.apache.tomcat.util.net.NioEndpoint.SocketProcessor#doRun
里面处理完逻辑返回的SocketStateClosed
==>
org.apache.tomcat.util.net.NioEndpoint#close
org.apache.tomcat.util.net.NioEndpoint.Poller#cancelledKey
(ka.getSocket().close(true);)最终服务端也关闭socket(发送fin)
客户端一收到报文,就正常发送fin了,所以客户端会先发,服务的进入close_wait,这里是服务的发送fin



服务端关闭tcp,发送fin
org.apache.tomcat.util.net.NioEndpoint.Poller#cancelledKey

public NioSocketWrapper cancelledKey(SelectionKey key) {
            NioSocketWrapper ka = null;
            try {
                if ( key == null ) return null;//nothing to do
                ka = (NioSocketWrapper) key.attach(null);
                if (ka != null) {
                    // If attachment is non-null then there may be a current
                    // connection with an associated processor.
                    getHandler().release(ka);
                }
                if (key.isValid()) key.cancel();
                // If it is available, close the NioChannel first which should
                // in turn close the underlying SocketChannel. The NioChannel
                // needs to be closed first, if available, to ensure that TLS
                // connections are shut down cleanly.
                if (ka != null) {
                    try {
                    //这里就是关闭socket,发送fin
                        ka.getSocket().close(true);
                    } catch (Exception e){
                        if (log.isDebugEnabled()) {
                            log.debug(sm.getString(
                                    "endpoint.debug.socketCloseFail"), e);
                        }
                    }
                }
                // The SocketChannel is also available via the SelectionKey. If
                // it hasn't been closed in the block above, close it now.
                if (key.channel().isOpen()) {
                    try {
                        key.channel().close();
                    } catch (Exception e) {
                        if (log.isDebugEnabled()) {
                            log.debug(sm.getString(
                                    "endpoint.debug.channelCloseFail"), e);
                        }
                    }
                }
                try {
                    if (ka != null && ka.getSendfileData() != null
                            && ka.getSendfileData().fchannel != null
                            && ka.getSendfileData().fchannel.isOpen()) {
                        ka.getSendfileData().fchannel.close();
                    }
                } catch (Exception ignore) {
                }
                if (ka != null) {
                    countDownConnection();
                    ka.closed = true;
                }
            } catch (Throwable e) {
                ExceptionUtils.handleThrowable(e);
                if (log.isDebugEnabled()) log.error("",e);
            }
            return ka;
        }

异常Tomcat请求路径

上面和正常一样
==>
接下来去走执行逻辑
spring处理,controller  service等,然后spring会给response的content-length设置长度,但是在后面的filter里面,却把流又重写了,导致content-length与实际流大小不一致(这就是问题,必须要重新设置content-length)
==>
org.apache.coyote.http11.Http11Processor#service里面while循环
org.apache.coyote.http11.Http11InputBuffer#parseRequestLine
org.apache.tomcat.util.net.NioEndpoint.NioSocketWrapper#fillReadBuffer(boolean, java.nio.ByteBuffer)
这个时候再去socketChannel里面读取请求报文数据,因为客户端还在等待接受数据,tcp未断开,这个时候SocketChannel.read返回0
==>
org.apache.tomcat.util.net.NioEndpoint.SocketProcessor#doRun
里面处理完逻辑后SocketStateOpen,放入processorCache等待超时
==>
poller线程拉取数据处理,刚刚放入processorCache的socket,发现超时,服务端走关闭逻辑



org.apache.tomcat.util.net.NioEndpoint.SocketProcessor#doRun

protected void doRun() {
            NioChannel socket = socketWrapper.getSocket();
            SelectionKey key = socket.getIOChannel().keyFor(socket.getPoller().getSelector());

            try {
                int handshake = -1;

                try {
                    if (key != null) {
                        if (socket.isHandshakeComplete()) {
                            // No TLS handshaking required. Let the handler
                            // process this socket / event combination.
                            handshake = 0;
                        } else if (event == SocketEvent.STOP || event == SocketEvent.DISCONNECT ||
                                event == SocketEvent.ERROR) {
                            // Unable to complete the TLS handshake. Treat it as
                            // if the handshake failed.
                            handshake = -1;
                        } else {
                            handshake = socket.handshake(key.isReadable(), key.isWritable());
                            // The handshake process reads/writes from/to the
                            // socket. status may therefore be OPEN_WRITE once
                            // the handshake completes. However, the handshake
                            // happens when the socket is opened so the status
                            // must always be OPEN_READ after it completes. It
                            // is OK to always set this as it is only used if
                            // the handshake completes.
                            event = SocketEvent.OPEN_READ;
                        }
                    }
                } catch (IOException x) {
                    handshake = -1;
                    if (log.isDebugEnabled()) log.debug("Error during SSL handshake",x);
                } catch (CancelledKeyException ckx) {
                    handshake = -1;
                }
                if (handshake == 0) {
                    SocketState state = SocketState.OPEN;
                    // Process the request from this socket
                    if (event == null) {
                        state = getHandler().process(socketWrapper, SocketEvent.OPEN_READ);
                    } else {
                        state = getHandler().process(socketWrapper, event);
                    }
                    //上面process,正常场景返回closed,异常场景返回open
                    if (state == SocketState.CLOSED) {
                    	//正常场景走这里 ,服务的关闭tcp
                        close(socket, key);
                    }
                } else if (handshake == -1 ) {
                    close(socket, key);
                } else if (handshake == SelectionKey.OP_READ){
                    socketWrapper.registerReadInterest();
                } else if (handshake == SelectionKey.OP_WRITE){
                    socketWrapper.registerWriteInterest();
                }
            } catch (CancelledKeyException cx) {
                socket.getPoller().cancelledKey(key);
            } catch (VirtualMachineError vme) {
                ExceptionUtils.handleThrowable(vme);
            } catch (Throwable t) {
                log.error("", t);
                socket.getPoller().cancelledKey(key);
            } finally {
                socketWrapper = null;
                event = null;
                //return to cache
                if (running && !paused) {
					//异常场景走这里,下面Poller会一直拉取数据,直到超时,走超时关闭逻辑
                    processorCache.push(this);
                }
            }
        }

服务端超时关闭tcp
org.apache.tomcat.util.net.NioEndpoint.Poller#timeout

protected void timeout(int keyCount, boolean hasEvents) {
            long now = System.currentTimeMillis();
            // This method is called on every loop of the Poller. Don't process
            // timeouts on every loop of the Poller since that would create too
            // much load and timeouts can afford to wait a few seconds.
            // However, do process timeouts if any of the following are true:
            // - the selector simply timed out (suggests there isn't much load)
            // - the nextExpiration time has passed
            // - the server socket is being closed
            if (nextExpiration > 0 && (keyCount > 0 || hasEvents) && (now < nextExpiration) && !close) {
                return;
            }
            //timeout
            int keycount = 0;
            try {
                for (SelectionKey key : selector.keys()) {
                    keycount++;
                    try {
                        NioSocketWrapper ka = (NioSocketWrapper) key.attachment();
                        if ( ka == null ) {
                            cancelledKey(key); //we don't support any keys without attachments
                        } else if (close) {
                            key.interestOps(0);
                            ka.interestOps(0); //avoid duplicate stop calls
                            processKey(key,ka);
                        } else if ((ka.interestOps()&SelectionKey.OP_READ) == SelectionKey.OP_READ ||
                                  (ka.interestOps()&SelectionKey.OP_WRITE) == SelectionKey.OP_WRITE) {
                            boolean isTimedOut = false;
                            // Check for read timeout
                            if ((ka.interestOps() & SelectionKey.OP_READ) == SelectionKey.OP_READ) {
                                long delta = now - ka.getLastRead();
                                long timeout = ka.getReadTimeout();
                                //这里就是超时判断,判定为超时,后面socket
                                isTimedOut = timeout > 0 && delta > timeout;
                            }
                            // Check for write timeout
                            if (!isTimedOut && (ka.interestOps() & SelectionKey.OP_WRITE) == SelectionKey.OP_WRITE) {
                                long delta = now - ka.getLastWrite();
                                long timeout = ka.getWriteTimeout();
                                isTimedOut = timeout > 0 && delta > timeout;
                            }
                            if (isTimedOut) {
                                key.interestOps(0);
                                ka.interestOps(0); //avoid duplicate timeout calls
                                ka.setError(new SocketTimeoutException());
                                //超时关闭tcp,可以看到参数有SocketEvent.ERROR
                                if (!processSocket(ka, SocketEvent.ERROR, true)) {
                                    cancelledKey(key);
                                }
                            }
                        }
                    }catch ( CancelledKeyException ckx ) {
                        cancelledKey(key);
                    }
                }//for
            } catch (ConcurrentModificationException cme) {
                // See https://bz.apache.org/bugzilla/show_bug.cgi?id=57943
                log.warn(sm.getString("endpoint.nio.timeoutCme"), cme);
            }
            long prevExp = nextExpiration; //for logging purposes only
            nextExpiration = System.currentTimeMillis() +
                    socketProperties.getTimeoutInterval();
            if (log.isTraceEnabled()) {
                log.trace("timeout completed: keys processed=" + keycount +
                        "; now=" + now + "; nextExpiration=" + prevExp +
                        "; keyCount=" + keyCount + "; hasEvents=" + hasEvents +
                        "; eval=" + ((now < prevExp) && (keyCount>0 || hasEvents) && (!close) ));
            }

        }
    }

org.apache.tomcat.util.net.NioEndpoint.NioSocketWrapper#fillReadBuffer

private int fillReadBuffer(boolean block, ByteBuffer to) throws IOException {
            int nRead;
            NioChannel channel = getSocket();
            if (block) {
                Selector selector = null;
                try {
                    selector = pool.get();
                } catch (IOException x) {
                    // Ignore
                }
                try {
                    NioEndpoint.NioSocketWrapper att = (NioEndpoint.NioSocketWrapper) channel
                            .getAttachment();
                    if (att == null) {
                        throw new IOException("Key must be cancelled.");
                    }
                    nRead = pool.read(to, channel, selector, att.getReadTimeout());
                } finally {
                    if (selector != null) {
                        pool.put(selector);
                    }
                }
            } else {
            //正常场景抛异常
            //异常场景返回了0, 然后服务端tcp超时,服务端主动断开tcp连接,后面直接close
                nRead = channel.read(to);
                if (nRead == -1) {
                    throw new EOFException();
                }
            }
            return nRead;
        }

参考

Tomcat 中的 NIO 源码分析

用了这么久HTTP, 你是否了解Content-Length和Transfer-Encoding ?

NIO中SocketChannel read()返回0的原因

  网络协议 最新文章
使用Easyswoole 搭建简单的Websoket服务
常见的数据通信方式有哪些?
Openssl 1024bit RSA算法---公私钥获取和处
HTTPS协议的密钥交换流程
《小白WEB安全入门》03. 漏洞篇
HttpRunner4.x 安装与使用
2021-07-04
手写RPC学习笔记
K8S高可用版本部署
mySQL计算IP地址范围
上一篇文章      下一篇文章      查看所有文章
加:2021-08-09 10:33:55  更:2021-08-09 10:34:32 
 
开发: C++知识库 Java知识库 JavaScript Python PHP知识库 人工智能 区块链 大数据 移动开发 嵌入式 开发工具 数据结构与算法 开发测试 游戏开发 网络协议 系统运维
教程: HTML教程 CSS教程 JavaScript教程 Go语言教程 JQuery教程 VUE教程 VUE3教程 Bootstrap教程 SQL数据库教程 C语言教程 C++教程 Java教程 Python教程 Python3教程 C#教程
数码: 电脑 笔记本 显卡 显示器 固态硬盘 硬盘 耳机 手机 iphone vivo oppo 小米 华为 单反 装机 图拉丁

360图书馆 购物 三丰科技 阅读网 日历 万年历 2024年5日历 -2024/5/19 9:08:46-

图片自动播放器
↓图片自动播放器↓
TxT小说阅读器
↓语音阅读,小说下载,古典文学↓
一键清除垃圾
↓轻轻一点,清除系统垃圾↓
图片批量下载器
↓批量下载图片,美女图库↓
  网站联系: qq:121756557 email:121756557@qq.com  IT数码