user3537765
user3537765

Reputation: 331

Clear cookies from Requests Python

I created variable: s = requests.session()

how to clear all cookies in this variable?

Upvotes: 25

Views: 64310

Answers (1)

Martijn Pieters
Martijn Pieters

Reputation: 1123430

The Session.cookies object implements the full mutable mapping interface, so you can call:

s.cookies.clear()

to clear all the cookies.

Demo:

>>> import requests
>>> s = requests.session()
>>> s.get('http://httpbin.org/cookies/set', params={'foo': 'bar'})
<Response [200]>
>>> s.cookies.keys()
['foo']
>>> s.get('http://httpbin.org/cookies').json()
{u'cookies': {u'foo': u'bar'}}
>>> s.cookies.clear()
>>> s.cookies.keys()
[]
>>> s.get('http://httpbin.org/cookies').json()
{u'cookies': {}}

Easiest however, is just to create a new session:

s = requests.session()

Upvotes: 57

Related Questions