Retrieving all Cookies in Python

后端 未结 4 632
余生分开走
余生分开走 2020-12-02 15:45

How do I read back all of the cookies in Python without knowing their names?

相关标签:
4条回答
  • 2020-12-02 16:25

    Put os.environ['HTTP_COOKIE'] into an array:

    #!/usr/bin/env python
    
    import os
    
     if 'HTTP_COOKIE' in os.environ:
      cookies = os.environ['HTTP_COOKIE']
      cookies = cookies.split('; ')
      handler = {}
    
      for cookie in cookies:
       cookie = cookie.split('=')
       handler[cookie[0]] = cookie[1]
    
    0 讨论(0)
  • 2020-12-02 16:34

    Look at the Cookie: headers in the HTTP response you get, parse their contents with module Cookie in the standard library.

    0 讨论(0)
  • 2020-12-02 16:44

    Not sure if this is what you are looking for, but here is a simple example where you put cookies in a cookiejar and read them back:

    from urllib2 import Request, build_opener, HTTPCookieProcessor, HTTPHandler
    import cookielib
    
    #Create a CookieJar object to hold the cookies
    cj = cookielib.CookieJar()
    #Create an opener to open pages using the http protocol and to process cookies.
    opener = build_opener(HTTPCookieProcessor(cj), HTTPHandler())
    
    #create a request object to be used to get the page.
    req = Request("http://www.about.com")
    f = opener.open(req)
    
    #see the first few lines of the page
    html = f.read()
    print html[:50]
    
    #Check out the cookies
    print "the cookies are: "
    for cookie in cj:
        print cookie
    
    0 讨论(0)
  • 2020-12-02 16:49

    This may be exactly what you are looking for.

    Python 3.4

    import requests
    
    r = requests.get('http://www.about.com/')
    c = r.cookies
    i = c.items()
    
    for name, value in i:
        print(name, value)
    
    0 讨论(0)
提交回复
热议问题