Skip to main content

Section 10.6 Concatenation and Repetition

Again, as with strings, the + operator concatenates lists. Similarly, the * operator repeats the items in a list a given number of times.
It is important to see that these operators create new lists from the elements of the operand lists. If you concatenate a list with 2 items and a list with 4 items, you will get a new list with 6 items (not a list with two sublists). Similarly, repetition of a list of 2 items 4 times will give a list with 8 items.
One way for us to make this more clear is to run a part of this example in codelens. As you step through the code, you will see the variables being created and the lists that they refer to. Pay particular attention to the fact that when newlist is created by the statement newlist = fruit + numlist, it refers to a completely new list formed by making copies of the items from fruit and numlist. You can see this very clearly in the codelens object diagram. The objects are different.
In Python, every object has a unique identification tag. Likewise, there is a built-in function that can be called on any object to return its unique id. The function is appropriately called id and takes a single parameter, the object that you are interested in knowing about. You can see in the example below that a real id is usually a very large integer value (corresponding to an address in memory).
>>> alist = [4, 5, 6]
>>> id(alist)
4300840544
>>>
Check your understanding

Checkpoint 10.6.1.

    What is printed by the following statements?
    alist = [1, 3, 5]
    blist = [2, 4, 6]
    print(alist + blist)
    
  • 6
  • Concatenation does not add the lengths of the lists.
  • [1, 2, 3, 4, 5, 6]
  • Concatenation does not reorder the items.
  • [1, 3, 5, 2, 4, 6]
  • Yes, a new list with all the items of the first list followed by all those from the second.
  • [3, 7, 11]
  • Concatenation does not add the individual items.

Checkpoint 10.6.2.

    What is printed by the following statements?
    alist = [1, 3, 5]
    print(alist * 3)
    
  • 9
  • Repetition does not multiply the lengths of the lists. It repeats the items.
  • [1, 1, 1, 3, 3, 3, 5, 5, 5]
  • Repetition does not repeat each item individually.
  • [1, 3, 5, 1, 3, 5, 1, 3, 5]
  • Yes, the items of the list are repeated 3 times, one after another.
  • [3, 9, 15]
  • Repetition does not multiply the individual items.
You have attempted of activities on this page.