Section 21.2. Cookies


21.2. Cookies

HTTP, per se, is a stateless protocol, meaning that it retains no session state between transactions. Cookies, as specified by the HTTP 1.1 standard, let web clients and servers cooperate to build a stateful session from a sequence of HTTP transactions.

Each time a server sends a response to a client's request, the server may initiate or continue a session by sending one or more Set-Cookie headers, whose contents are small data items called cookies. When a client sends another request to the server, the client may continue a session by sending Cookie headers with cookies previously received from that server or other servers in the same domain. Each cookie is a pair of strings, the name and value of the cookie, plus optional attributes. Attribute max-age is the maximum number of seconds the cookie should be kept. The client should discard saved cookies after their maximum age. If max-age is missing, then the client should discard the cookie when the user's interactive session ends.

Cookies provide no intrinsic privacy or authentication. Cookies travel in the clear on the Internet and are vulnerable to sniffing. A malicious client might return cookies different from cookies previously received. To use cookies for authentication or identification, or to hold sensitive information, the server must encrypt and encode cookies sent to clients, and decode, decrypt, and verify cookies received back from clients.

Encryption, encoding, decoding, decryption, and verification may all be slow when applied to large amounts of data. Decryption and verification require the server to keep some amount of server-side state. Sending substantial amounts of data back and forth on the network is also slow. The server should therefore persist most state data locally in files or databases. In most cases, a server should use cookies only as small, encrypted, verifiable keys that confirm the identity of a user or session, using DBM files or a relational database (both covered in Chapter 11) for session state. HTTP sets a limit of 2 KB on cookie size, but I suggest you normally use even smaller cookies.

21.2.1. The Cookie Module

The Cookie module supplies several classes, mostly for backward compatibility. CGI scripts normally use the following classes from module Cookie.

Morsel

A script does not directly instantiate class Morsel. However, instances of cookie classes hold instances of Morsel. An instance m of class Morsel represents a single cookie element: a key string, a value string, and optional attributes. m is a mapping. The only valid keys in m are cookie attribute names: 'comment', 'domain', 'expires', 'max-age', 'path', 'secure', and 'version'. Keys into m are case-insensitive. Values in m are strings, each holding the value of the corresponding cookie attribute.

SimpleCookie

class SimpleCookie(input=None)

A SimpleCookie instance c is a mapping. c's keys are strings. c's values are Morsel instances that wrap strings. c[k]=v implicitly expands to:

 c[k]=Morsel( ); c[k].set(k ,str(v),str(v)) 

If input is not None, instantiating c implicitly calls c.load(input).

SmartCookie

class SmartCookie(input=None)

A SmartCookie instance c is a mapping. c's keys are strings. c's values are Morsel instances that wrap arbitrary values serialized with pickle. c[k]=v has the semantics:

 c[k]=Morsel( ); c [k].set(k,str(v) ,pickle.dumps(v)) 

(Module pickle is covered in "The pickle and cPickle Modules" on page 279.) Since you have no control over the code that executes during deserialization via pickle.loads, class SmartCookie offers no security whatsoever. Unless your script is exposed only on a trusted intranet, avoid SmartCookie; use SimpleCookie instead. You can use any cryptographic approach to build, and take apart again, the strings wrapped by Morsel instance values in SimpleCookie instances. Modules covered in "Encoding Binary Data as Text" on page 561 make it easy to encode arbitrary byte strings as text strings, quite apart from any cryptographic measures.

SmartCookie is more convenient than SimpleCookie plus cryptography, encoding, and decoding. Convenience and security, however, are often in conflict. The choice is yours. Do not labor under the misapprehension that your system is secure because "after all, nobody knows what I'm doing"to quote a famous principle of secure design, "Security through obscurity isn't." Good cryptography is a necessary (but not sufficient) condition for strong security. To use cryptography with Python, see the Python Cryptography Toolkit at http://www.amk.ca/python/code/crypto.


21.2.1.1. Cookie methods

An instance c of SimpleCookie or SmartCookie supplies the following methods.

js_output

c.js_output(attrs=None)

Returns a string s, which is a JavaScript snippet that sets document.cookie to the cookies held in c. You can embed s in an HTML response to simulate cookies without sending an HTTP Set-Cookie header if the client browser supports JavaScript. If attrs is not None, s's JavaScript sets only cookie attributes whose names are in attrs.

load

c.load(data)

When data is a string, load parses it and adds to c each parsed cookie. When data is a mapping, load adds to c a new Morsel instance for each item in data. Normally, data is string os.environ.get('HTTP_COOKIE','') to recover the cookies the client sent.

output

c.output(attrs=None,header='Set-Cookie',sep='\n')

Returns a string s formatted as HTTP headers. You can print c.output( ) among your response's HTTP headers to send to the client the cookies held in c. Each header's name is string header, and headers are separated by string sep. If attrs is not None, s's headers contain only cookie attributes whose names are in attrs.


21.2.1.2. Morsel attributes and methods

An instance m of class Morsel supplies three read/write attributes:


coded_value

The cookie's value, encoded as a string; m's output methods use m.coded_value


key

The cookie's name


value

The cookie's value, which is an arbitrary Python object

Instance m also supplies the following methods.

js_output

m.js_output(attrs=None)

Returns a string s, which is a JavaScript snippet that sets document.cookie to the cookie held in m. See also the js_output method of cookie instances.

output

m.output(attrs=None,header='Set-Cookie')

Returns a string s formatted as an HTTP header that sets the cookie held in m. See also the output method of cookie instances.

OutputString

m.OutputString(attrs=['path','comment','domain','max-age','secure','version','expires'])

Returns a string s that represents the cookie held in m, without decorations. attrs can be any container suitable as the righthand operand of in, such as a list, dict, or set; s contains only attributes whose names are in attrs.

set

m.set(key,value,coded_value)

Sets m's attributes. key and coded_value must be strings.


21.2.1.3. Using module Cookie

Module Cookie supports cookie handling in both client-side and server-side scripts. Typical usage is server-side, often in a CGI script (where you have no alternatives, to maintain session state, to the direct manipulation of cookies). The following example shows a simple CGI script using cookies:

 import Cookie, time, os, sys, traceback sys.stderr = sys.stdout try:     # first, the script emits HTTP headers     c = Cookie.SimpleCookie( )     c["lastvisit"]=str(time.time( ))     print c.output( )     print "Content-Type: text/html"     print     # then, the script emits the response's body     print "<html><head><title>Hello, visitor!</title></head> <body>"     # for the rest of the response, the scripts gets and decodes the cookie     c = Cookie.SimpleCookie(os.environ.get("HTTP_COOKIE"))     when = c.get("lastvisit")     if when is None:         print "<p>Welcome to this site on your first visit!</p>"         print "<p>Please click the 'Refresh' button to proceed</p>"     else:         try: lastvisit = float(when.value)         except:             print "<p>Sorry, cannot decode cookie (%s)</p>"%when.value             print "</br><pre>"             traceback.print_exc( )         else:             formwhen = time.asctime(time.localtime(lastvisit))             print "<p>Welcome back to this site!</p>"             print "<p>You last visited on %s</p>"%formwhen     print "</body></html>" except:     print "Content-Type: text/html"     print     print "</br><pre>"     traceback.print_exc( ) 

Each time a client visits the script, the script sets a cookie encoding the current time. On successive visits, if the client browser supports cookies, the script greets the visitor appropriately. Module time is covered in "The time Module" on page 302. This example uses no cryptography or server-side persistence, since session state is small and not confidential.




Python in a Nutshell
Python in a Nutshell, Second Edition (In a Nutshell)
ISBN: 0596100469
EAN: 2147483647
Year: 2004
Pages: 192
Authors: Alex Martelli

flylib.com © 2008-2017.
If you may any questions please contact us: flylib@qtcs.net