そのため、私が作成しているアプリで Ajax などをローカルでテストしているときは、ステートメントを使用してサーバー側スクリプトに遅延を追加することがよくありますsleep
。これは、低速接続などをシミュレートするのに役立ちます。
提供されているフラット HTML ファイルに対して機能する同様の遅延動作を Nginx 構成で直接指定する方法はありますか?
ネットワークレベルで同様の遅延シミュレーションを実行できることは知っています(ここ) ですが、かなり面倒なようで、私にとってはあまりうまく機能しませんでした。
答え1
echo モジュールを試してみてください。
答え2
echo モジュールの使用方法について、さらに詳しく説明します。
次のような静的ファイルと PHP ファイルを読み込む基本設定から開始する場合:
location ~ \.php$ {
include fastcgi.conf;
fastcgi_pass php;
}
これを次のように変換して、静的リクエストと PHP リクエストの両方に遅延を追加できます。
# Static files
location / {
echo_sleep 5;
echo_exec @default;
}
location @default {}
# PHP files
location ~ \.php$ {
echo_sleep 5;
echo_exec @php;
}
location @php {
include fastcgi.conf;
fastcgi_pass php;
}
もちろん、これは必要に応じて変更できます。基本的に、各ロケーション ブロックを名前付き @location に移動します。次に、元のロケーション ブロックでecho_sleep
と を使用します。echo_exec
答え3
追加したいのはアストロックの答え平易な表現で返信したい場合return
、注意点があります。しなければならない遅延して応答するには、次のように、echo
標準のreturn
ディレクティブではなく の後にを使用します。echo_sleep
location = /slow-reply {
echo_sleep 5.0;
#return 200 'this response would NOT be delayed!';
echo 'this text will come in response body with HTTP 200 after 5 seconds';
}
(openresty/1.7.10.2 でテスト済み)
答え4
次の Python スクリプトは私にとってはうまく機能したので、共有する価値があると思います。
#!/usr/bin/env python
# Includes
import getopt
import sys
import os.path
import subprocess
from http.server import HTTPServer
from http.server import BaseHTTPRequestHandler
import socketserver
import time
######## Predefined variables #########
helpstring = """Usage: {scriptname} args...
Where args are:
-h, --help
Show help
-p PORTNUMBER
Port number to run on
-d delay-in-seconds
How long to wait before responding
"""
helpstring = helpstring.format(scriptname=sys.argv[0])
def beSlow(seconds):
time.sleep(float(seconds))
######## Functions and classes #########
class SlowserverRequestHandler(BaseHTTPRequestHandler):
def do_GET(s):
if s.path == "/slow":
# Check status
# Assume fail
code = 200
status = ""
# Be slow for a while
beSlow(seconds)
s.send_response(200)
s.send_header("Content-type", "text/html")
s.end_headers()
s.wfile.write(b"I'm a slow response LOL\n")
else:
s.send_response(200)
s.send_header("Content-type", "text/html")
s.end_headers()
s.wfile.write(b"slowserver - reporting for duty. Slowly...\n")
# Parse args
try:
options, remainder = getopt.getopt(sys.argv[1:], "hp:d:", ['help'])
except:
print("Invalid args. Use -h or --help for help.")
raise
sys.exit(1)
HTTPPORT = 8000
for opt, arg in options:
if opt in ('-h', '--help'):
print(helpstring)
sys.exit(0)
elif opt in ('-p'):
HTTPPORT = int(arg)
elif opt in ('-d'):
seconds = arg
# Start HTTP service
server_class=HTTPServer
handler_class=SlowserverRequestHandler
server_address = ('', HTTPPORT)
httpd = server_class(server_address, handler_class)
try:
httpd.serve_forever()
except KeyboardInterrupt:
pass
httpd.server_close()