request.POST.get('sth')vs request.POST ['sth'] - 区别?

时间:2012-09-20 18:18:39

标签: django

之间有什么区别
request.POST.get('sth')

request.POST['sth']

没有找到类似的问题,对我来说都是一样的,假设我可以单独使用它们但也许我错了,这就是我要问的原因。有什么想法吗?

3 个答案:

答案 0 :(得分:151)

如果request.POST['sth']不在KeyError

'sth'会引发request.POST例外。

如果request.POST.get('sth')不在None

'sth'将返回request.POST

此外,.get允许您提供默认值的附加参数,如果该键不在字典中,则返回该参数。例如,request.POST.get('sth', 'mydefaultvalue')

这是任何python词典的行为,并非特定于request.POST



这两个片段在功能上完全相同:

第一个片段:

try:
    x = request.POST['sth']
except KeyError:
    x = None


第二段:

x = request.POST.get('sth')



这两个片段在功能上完全相同:

第一个片段:

try:
    x = request.POST['sth']
except KeyError:
    x = -1


第二段:

x = request.POST.get('sth', -1)



这两个片段在功能上完全相同:

第一个片段:

if 'sth' in request.POST:
    x = request.POST['sth']
else:
    x = -1


第二段:

x = request.POST.get('sth', -1)

答案 1 :(得分:0)

Request.POST 示例

req.POST['name_your_desired_field'] 

如果 'name_your_desired_field' 不在 req.POST 中,这将引发 KeyError 异常。

request.POST.get('name_your_desired_field') 

如果 'name_your_desired_field' 不在 req.POST 中,这将返回 None。

虽然,.get 允许您提供默认值的附加参数,如果键不在字典中,则返回该参数。例如,

req.POST.get('name_your_desired_field', 'your_default_value')

这是任何 python 字典的行为,并不特定于 req.POST

Request.GET 示例

request.GET.get('name_your_desired_field') 

如果 'name_your_desired_field' 不在 req.GET 中,这将返回 None。

尽管如此,.get 允许您提供默认值的附加参数,如果键不在字典中,则返回该参数。例如,

req.GET.get('name_your_desired_field', 'your_default_value')

这是任何 python 字典的行为,并不特定于 req.GET

答案 2 :(得分:-1)

正常词典访问和使用.get()访问它的主要区别在于

使用 使用类似的东西 request.POST['sth']会出现一个关键错误,如果这个问题出现了问题。不存在。 但是使用get()方法字典也会为您提供更好的错误处理

request.POST.get('sth')

将返回没有关键字'某些不存在' 并且通过给第二个参数get()将返回它作为默认值。

data = request.POST.get('sth','my_default_value')

如果' sth'密钥不存在数据中的值将为my_default_value。 这是使用get()方法优于普通字典访问的优势。