web-dev-qa-db-ja.com

pythonでサーバー側のHTTP GET入力パラメーターを処理しています

Python実験用にシンプルなHTTPクライアントとサーバーを作成しました。以下の最初のコードスニペットは、imsiというパラメーターを使用してHTTP GETリクエストを送信する方法を示しています。サーバー側での関数の実装:私の質問は、サーバーコードでimsiパラメーターを抽出し、クライアントに応答を返してimsiが有効であることをクライアントに知らせる方法です。
ありがとう。

追伸:クライアントがリクエストを正常に送信したことを確認しました。

クライアントコードスニペット

    params = urllib.urlencode({'imsi': str(imsi)})
    conn = httplib.HTTPConnection(Host + ':' + str(port))
    #conn.set_debuglevel(1)
    conn.request("GET", "/index.htm", 'imsi=' + str(imsi))
    r = conn.getresponse()

SERVERコードスニペット

import sys, string, cStringIO, cgi, time, datetime
from os import curdir, sep
from BaseHTTPServer import BaseHTTPRequestHandler, HTTPServer

class MyHandler(BaseHTTPRequestHandler):

# I want to extract the imsi parameter here and send a success response to 
# back to the client.
def do_GET(self):
    try:
        if self.path.endswith(".html"):
            #self.path has /index.htm
            f = open(curdir + sep + self.path)
            self.send_response(200)
            self.send_header('Content-type','text/html')
            self.end_headers()
            self.wfile.write("<h1>Device Static Content</h1>")
            self.wfile.write(f.read())
            f.close()
            return
        if self.path.endswith(".esp"):   #our dynamic content
            self.send_response(200)
            self.send_header('Content-type','text/html')
            self.end_headers()
            self.wfile.write("<h1>Dynamic Dynamic Content</h1>")
            self.wfile.write("Today is the " + str(time.localtime()[7]))
            self.wfile.write(" day in the year " + str(time.localtime()[0]))
            return

        # The root
        self.send_response(200)
        self.send_header('Content-type','text/html')
        self.end_headers()

        lst = list(sys.argv[1])
        n = lst[len(lst) - 1]
        now = datetime.datetime.now()

        output = cStringIO.StringIO()
        output.write("<html><head>")
        output.write("<style type=\"text/css\">")
        output.write("h1 {color:blue;}")
        output.write("h2 {color:red;}")
        output.write("</style>")
        output.write("<h1>Device #" + n + " Root Content</h1>")
        output.write("<h2>Device Addr: " + sys.argv[1] + ":" + sys.argv[2] + "</h1>")
        output.write("<h2>Device Time: " + now.strftime("%Y-%m-%d %H:%M:%S") + "</h2>")
        output.write("</body>")
        output.write("</html>")

        self.wfile.write(output.getvalue())

        return

    except IOError:
        self.send_error(404,'File Not Found: %s' % self.path)
20
F. Aydemir

Urlparseを使用してGETリクエストのクエリを解析し、クエリ文字列を分割できます。

from urlparse import urlparse
query = urlparse(self.path).query
query_components = dict(qc.split("=") for qc in query.split("&"))
imsi = query_components["imsi"]
# query_components = { "imsi" : "Hello" }

# Or use the parse_qs method
from urlparse import urlparse, parse_qs
query_components = parse_qs(urlparse(self.path).query)
imsi = query_components["imsi"] 
# query_components = { "imsi" : ["Hello"] }

これを確認するには、次を使用します

 curl http://your.Host/?imsi=Hello
44
ib.lundgren

BaseHTTPServerはかなり低レベルのサーバーです。一般的に、この種のうんざりする作業を行う実際のWebフレームワークを使用したいのですが、尋ねたので...

最初にURL解析ライブラリをインポートします。 Python 2、xそれは rlparse です(Python3では、 rllib.parse を使用します)

import urlparse

次に、do_getメソッドで、クエリ文字列を解析します。

imsi = urlparse.parse_qs(urlparse.urlparse(self.path).query).get('imsi', None)
print imsi  # Prints None or the string value of imsi

また、クライアントコードで rllib を使用することもできますが、おそらくもっと簡単になります。

14
Ken Kinder

cgiモジュールには、CGIコンテキストで使用されるはずのFieldStorageクラスが含まれていますが、コンテキストでも簡単に使用できるようです。

0
newtover