前言
最近做知乎模拟登录的时候,碰到一个很奇怪的参数类型,与一般的键值对不同,大概长这样:
------WebKitFormBoundaryA0Srut8TBztAofvx
Content-Disposition: form-data; name="client_id"
a3cef7c66a1843f8b3a9e6b1e5162e21
------WebKitFormBoundaryA0Srut8TBztAofvx
Content-Disposition: form-data; name="grant_type"
password
------WebKitFormBoundaryA0Srut8TBztAofvx
Content-Disposition: form-data; name="timestamp"
1520246977964
------WebKitFormBoundaryA0Srut8TBztAofvx
Content-Disposition: form-data; name="source"
com.zhihu.web
------WebKitFormBoundaryA0Srut8TBztAofvx
Content-Disposition: form-data; name="utm_source"
------WebKitFormBoundaryA0Srut8TBztAofvx--
第一次碰到,有点懵,查了很多资料,在这里记录一下,希望能大家带来帮助,如果有什么不对的地方,还望大牛们在评论区不吝赐教。
什么是 multipart/form-data
Multipart/form-data其实就是上传文件的一种方式。我对它的翻译是 “多部分表单数据” ;在生活中其实经常用到,比如说,在写邮件时,向邮件后添加附件,附件通常使用表单添加,也就是用multipart/form-data格式上传到服务器。
http协议本身的原始方法其实并不支持multipart/form-data请求,它是由post方法来组合实现的
- multipart/form-data与post方法的不同之处(请求头,请求体)
- multipart/form-data的请求头必须包含一个特殊的头信息:Content-Type,且其值也必须规定为multipart/form-data,同时还需要规定一个内容分割符用于分割请求体中的多个post的内容,如文件内容和文本内容自然需要分割开来,不然接收方就无法正常解析和还原这个文件了。
multipart/form-data的请求体也是一个字符串,不过和post的请求体不同的是它的构造方式,post是简单的name=value值连接,而multipart/form-data则是添加了分隔符等内容的构造体,格式如下:
------WebKitFormBoundaryA0Srut8TBztAofvx
Content-Disposition: form-data; name="grant_type"
password
------WebKitFormBoundaryA0Srut8TBztAofvx
其中第一行是自定义的分割符,需要与请求头中规定的分割符相同。
其实根据前言中的例子,可以很容易看出,这个请求体是多个类似的部分组成的:每一个部分都是以–加分隔符开始的,然后是该部分内容的描述信息,然后一个回车,然后是描述信息的具体内容;如果传送的内容是一个文件的话,那么还会包含文件名信息,以及文件内容的类型。最后会以–分割符–结尾,表示请求体结束。
Python 如何发送 multipart/form-data
前面说过请求体其实就是一个字符串,其实如果要发送前言中类似的数据很简单就能实现,for example:
Header = {"Content-type" : "multipart/form-data, boundary=------WebKitFormBoundaryA0Srut8TBztAofvx"}
Data = '''
------WebKitFormBoundaryA0Srut8TBztAofvx
Content-Disposition: form-data; name="client_id"
a3cef7c66a1843f8b3a9e6b1e5162e21
------WebKitFormBoundaryA0Srut8TBztAofvx
Content-Disposition: form-data; name="grant_type"
password
------WebKitFormBoundaryA0Srut8TBztAofvx
Content-Disposition: form-data; name="timestamp"
1520246977964
------WebKitFormBoundaryA0Srut8TBztAofvx
Content-Disposition: form-data; name="source"
com.zhihu.web
------WebKitFormBoundaryA0Srut8TBztAofvx
Content-Disposition: form-data; name="utm_source"
------WebKitFormBoundaryA0Srut8TBztAofvx--
'''