Python种基本类型的比较:
- List is a collection which is ordered and mutable. Allows duplicate members.
- Tuple is a collection which is ordered and immutable. Allows duplicate members.
- Set is a collection which is unordered and unindexed. No duplicate members.
- Dictionary is a collection which is unordered, mutable and indexed. No duplicate members.
- Strings are immutable sequences of Unicode code points.
List
Python中的list是一个有序容器,容纳不同类型的数据(但推荐列表内数据类型相同),同时其是可变类型的.
创建列表
list_1 = ["banana", "cherry", "apple"]
print(list_1)
# Or create an empty list with the list function
list_2 = list()
print(list_2)
# Lists allow different data types
list_3 = [5, True, "apple"]
print(list_3)
# Lists allow duplicates
list_4 = [0, 0, 1, 1]
print(list_4)
内置方法
修改列表的方法尽量使用内置方法,内置方法效率较高
my_list = ["banana", "cherry", "apple"]
# len() : get the number of elements in a list
print("Length:", len(my_list))
# append() : adds an element to the end of the list
my_list.append("orange")
# insert() : adds an element at the specified position
my_list.insert(1, "blueberry")
print(my_list)
# pop() : removes and returns the item at the given position, default is the last item
item = my_list.pop()
print("Popped item: ", item)
# remove() : removes an item from the list
my_list.remove("cherry") # Value error if not in the list
print(my_list)
# clear() : removes all items from the list
my_list.clear()
print(my_list)
# reverse() : reverse the items
my_list = ["banana", "cherry", "apple"]
my_list.reverse()
print('Reversed: ', my_list)
# sort() : sort items in ascending order
my_list.sort()
print('Sorted: ', my_list)
# use sorted() to get a new list, and leave the original unaffected.
# sorted() works on any iterable type, not just lists
my_list = ["banana", "cherry", "apple"]
new_list = sorted(my_list)
# create list with repeated elements
list_with_zeros = [0] * 5
print(list_with_zeros)
# concatenation
list_concat = list_with_zeros + my_list
print(list_concat)
# convert string to list
string_to_list = list('Hello')
print(string_to_list)
复制列表
注意拷贝列表内容还是拷贝引用
list_org = ["banana", "cherry", "apple"]
# this just copies the reference to the list, so be careful
list_copy = list_org
# now modifying the copy also affects the original
list_copy.append(True)
print(list_copy)
print(list_org)
# use copy(), or list(x) to actually copy the list
# slicing also works: list_copy = list_org[:]
list_org = ["banana", "cherry", "apple"]
list_copy = list_org.copy()
# list_copy = list(list_org)
# list_copy = list_org[:]
# now modifying the copy does not affect the original
list_copy.append(True)
print(list_copy)
print(list_org)
列表切片
# a[start:stop:step], default step is 1
a = [1, 2, 3, 4, 5, 6, 7, 8, 9, 10]
b = a[1:3] # Note that the last index is not included
print(b)
b = a[2:] # until the end
print(b)
b = a[:3] # from beginning
print(b)
a[0:3] = [0] # replace sub-parts, you need an iterable here
print(a)
b = a[::2] # start to end with every second item
print(b)
a = a[::-1] # reverse the list with a negative step:
print(a)
b = a[:] # copy a list with slicing
print(b)
Tuple
Tuple又称为元组,和List列表类似,主要区别在于元组是不可变类型.不可变意味着元组中的元素无法被重新赋值.使用元组而非列表的有如下原因:
- Generally used for objects that belong together.
- Use tuple for heterogeneous (different) datatypes and list for homogeneous (similar) datatypes.
- Since tuple are immutable, iterating through tuple is slightly faster than with list.
- Tuples with their immutable elements can be used as key for a dictionary. This is not possible with lists.
- If you have data that doesn’t change, implementing it as tuple will guarantee that it remains write-protected.
创建元组
tuple_1 = ("Max", 28, "New York")
tuple_2 = "Linda", 25, "Miami" # Parentheses are optional
# Special case: a tuple with only one element needs to have a comma at the end,
# otherwise it is not recognized as tuple
tuple_3 = (25,)
print(tuple_1)
print(tuple_2)
print(tuple_3)
# Or convert an iterable (list, dict, string) with the built-in tuple function
tuple_4 = tuple([1,2,3])
print(tuple_4)
不可变解释
元组不提供修改元素的方法,其中的item本身无法被赋值,即其指向的对象id(类似内存地址)无法改变,但是若元组中元素item自身是可变类型的,元素本身可以改变.
Python中可变类型的解释:
python中对可变数据类型的定义为:当该数据类型的对应变量的值发生了改变,那么它对应的内存地址不发生改变,就称可变数据类型。包括:set(集合)、list(列表)、dict(字典)
In [7]: a = (1,[2,3])
In [8]: a[1]
Out[8]: [2, 3]
In [9]: a[1] = [1,2,3]
---------------------------------------------------------------------------
TypeError Traceback (most recent call last)
<ipython-input-9-f8fa7e0d45e2> in <module>
----> 1 a[1] = [1,2,3]
TypeError: 'tuple' object does not support item assignment
In [10]: a[1].append(3)
In [11]: a
Out[11]: (1, [2, 3, 3])
以此执行下面指令,可以理解一下浅拷贝和深拷贝
a = [1]
# shadow copy
b = a
b is a # True,has same address
id(a)
id(b)
# deep copy,a point to another memory address
a = a+[2]
a
id(a)
# b's address doesn't change
id(b)
内置方法
my_tuple = ('a','p','p','l','e',)
# len() : get the number of elements in a tuple
print(len(my_tuple))
# count(x) : Return the number of items that is equal to x
print(my_tuple.count('p'))
# index(x) : Return index of first item that is equal to x
print(my_tuple.index('l'))
# repetition
my_tuple = ('a', 'b') * 5
print(my_tuple)
# concatenation
my_tuple = (1,2,3) + (4,5,6)
print(my_tuple)
# convert list to a tuple and vice versa
my_list = ['a', 'b', 'c', 'd']
list_to_tuple = tuple(my_list)
print(list_to_tuple)
tuple_to_list = list(list_to_tuple)
print(tuple_to_list)
# convert string to tuple
string_to_tuple = tuple('Hello')
print(string_to_tuple)
# Result
"""
5
2
3
('a', 'b', 'a', 'b', 'a', 'b', 'a', 'b', 'a', 'b')
(1, 2, 3, 4, 5, 6)
('a', 'b', 'c', 'd')
['a', 'b', 'c', 'd']
('H', 'e', 'l', 'l', 'o')
"""
元组切片
# a[start:stop:step], default step is 1
a = (1, 2, 3, 4, 5, 6, 7, 8, 9, 10)
b = a[1:3] # Note that the last index is not included
print(b)
b = a[2:] # until the end
print(b)
b = a[:3] # from beginning
print(b)
b = a[::2] # start to end with every second item
print(b)
b = a[::-1] # reverse tuple
# don't change a ,create a new tuple and assign it to b
print(b)
# Result
"""
(2, 3)
(3, 4, 5, 6, 7, 8, 9, 10)
(1, 2, 3)
(1, 3, 5, 7, 9)
(10, 9, 8, 7, 6, 5, 4, 3, 2, 1)
"""
元组解包
在Python中互换两个变量的值,如
a,b = b,a
就是等号右侧将b,a自动打包为元组
(b,a)
,赋值给左侧后再自动解包,同样的,Python中函数返回多个值,也是隐式的将多个值打包为元组,并返回一个元组.
# number of variables have to match number of tuple elements
tuple_1 = ("Max", 28, "New York")
name, age, city = tuple_1
print(name)
print(age)
print(city)
# tip: unpack multiple elements to a list with *
my_tuple = (0, 1, 2, 3, 4, 5)
item_first, *items_between, item_last = my_tuple
print(item_first)
print(items_between)
print(item_last)
# Result
"""
Max
28
New York
0
[1, 2, 3, 4]
5
"""
元组列表对比
容纳同样的数据,元组的占用空间和迭代速度更高
# compare the size
import sys
my_list = [0, 1, 2, "hello", True]
my_tuple = (0, 1, 2, "hello", True)
print(sys.getsizeof(my_list), "bytes")
print(sys.getsizeof(my_tuple), "bytes")
# compare the execution time of a list vs. tuple creation statement
import timeit
print(timeit.timeit(stmt="[0, 1, 2, 3, 4, 5]", number=1000000))
print(timeit.timeit(stmt="(0, 1, 2, 3, 4, 5)", number=1000000))
# Result
"""
104 bytes
88 bytes
0.12474981700000853
0.014836141000017733
"""
Dictionary
字典是无序的、可变的、可索引的一种数据类型。
字典创建
my_dict = {"name":"Max", "age":28, "city":"New York"}
print(my_dict)
# or use the dict constructor, note: no quotes necessary for keys
my_dict_2 = dict(name="Lisa", age=27, city="Boston")
print(my_dict_2)
常用方法
- 删除字典元素
my_dict = {"name":"Max", "age":28, "city":"New York"}
# delete a key-value pair
del my_dict["email"]
# this returns the value and removes the key-value pair
print("popped value:", my_dict.pop("age"))
# return and removes the last inserted key-value pair
# (in versions before Python 3.7 it removes an arbitrary pair)
print("popped item:", my_dict.popitem())
print(my_dict)
# clear() : remove all pairs
# my_dict.clear()
- 检查key是否存在
my_dict = {"name":"Max", "age":28, "city":"New York"}
# use if .. in ..
if "name" in my_dict:
print(my_dict["name"])
# use try except
try:
print(my_dict["firstname"])
except KeyError:
print("No key found")
- 迭代字典元素
# loop over keys
for key in my_dict:
print(key, my_dict[key])
# loop over keys
for key in my_dict.keys():
print(key)
# loop over values
for value in my_dict.values():
print(value)
# loop over keys and values
for key, value in my_dict.items():
print(key, value)
- 复制字典
dict_org = {"name":"Max", "age":28, "city":"New York"}
# this just copies the reference to the dict, so be careful
dict_copy = dict_org
# now modifying the copy also affects the original
dict_copy["name"] = "Lisa"
print(dict_copy)
print(dict_org)
# use copy(), or dict(x) to actually copy the dict
dict_org = {"name":"Max", "age":28, "city":"New York"}
dict_copy = dict_org.copy()
# dict_copy = dict(dict_org)
# now modifying the copy does not affect the original
dict_copy["name"] = "Lisa"
print(dict_copy)
print(dict_org)
- 合并两个字典
# Use the update() method to merge 2 dicts
# existing keys are overwritten, new keys are added
my_dict = {"name":"Max", "age":28, "email":"max@xyz.com"}
my_dict_2 = dict(name="Lisa", age=27, city="Boston")
my_dict.update(my_dict_2)
print(my_dict)
- 可能的Key类型
任何不可变类型都可以作为字典的key,包括数字、字符串。元组如果所有元素都是不可变的,也可以作为key。
# use numbers as key, but be careful
my_dict = {3: 9, 6: 36, 9:81}
# do not mistake the keys as indices of a list, e.g my_dict[0] is not possible here
print(my_dict[3], my_dict[6], my_dict[9])
# use a tuple with immutable elements (e.g. number, string)
my_tuple = (8, 7)
my_dict = {my_tuple: 15}
print(my_dict[my_tuple])
# print(my_dict[8, 7])
# a list is not possible because it is not immutable
# this will raise an Error:
# my_list = [8, 7]
# my_dict = {my_list: 15}
Sets
A Set is an unordered collection data type that is unindexed, mutable, and has no duplicate elements.
创建集合
my_set = {"apple", "banana", "cherry"}
print(my_set)
# or use the set function and create from an iterable, e.g. list, tuple, string
my_set_2 = set(["one", "two", "three"])
my_set_2 = set(("one", "two", "three"))
print(my_set_2)
my_set_3 = set("aaabbbcccdddeeeeeffff")
print(my_set_3)
# careful: an empty set cannot be created with {}, as this is interpreted as dict
# use set() instead
a = {}
print(type(a))
a = set()
print(type(a))
常用方法
- 添加元素
my_set = set()
# use the add() method to add elements
my_set.add(42)
my_set.add(True)
my_set.add("Hello")
# note: the order does not matter, and might differ when printed
print(my_set)
# nothing happens when the element is already present:
my_set.add(42)
print(my_set)
- 移除元素
# remove(x): removes x, raises a KeyError if element is not present
my_set = {"apple", "banana", "cherry"}
my_set.remove("apple")
print(my_set)
# KeyError:
# my_set.remove("orange")
# discard(x): removes x, does nothing if element is not present
my_set.discard("cherry")
my_set.discard("blueberry")
print(my_set)
# clear() : remove all elements
my_set.clear()
print(my_set)
# pop() : return and remove a random element
a = {True, 2, False, "hi", "hello"}
print(a.pop())
print(a)
- 交集和并集
不改变原有集合,只是会产生新的集合
odds = {1, 3, 5, 7, 9}
evens = {0, 2, 4, 6, 8}
primes = {2, 3, 5, 7}
# union() : combine elements from both sets, no duplication
# note that this does not change the two sets
u = odds.union(evens)
print(u)
# intersection(): take elements that are in both sets
i = odds.intersection(evens)
print(i)
i = odds.intersection(primes)
print(i)
i = evens.intersection(primes)
print(i)
- 差集
setB = {1, 2, 3, 10, 11, 12}
# difference() : returns a set with all the elements from the setA that are not in setB.
diff_set = setA.difference(setB)
print(diff_set)
# A.difference(B) is not the same as B.difference(A)
diff_set = setB.difference(setA)
print(diff_set)
# symmetric_difference() : returns a set with all the elements that are in setA and setB but not in both
diff_set = setA.symmetric_difference(setB)
print(diff_set)
# A.symmetric_difference(B) = B.symmetric_difference(A)
diff_set = setB.symmetric_difference(setA)
print(diff_set)
- 更新集合(交/并/差)
setA = {1, 2, 3, 4, 5, 6, 7, 8, 9}
setB = {1, 2, 3, 10, 11, 12}
# update() : Update the set by adding elements from another set.
setA.update(setB)
print(setA)
# intersection_update() : Update the set by keeping only the elements found in both
setA = {1, 2, 3, 4, 5, 6, 7, 8, 9}
setA.intersection_update(setB)
print(setA)
# difference_update() : Update the set by removing elements found in another set.
setA = {1, 2, 3, 4, 5, 6, 7, 8, 9}
setA.difference_update(setB)
print(setA)
# symmetric_difference_update() : Update the set by only keeping the elements found in either set, but not in both
setA = {1, 2, 3, 4, 5, 6, 7, 8, 9}
setA.symmetric_difference_update(setB)
print(setA)
# Note: all update methods also work with other iterables as argument, e.g lists, tuples
# setA.update([1, 2, 3, 4, 5, 6])
- 复制集合
set_org = {1, 2, 3, 4, 5}
# this just copies the reference to the set, so be careful
set_copy = set_org
# now modifying the copy also affects the original
set_copy.update([3, 4, 5, 6, 7])
print(set_copy)
print(set_org)
# use copy() to actually copy the set
set_org = {1, 2, 3, 4, 5}
set_copy = set_org.copy()
# now modifying the copy does not affect the original
set_copy.update([3, 4, 5, 6, 7])
print(set_copy)
print(set_org)
- 子集/不相交
setA = {1, 2, 3, 4, 5, 6}
setB = {1, 2, 3}
# issubset(setX): Returns True if setX contains the set
print(setA.issubset(setB))
print(setB.issubset(setA)) # True
# issuperset(setX): Returns True if the set contains setX
print(setA.issuperset(setB)) # True
print(setB.issuperset(setA))
# isdisjoint(setX) : Return True if both sets have a null intersection, i.e. no same elements
setC = {7, 8, 9}
print(setA.isdisjoint(setB))
print(setA.isdisjoint(setC))
Frozenset不可变集合
Frozen set是一种不可变的集合,其在创建以后,集合中的元素id不可变
a = frozenset([0, 1, 2, 3, 4])
# The following is not allowed:
# a.add(5)
# a.remove(1)
# a.discard(1)
# a.clear()
# Also no update methods are allowed:
# a.update([1,2,3])
# Other set operations work
odds = frozenset({1, 3, 5, 7, 9})
evens = frozenset({0, 2, 4, 6, 8})
print(odds.union(evens))
print(odds.intersection(evens))
print(odds.difference(evens))
Strings
字符串是一个字符序列,是不可变类型,对于同一个id下的字符串不可变。
字符串创建
# use singe or double quotes
my_string = 'Hello'
my_string = "Hello"
my_string = "I' m a 'Geek'"
# escaping backslash
my_string = 'I\' m a "Geek"'
my_string = 'I\' m a \'Geek\''
print(my_string)
# triple quotes for multiline strings
my_string = """Hello
World"""
print(my_string)
# backslash if you want to continue in the next line
my_string = "Hello \
World"
print(my_string)
访问字符或者子串
my_string = "Hello World"
# get character by referring to index
b = my_string[0]
print(b)
# Substrings with slicing
b = my_string[1:3] # Note that the last index is not included
print(b)
b = my_string[:5] # from beginning
print(b)
b = my_string[6:] # until the end
print(b)
b = my_string[::2] # start to end with every second item
print(b)
b = my_string[::-1] # reverse the string with a negative step:
print(b)
常用方法
my_string = " Hello World "
# remove white space
my_string = my_string.strip()
print(my_string)
# number of characters
print(len(my_string))
# Upper and lower cases
print(my_string.upper())
print(my_string.lower())
# startswith and endswith
print("hello".startswith("he"))
print("hello".endswith("llo"))
# find first index of a given substring, -1 otherwise
print("Hello".find("o"))
# count number of characters/substrings
print("Hello".count("e"))
# replace a substring with another string (only if the substring is found)
# Note: The original string stays the same
message = "Hello World"
new_message = message.replace("World", "Universe")
print(new_message)
# split the string into a list
my_string = "how are you doing"
a = my_string.split() # default argument is " "
print(a)
my_string = "one,two,three"
a = my_string.split(",")
print(a)
# join elements of a list into a string
my_list = ['How', 'are', 'you', 'doing']
a = ' '.join(my_list) # the given string is the separator, e.g. ' ' between each argument
print(a)
格式化字符串
# use braces as placeholders
a = "Hello {0} and {1}".format("Bob", "Tom")
print(a)
# the positions are optional for the default order
a = "Hello {} and {}".format("Bob", "Tom")
print(a)
a = "The integer value is {}".format(2)
print(a)
# some special format rules for numbers
a = "The float value is {0:.3f}".format(2.1234)
print(a)
a = "The float value is {0:e}".format(2.1234)
print(a)
a = "The binary value is {0:b}".format(2)
print(a)
# old style formatting by using % operator
print("Hello %s and %s" % ("Bob", "Tom")) # must be a tuple for multiple arguments
val = 3.14159265359
print("The decimal value is %d" % val)
print("The float value is %f" % val)
print("The float value is %.2f" % val)
# since python3.6
# Use the variables directly inside the braces.
name = "Eric"
age = 25
a = f"Hello, {name}. You are {age}."
print(a)
pi = 3.14159
a = f"Pi is {pi:.3f}"
print(a)
# f-Strings are evaluated at runtime, which allows expressions
a = f"The value is {2*60}"
print(a)
More on immutability and concatenation
# since a string is immutable, adding strings with +, or += always
# creates a new string, and therefore is expensive for multiple operations
# --> join method is much faster
from timeit import default_timer as timer
my_list = ["a"] * 1000000
# bad
start = timer()
a = ""
for i in my_list:
a += i
end = timer()
print("concatenate string with + : %.5f" % (end - start))
# good
start = timer()
a = "".join(my_list)
end = timer()
print("concatenate string with join(): %.5f" % (end - start))