目标:
我想在非常简单的场景中测试所有 Nginx 代理超时参数。我的第一种方法是创建非常简单的 HTTP 服务器并设置一些超时:
- 在侦听和接受之间测试proxy_connect_timeout
- 在接受和阅读之间测试proxy_send_timeout
- 在读取和发送到测试proxy_read_timeout 之间
测试:
1)服务器代码(python):
import socket
import os
import time
import threading
def http_resp(conn):
conn.send("HTTP/1.1 200 OK\r\n")
conn.send("Content-Length: 0\r\n")
conn.send("Content-Type: text/xml\r\n\r\n\r\n")
def do(conn, addr):
print 'Connected by', addr
print 'Sleeping before reading data...'
time.sleep(0) # Set to test proxy_send_timeout
data = conn.recv(1024)
print 'Sleeping before sending data...'
time.sleep(0) # Set to test proxy_read_timeout
http_resp(conn)
print 'End of data stream, closing connection'
conn.close()
def main():
s = socket.socket(socket.AF_INET, socket.SOCK_STREAM)
s.setsockopt(socket.SOL_SOCKET, socket.SO_REUSEADDR, 1)
s.bind(('', int(os.environ['PORT'])))
s.listen(1)
print 'Sleeping before accept...'
time.sleep(130) # Set to test proxy_connect_timeout
while 1:
conn, addr = s.accept()
t = threading.Thread(target=do, args=(conn, addr))
t.start()
if __name__ == "__main__":
main()
2)Nginx配置:
我通过显式设置proxy_connect_timeout并添加指向我的本地 HTTP 服务器的proxy_pass扩展了 Nginx 默认配置:
location / {
proxy_pass http://localhost:8888;
proxy_connect_timeout 200;
}
3) 观察:
proxy_connect_timeout - 即使将其设置为 200 秒并且在监听和接受之间仅休眠 130 秒,Nginx 在 ~60 秒后返回 504,这可能是因为默认的proxy_read_timeout值。我不明白proxy_read_timeout如何在这么早的阶段(接受之前)影响连接。我希望这里有200个。请解释!
proxy_send_timeout - 我不确定我测试proxy_send_timeout的方法是否正确 - 我想我仍然没有正确理解这个参数。毕竟,accept 和 read 之间的延迟不会强制 proxy_send_timeout。
proxy_read_timeout - 这似乎很简单。设置读取和写入之间的延迟可以完成这项工作。
所以我想我的假设是错误的,可能我没有正确理解 proxy_connect 和 proxy_send 超时。如果可能的话,有人可以使用上述测试向我解释(或根据需要进行修改)。