如何在Python中处理POST和GETvariables?
在PHP中,您可以使用$_POST
作为POST,使用$_GET
作为GET(查询string)variables。 Python中的等价物是什么?
假设你正在发布一个html表单:
<input type="text" name="username">
如果使用原始cgi :
import cgi form = cgi.FieldStorage() print form["username"]
如果使用Django ,主塔 , 烧瓶或金字塔 :
print request.GET['username'] # for GET form method print request.POST['username'] # for POST form method
使用Turbogears , Cherrypy :
from cherrypy import request print request.params['username']
Web.py :
form = web.input() print form.username
Werkzeug :
print request.form['username']
如果使用Cherrypy或Turbogears,也可以直接使用参数定义处理函数:
def index(self, username): print username
Google App Engine :
class SomeHandler(webapp2.RequestHandler): def post(self): name = self.request.get('username') # this will get the value from the field named username self.response.write(name) # this will write on the document
所以你真的不得不select其中的一个框架。
它们存储在CGI fieldstorage对象中。
import cgi form = cgi.FieldStorage() print "The user entered %s" % form.getvalue("uservalue")
我发现nosklo的答案非常广泛和有用! 对于像我这样的人来说,直接访问原始请求数据也是有用的,我想补充一下:
import os, sys # the query string, which contains the raw GET data # (For example, for http://example.com/myscript.py?a=b&c=d&e # this is "a=b&c=d&e") os.getenv("QUERY_STRING") # the raw POST data sys.stdin.read()
我知道这是一个古老的问题。 然而令人惊讶的是没有给出好的答案。
首先,这个问题是完全有效的,没有提到框架。 CONTEXT是PHP语言等价的。 虽然有很多方法可以在Python中获取查询string参数,但框架variables只是方便的填充。 在PHP中,$ _GET和$ _POST也是便利的variables。 它们分别从QUERY_URI和php://input分析。
在Python中,这些函数是os.getenv('QUERY_STRING')和sys.stdin.read()。 记得导入os和sys模块。
在这里,我们必须小心“CGI”这个词,特别是在与Web服务器连接时,谈到两种语言及其共同之处。 1. CGI作为协议,定义了HTTP协议中的数据传输机制。 2. Python可以configuration为在Apache中作为CGI脚本运行。 3. Python中的cgi模块提供了一些便利function。
由于HTTP协议是独立于语言的,并且Apache的CGI扩展也是语言无关的,所以获取GET和POST参数应该只能跨语言的语法差异。
以下是Python例程来填充GET字典:
GET={} args=os.getenv("QUERY_STRING").split('&') for arg in args: t=arg.split('=') if len(t)>1: k,v=arg.split('='); GET[k]=v
和POST:
POST={} args=sys.stdin.read().split('&') for arg in args: t=arg.split('=') if len(t)>1: k, v=arg.split('='); POST[k]=v
您现在可以访问以下字段:
print GET.get('user_id') print POST.get('user_name')
我还必须指出,CGI模块不能正常工作。 考虑这个HTTP请求:
POST / test.py?user_id=6 user_name=Bob&age=30
使用cgi.FieldStorage()。getvalue('user_id')会导致一个空指针exception,因为模块会盲目地检查POST数据,忽略POST请求也可以携带GET参数的事实。
它在某种程度上取决于您作为CGI框架使用的内容,但是它们可以通过程序访问的字典获得。 我会把你指向文档,但是我现在还没有通过python.org。 但是这个关于mail.python.org的说明会给你一个第一个指针 。 查看CGI和URLLIB Python库以获取更多信息。
更新
好的,那个链接破坏了。 这是基本的wsgi ref
Python只是一种语言,要获取GET和POST数据,您需要一个用Python编写的Web框架或工具包。 查理指出,Django是其中之一,cgi和urllib标准模块是其他模块。 另外还有Turbogears,Pylons,CherryPy,web.py,mod_python,fastcgi等等。
在Django中,你的视图函数接收到request.GET和request.POST请求参数。 其他框架将做不同的事情。