Python Data Structures Cheat Sheet



Data Structures with Python PYDS-12.0: Arrays PYDS-12.1: Low Level Arrays PYDS 12.2: Amotization PYDS-13.0: Stacks, Queues and Deques PYDS-13.1: Queues Overview PYDS-13.2: Deques Overview PYDS-14.0: Singly Linked Lists PYDS-14.1: Doubly Linked Lists PYDS-15.0: Recursion PYDS-15.1: Memoization PYDS-16.0: Trees PYDS-16.1: Implementing a Tree as a. Cheat-sheets / Python-Data-Structures.md Go to file Go to file T; Go to line L; Copy path Copy permalink; okeeffed Update most cheat sheets with a TOC. Latest commit 91856dc May 9, 2018 History. 1 contributor Users who have contributed to this file Data.


We summarize the performance characteristics of classic algorithms anddata structures for sorting, priority queues, symbol tables, and graph processing.

We also summarize some of the mathematics useful in the analysis of algorithms, including commonly encountered functions;useful formulas and appoximations; properties of logarithms;asymptotic notations; and solutions to divide-and-conquer recurrences.


Sorting.

The table below summarizes the number of compares for a variety of sortingalgorithms, as implemented in this textbook.It includes leading constants but ignores lower-order terms.
ALGORITHMCODEIN PLACESTABLEBESTAVERAGEWORSTREMARKS
selection sortSelection.java½ n 2½ n 2½ n 2n exchanges;
quadratic in best case
insertion sortInsertion.javan¼ n 2½ n 2use for small or
partially-sorted arrays
bubble sortBubble.javan½ n 2½ n 2rarely useful;
use insertion sort instead
shellsortShell.javan log3nunknownc n 3/2tight code;
subquadratic
mergesortMerge.java½ n lg nn lg nn lg nn log n guarantee;
stable
quicksortQuick.javan lg n2 n ln n½ n 2n log n probabilistic guarantee;
fastest in practice
heapsortHeap.javan2 n lg n2 n lg nn log n guarantee;
in place
n lg n if all keys are distinct


Priority queues.

The table below summarizes the order of growth of the running time ofoperations for a variety of priority queues, as implemented in this textbook.It ignores leading constants and lower-order terms.Except as noted, all running times are worst-case running times.
DATA STRUCTURECODEINSERTDEL-MINMINDEC-KEYDELETEMERGE
arrayBruteIndexMinPQ.java1nn11n
binary heapIndexMinPQ.javalog nlog n1log nlog nn
d-way heapIndexMultiwayMinPQ.javalogdnd logdn1logdnd logdnn
binomial heapIndexBinomialMinPQ.java1log n1log nlog nlog n
Fibonacci heapIndexFibonacciMinPQ.java1log n11 log n1
amortized guarantee


Symbol tables.

The table below summarizes the order of growth of the running time ofoperations for a variety of symbol tables, as implemented in this textbook.It ignores leading constants and lower-order terms.
worst caseaverage case
DATA STRUCTURECODESEARCHINSERTDELETESEARCHINSERTDELETE
sequential search
(in an unordered list)
SequentialSearchST.javannnnnn
binary search
(in a sorted array)
BinarySearchST.javalog nnnlog nnn
binary search tree
(unbalanced)
BST.javannnlog nlog nsqrt(n)
red-black BST
(left-leaning)
RedBlackBST.javalog nlog nlog nlog nlog nlog n
AVL
AVLTreeST.javalog nlog nlog nlog nlog nlog n
hash table
(separate-chaining)
SeparateChainingHashST.javannn1 1 1
hash table
(linear-probing)
LinearProbingHashST.javannn1 1 1
uniform hashing assumption


Graph processing.

The table below summarizes the order of growth of the worst-case running time and memory usage (beyond the memory for the graph itself)for a variety of graph-processing problems, as implemented in this textbook.It ignores leading constants and lower-order terms.All running times are worst-case running times.


PROBLEMALGORITHMCODETIMESPACE
pathDFSDepthFirstPaths.javaE + VV
shortest path (fewest edges)BFSBreadthFirstPaths.javaE + VV
cycleDFSCycle.javaE + VV
directed pathDFSDepthFirstDirectedPaths.javaE + VV
shortest directed path (fewest edges)BFSBreadthFirstDirectedPaths.javaE + VV
directed cycleDFSDirectedCycle.javaE + VV
topological sortDFSTopological.javaE + VV
bipartiteness / odd cycleDFSBipartite.javaE + VV
connected componentsDFSCC.javaE + VV
strong componentsKosaraju–SharirKosarajuSharirSCC.javaE + VV
strong componentsTarjanTarjanSCC.javaE + VV
strong componentsGabowGabowSCC.javaE + VV
Eulerian cycleDFSEulerianCycle.javaE + VE + V
directed Eulerian cycleDFSDirectedEulerianCycle.javaE + VV
transitive closureDFSTransitiveClosure.javaV (E + V)V 2
minimum spanning treeKruskalKruskalMST.javaE log EE + V
minimum spanning treePrimPrimMST.javaE log VV
minimum spanning treeBoruvkaBoruvkaMST.javaE log VV
shortest paths (nonnegative weights)DijkstraDijkstraSP.javaE log VV
shortest paths (no negative cycles)Bellman–FordBellmanFordSP.javaV (V + E)V
shortest paths (no cycles)topological sortAcyclicSP.javaV + EV
all-pairs shortest pathsFloyd–WarshallFloydWarshall.javaV 3V 2
maxflow–mincutFord–FulkersonFordFulkerson.javaEV (E + V)V
bipartite matchingHopcroft–KarpHopcroftKarp.javaV ½ (E + V)V
assignment problemsuccessive shortest pathsAssignmentProblem.javan 3 log nn 2


Commonly encountered functions.

Here are some functions that are commonly encounteredwhen analyzing algorithms.
FUNCTIONNOTATIONDEFINITION
floor( lfloor x rfloor )greatest integer (; le ; x)
ceiling( lceil x rceil )smallest integer (; ge ; x)
binary logarithm( lg x) or (log_2 x)(y) such that (2^{,y} = x)
natural logarithm( ln x) or (log_e x )(y) such that (e^{,y} = x)
common logarithm( log_{10} x )(y) such that (10^{,y} = x)
iterated binary logarithm( lg^* x )(0) if (x le 1;; 1 + lg^*(lg x)) otherwise
harmonic number( H_n )(1 + 1/2 + 1/3 + ldots + 1/n)
factorial( n! )(1 times 2 times 3 times ldots times n)
binomial coefficient( n choose k )( frac{n!}{k! ; (n-k)!})


Useful formulas and approximations.

Here are some useful formulas for approximations that are widely used in the analysis of algorithms.
  • Harmonic sum: (1 + 1/2 + 1/3 + ldots + 1/n sim ln n)
  • Triangular sum: (1 + 2 + 3 + ldots + n = n , (n+1) , / , 2 sim n^2 ,/, 2)
  • Sum of squares: (1^2 + 2^2 + 3^2 + ldots + n^2 sim n^3 , / , 3)
  • Geometric sum: If (r neq 1), then(1 + r + r^2 + r^3 + ldots + r^n = (r^{n+1} - 1) ; /; (r - 1))
    • (r = 1/2): (1 + 1/2 + 1/4 + 1/8 + ldots + 1/2^n sim 2)
    • (r = 2): (1 + 2 + 4 + 8 + ldots + n/2 + n = 2n - 1 sim 2n), when (n) is a power of 2
  • Stirling's approximation: (lg (n!) = lg 1 + lg 2 + lg 3 + ldots + lg n sim n lg n)
  • Exponential: ((1 + 1/n)^n sim e; ;;(1 - 1/n)^n sim 1 / e)
  • Binomial coefficients: ({n choose k} sim n^k , / , k!) when (k) is a small constant
  • Approximate sum by integral: If (f(x)) is a monotonically increasing function, then( displaystyle int_0^n f(x) ; dx ; le ; sum_{i=1}^n ; f(i) ; le ; int_1^{n+1} f(x) ; dx)

Python Tuple


Properties of logarithms.

  • Definition: (log_b a = c) means (b^c = a).We refer to (b) as the base of the logarithm.
  • Special cases: (log_b b = 1,; log_b 1 = 0 )
  • Inverse of exponential: (b^{log_b x} = x)
  • Product: (log_b (x times y) = log_b x + log_b y )
  • Division: (log_b (x div y) = log_b x - log_b y )
  • Finite product: (log_b ( x_1 times x_2 times ldots times x_n) ; = ; log_b x_1 + log_b x_2 + ldots + log_b x_n)
  • Changing bases: (log_b x = log_c x ; / ; log_c b )
  • Rearranging exponents: (x^{log_b y} = y^{log_b x})
  • Exponentiation: (log_b (x^y) = y log_b x )


Aymptotic notations: definitions.

NAMENOTATIONDESCRIPTIONDEFINITION
Tilde(f(n) sim g(n); )(f(n)) is equal to (g(n)) asymptotically
(including constant factors)
( ; displaystyle lim_{n to infty} frac{f(n)}{g(n)} = 1)
Big Oh(f(n)) is (O(g(n)))(f(n)) is bounded above by (g(n)) asymptotically
(ignoring constant factors)
there exist constants (c > 0) and (n_0 ge 0) such that (0 le f(n) le c cdot g(n)) forall (n ge n_0)
Big Omega(f(n)) is (Omega(g(n)))(f(n)) is bounded below by (g(n)) asymptotically
(ignoring constant factors)
( g(n) ) is (O(f(n)))
Big Theta(f(n)) is (Theta(g(n)))(f(n)) is bounded above and below by (g(n)) asymptotically
(ignoring constant factors)
( f(n) ) is both (O(g(n))) and (Omega(g(n)))
Little oh(f(n)) is (o(g(n)))(f(n)) is dominated by (g(n)) asymptotically
(ignoring constant factors)
( ; displaystyle lim_{n to infty} frac{f(n)}{g(n)} = 0)
Little omega(f(n)) is (omega(g(n)))(f(n)) dominates (g(n)) asymptotically
(ignoring constant factors)
( g(n) ) is (o(f(n)))


Common orders of growth.

Python Basics Cheat Sheet

NAMENOTATIONEXAMPLECODE FRAGMENT
Constant(O(1))array access
arithmetic operation
function call
Logarithmic(O(log n))binary search in a sorted array
insert in a binary heap
search in a red–black tree
Linear(O(n))sequential search
grade-school addition
BFPRT median finding
Linearithmic(O(n log n))mergesort
heapsort
fast Fourier transform
Quadratic(O(n^2))enumerate all pairs
insertion sort
grade-school multiplication
Cubic(O(n^3))enumerate all triples
Floyd–Warshall
grade-school matrix multiplication
Polynomial(O(n^c))ellipsoid algorithm for LP
AKS primality algorithm
Edmond's matching algorithm
Exponential(2^{O(n^c)})enumerating all subsets
enumerating all permutations
backtracing search


Asymptotic notations: properties.

  • Reflexivity: (f(n)) is (O(f(n))).
  • Constants: If (f(n)) is (O(g(n))) and ( c > 0 ),then (c cdot f(n)) is (O(g(n)))).
  • Products: If (f_1(n)) is (O(g_1(n))) and ( f_2(n) ) is (O(g_2(n)))),then (f_1(n) cdot f_2(n)) is (O(g_1(n) cdot g_2(n)))).
  • Sums: If (f_1(n)) is (O(g_1(n))) and ( f_2(n) ) is (O(g_2(n)))),then (f_1(n) + f_2(n)) is (O(max { g_1(n) , g_2(n) })).
  • Transitivity: If (f(n)) is (O(g(n))) and ( g(n) ) is (O(h(n))),then ( f(n) ) is (O(h(n))).
  • Polynomials: Let (f(n) = a_0 + a_1 n + ldots + a_d n^d) with(a_d > 0). Then, ( f(n) ) is (Theta(n^d)).
  • Logarithms and polynomials: ( log_b n ) is (O(n^d)) for every ( b > 0) and every ( d > 0 ).
  • Exponentials and polynomials: ( n^d ) is (O(r^n)) for every ( r > 0) and every ( d > 0 ).
  • Factorials: ( n! ) is ( 2^{Theta(n log n)} ).
  • Limits: If ( ; displaystyle lim_{n to infty} frac{f(n)}{g(n)} = c)for some constant ( 0 < c < infty), then(f(n)) is (Theta(g(n))).
  • Limits: If ( ; displaystyle lim_{n to infty} frac{f(n)}{g(n)} = 0),then (f(n)) is (O(g(n))) but not (Theta(g(n))).
  • Limits: If ( ; displaystyle lim_{n to infty} frac{f(n)}{g(n)} = infty),then (f(n)) is (Omega(g(n))) but not (O(g(n))).


Here are some examples.

FUNCTION(o(n^2))(O(n^2))(Theta(n^2))(Omega(n^2))(omega(n^2))(sim 2 n^2)(sim 4 n^2)
(log_2 n)
(10n + 45)
(2n^2 + 45n + 12)
(4n^2 - 2 sqrt{n})
(3n^3)
(2^n)


Divide-and-conquer recurrences.

For each of the following recurrences we assume (T(1) = 0)and that (n,/,2) means either (lfloor n,/,2 rfloor) or(lceil n,/,2 rceil).
RECURRENCE(T(n))EXAMPLE
(T(n) = T(n,/,2) + 1)(sim lg n)binary search
(T(n) = 2 T(n,/,2) + n)(sim n lg n)mergesort
(T(n) = T(n-1) + n)(sim frac{1}{2} n^2)insertion sort
(T(n) = 2 T(n,/,2) + 1)(sim n)tree traversal
(T(n) = 2 T(n-1) + 1)(sim 2^n)towers of Hanoi
(T(n) = 3 T(n,/,2) + Theta(n))(Theta(n^{log_2 3}) = Theta(n^{1.58..}))Karatsuba multiplication
(T(n) = 7 T(n,/,2) + Theta(n^2))(Theta(n^{log_2 7}) = Theta(n^{2.81..}))Strassen multiplication
(T(n) = 2 T(n,/,2) + Theta(n log n))(Theta(n log^2 n))closest pair


Master theorem.

StructuresLet (a ge 1), (b ge 2), and (c > 0) and suppose that(T(n)) is a function on the non-negative integers that satisfiesthe divide-and-conquer recurrence$$T(n) = a ; T(n,/,b) + Theta(n^c)$$with (T(0) = 0) and (T(1) = Theta(1)), where (n,/,b) meanseither (lfloor n,/,b rfloor) or either (lceil n,/,b rceil).
  • If (c < log_b a), then (T(n) = Theta(n^{log_{,b} a}))
  • If (c = log_b a), then (T(n) = Theta(n^c log n))
  • If (c > log_b a), then (T(n) = Theta(n^c))
Remark: there are many different versions of the master theorem. The Akra–Bazzi theoremis among the most powerful.

Last modified on September 12, 2020.
Copyright © 2000–2019Robert SedgewickandKevin Wayne.All rights reserved.

This chapter describes some things you’ve learned about already in more detail,and adds some new things as well.

5.1. More on Lists¶

Across the universe itunes. The list data type has some more methods. Here are all of the methods of listobjects:

list.append(x)

Add an item to the end of the list. Equivalent to a[len(a):]=[x].

list.extend(iterable)

Extend the list by appending all the items from the iterable. Equivalent toa[len(a):]=iterable.

list.insert(i, x)

Insert an item at a given position. The first argument is the index of theelement before which to insert, so a.insert(0,x) inserts at the front ofthe list, and a.insert(len(a),x) is equivalent to a.append(x).

list.remove(x)

Remove the first item from the list whose value is equal to x. It raises aValueError if there is no such item.

list.pop([i])

Remove the item at the given position in the list, and return it. If no indexis specified, a.pop() removes and returns the last item in the list. (Thesquare brackets around the i in the method signature denote that the parameteris optional, not that you should type square brackets at that position. Youwill see this notation frequently in the Python Library Reference.)

list.clear()

Remove all items from the list. Equivalent to dela[:].

list.index(x[, start[, end]])

Return zero-based index in the list of the first item whose value is equal to x.Raises a ValueError if there is no such item.

The optional arguments start and end are interpreted as in the slicenotation and are used to limit the search to a particular subsequence ofthe list. The returned index is computed relative to the beginning of the fullsequence rather than the start argument.

list.count(x)

Return the number of times x appears in the list.

list.sort(*, key=None, reverse=False)

Sort the items of the list in place (the arguments can be used for sortcustomization, see sorted() for their explanation).

list.reverse()

Reverse the elements of the list in place.

list.copy()

Return a shallow copy of the list. Equivalent to a[:].

An example that uses most of the list methods:

You might have noticed that methods like insert, remove or sort thatonly modify the list have no return value printed – they return the defaultNone. 1 This is a design principle for all mutable data structures inPython.

Another thing you might notice is that not all data can be sorted orcompared. For instance, [None,'hello',10] doesn’t sort becauseintegers can’t be compared to strings and None can’t be compared toother types. Also, there are some types that don’t have a definedordering relation. For example, 3+4j<5+7j isn’t a validcomparison.

5.1.1. Using Lists as Stacks¶

The list methods make it very easy to use a list as a stack, where the lastelement added is the first element retrieved (“last-in, first-out”). To add anitem to the top of the stack, use append(). To retrieve an item from thetop of the stack, use pop() without an explicit index. For example:

5.1.2. Using Lists as Queues¶

It is also possible to use a list as a queue, where the first element added isthe first element retrieved (“first-in, first-out”); however, lists are notefficient for this purpose. While appends and pops from the end of list arefast, doing inserts or pops from the beginning of a list is slow (because allof the other elements have to be shifted by one).

To implement a queue, use collections.deque which was designed tohave fast appends and pops from both ends. For example:

5.1.3. List Comprehensions¶

List comprehensions provide a concise way to create lists.Common applications are to make new lists where each element is the result ofsome operations applied to each member of another sequence or iterable, or tocreate a subsequence of those elements that satisfy a certain condition.

For example, assume we want to create a list of squares, like:

Note that this creates (or overwrites) a variable named x that still existsafter the loop completes. We can calculate the list of squares without anyside effects using:

or, equivalently:

which is more concise and readable.

A list comprehension consists of brackets containing an expression followedby a for clause, then zero or more for or ifclauses. The result will be a new list resulting from evaluating the expressionin the context of the for and if clauses which follow it.For example, this listcomp combines the elements of two lists if they are notequal:

Python Cheat Sheet Pdf Basics

and it’s equivalent to:

Note how the order of the for and if statements is thesame in both these snippets.

If the expression is a tuple (e.g. the (x,y) in the previous example),it must be parenthesized.

List comprehensions can contain complex expressions and nested functions:

5.1.4. Nested List Comprehensions¶

The initial expression in a list comprehension can be any arbitrary expression,including another list comprehension.

Random mugen battle download. Consider the following example of a 3x4 matrix implemented as a list of3 lists of length 4:

The following list comprehension will transpose rows and columns:

As we saw in the previous section, the nested listcomp is evaluated inthe context of the for that follows it, so this example isequivalent to:

which, in turn, is the same as:

In the real world, you should prefer built-in functions to complex flow statements.The zip() function would do a great job for this use case:

See Unpacking Argument Lists for details on the asterisk in this line.

5.2. The del statement¶

There is a way to remove an item from a list given its index instead of itsvalue: the del statement. This differs from the pop() methodwhich returns a value. The del statement can also be used to removeslices from a list or clear the entire list (which we did earlier by assignmentof an empty list to the slice). For example:

del can also be used to delete entire variables:

Referencing the name a hereafter is an error (at least until another valueis assigned to it). We’ll find other uses for del later.

5.3. Tuples and Sequences¶

We saw that lists and strings have many common properties, such as indexing andslicing operations. They are two examples of sequence data types (seeSequence Types — list, tuple, range). Since Python is an evolving language, other sequence datatypes may be added. There is also another standard sequence data type: thetuple.

A tuple consists of a number of values separated by commas, for instance:

As you see, on output tuples are always enclosed in parentheses, so that nestedtuples are interpreted correctly; they may be input with or without surroundingparentheses, although often parentheses are necessary anyway (if the tuple ispart of a larger expression). It is not possible to assign to the individualitems of a tuple, however it is possible to create tuples which contain mutableobjects, such as lists.

Though tuples may seem similar to lists, they are often used in differentsituations and for different purposes.Tuples are immutable, and usually contain a heterogeneous sequence ofelements that are accessed via unpacking (see later in this section) or indexing(or even by attribute in the case of namedtuples).Lists are mutable, and their elements are usually homogeneous and areaccessed by iterating over the list.

A special problem is the construction of tuples containing 0 or 1 items: thesyntax has some extra quirks to accommodate these. Empty tuples are constructedby an empty pair of parentheses; a tuple with one item is constructed byfollowing a value with a comma (it is not sufficient to enclose a single valuein parentheses). Ugly, but effective. For example:

The statement t=12345,54321,'hello!' is an example of tuple packing:the values 12345, 54321 and 'hello!' are packed together in a tuple.The reverse operation is also possible:

This is called, appropriately enough, sequence unpacking and works for anysequence on the right-hand side. Sequence unpacking requires that there are asmany variables on the left side of the equals sign as there are elements in thesequence. Note that multiple assignment is really just a combination of tuplepacking and sequence unpacking.

5.4. Sets¶

Python also includes a data type for sets. A set is an unordered collectionwith no duplicate elements. Basic uses include membership testing andeliminating duplicate entries. Set objects also support mathematical operationslike union, intersection, difference, and symmetric difference.

Curly braces or the set() function can be used to create sets. Note: tocreate an empty set you have to use set(), not {}; the latter creates anempty dictionary, a data structure that we discuss in the next section.

Here is a brief demonstration:

Similarly to list comprehensions, set comprehensionsare also supported:

5.5. Dictionaries¶

Another useful data type built into Python is the dictionary (seeMapping Types — dict). Dictionaries are sometimes found in other languages as“associative memories” or “associative arrays”. Unlike sequences, which areindexed by a range of numbers, dictionaries are indexed by keys, which can beany immutable type; strings and numbers can always be keys. Tuples can be usedas keys if they contain only strings, numbers, or tuples; if a tuple containsany mutable object either directly or indirectly, it cannot be used as a key.You can’t use lists as keys, since lists can be modified in place using indexassignments, slice assignments, or methods like append() andextend().

It is best to think of a dictionary as a set of key: value pairs,with the requirement that the keys are unique (within one dictionary). A pair ofbraces creates an empty dictionary: {}. Placing a comma-separated list ofkey:value pairs within the braces adds initial key:value pairs to thedictionary; this is also the way dictionaries are written on output.

Python Algorithm Cheat Sheet

The main operations on a dictionary are storing a value with some key andextracting the value given the key. It is also possible to delete a key:valuepair with del. If you store using a key that is already in use, the oldvalue associated with that key is forgotten. It is an error to extract a valueusing a non-existent key.

Performing list(d) on a dictionary returns a list of all the keysused in the dictionary, in insertion order (if you want it sorted, just usesorted(d) instead). To check whether a single key is in thedictionary, use the in keyword.

Here is a small example using a dictionary:

The dict() constructor builds dictionaries directly from sequences ofkey-value pairs:

In addition, dict comprehensions can be used to create dictionaries fromarbitrary key and value expressions:

When the keys are simple strings, it is sometimes easier to specify pairs usingkeyword arguments:

5.6. Looping Techniques¶

When looping through dictionaries, the key and corresponding value can beretrieved at the same time using the items() method.

When looping through a sequence, the position index and corresponding value canbe retrieved at the same time using the enumerate() function.

To loop over two or more sequences at the same time, the entries can be pairedwith the zip() function.

To loop over a sequence in reverse, first specify the sequence in a forwarddirection and then call the reversed() function.

To loop over a sequence in sorted order, use the sorted() function whichreturns a new sorted list while leaving the source unaltered.

Using set() on a sequence eliminates duplicate elements. The use ofsorted() in combination with set() over a sequence is an idiomaticway to loop over unique elements of the sequence in sorted order.

It is sometimes tempting to change a list while you are looping over it;however, it is often simpler and safer to create a new list instead.

5.7. More on Conditions¶

The conditions used in while and if statements can contain anyoperators, not just comparisons.

The comparison operators in and notin check whether a value occurs(does not occur) in a sequence. The operators is and isnot comparewhether two objects are really the same object. All comparison operators havethe same priority, which is lower than that of all numerical operators.

Comparisons can be chained. For example, a<bc tests whether a isless than b and moreover b equals c.

Comparisons may be combined using the Boolean operators and and or, andthe outcome of a comparison (or of any other Boolean expression) may be negatedwith not. These have lower priorities than comparison operators; betweenthem, not has the highest priority and or the lowest, so that AandnotBorC is equivalent to (Aand(notB))orC. As always, parenthesescan be used to express the desired composition.

Python Data Structures Cheat Sheet Printable

The Boolean operators and and or are so-called short-circuitoperators: their arguments are evaluated from left to right, and evaluationstops as soon as the outcome is determined. For example, if A and C aretrue but B is false, AandBandC does not evaluate the expressionC. When used as a general value and not as a Boolean, the return value of ashort-circuit operator is the last evaluated argument.

It is possible to assign the result of a comparison or other Boolean expressionto a variable. For example,

Note that in Python, unlike C, assignment inside expressions must be doneexplicitly with thewalrus operator:=.This avoids a common class of problems encountered in C programs: typing =in an expression when was intended.

5.8. Comparing Sequences and Other Types¶

Sequence objects typically may be compared to other objects with the same sequencetype. The comparison uses lexicographical ordering: first the first twoitems are compared, and if they differ this determines the outcome of thecomparison; if they are equal, the next two items are compared, and so on, untileither sequence is exhausted. If two items to be compared are themselvessequences of the same type, the lexicographical comparison is carried outrecursively. If all items of two sequences compare equal, the sequences areconsidered equal. If one sequence is an initial sub-sequence of the other, theshorter sequence is the smaller (lesser) one. Lexicographical ordering forstrings uses the Unicode code point number to order individual characters.Some examples of comparisons between sequences of the same type:

Note that comparing objects of different types with < or > is legalprovided that the objects have appropriate comparison methods. For example,mixed numeric types are compared according to their numeric value, so 0 equals0.0, etc. Otherwise, rather than providing an arbitrary ordering, theinterpreter will raise a TypeError exception.

Footnotes

1

Other languages may return the mutated object, which allows methodchaining, such as d->insert('a')->remove('b')->sort();.