cheatsheets/python.md

168 lines
3.9 KiB
Markdown
Raw Permalink Normal View History

2015-06-01 05:51:04 +00:00
---
title: Python
2018-12-06 22:15:40 +00:00
category: Python
2015-06-01 05:51:04 +00:00
---
### Tuples (immutable)
tuple = ()
### Lists (mutable)
2015-06-01 05:51:04 +00:00
list = []
2017-10-05 08:16:53 +00:00
list[i:j] # returns list subset
list[-1] # returns last element
list[:-1] # returns all but the last element
*list # expands all elements in place
2017-10-05 08:16:53 +00:00
2015-06-01 05:51:04 +00:00
list[i] = val
list[i:j] = otherlist # replace ith to jth-1 elements with otherlist
2015-06-01 05:51:04 +00:00
del list[i:j]
list.append(item)
list.extend(another_list)
list.insert(index, item)
list.pop() # returns and removes last element from the list
list.pop(i) # returns and removes i-th element from the list
list.remove(i) # removes the first item from the list whose value is i
2017-10-05 08:16:53 +00:00
list1 + list2 # combine two list
set(list) # remove duplicate elements from a list
2015-06-01 05:51:04 +00:00
list.reverse() # reverses the elements of the list in-place
2015-06-01 05:51:04 +00:00
list.count(item)
2017-10-05 08:16:53 +00:00
sum(list)
2015-06-01 05:51:04 +00:00
zip(list1, list2) # returns list of tuples with n-th element of both list1 and list2
list.sort() # sorts in-place, returns None
sorted(list) # returns sorted copy of list
",".join(list) # returns a string with list elements seperated by comma
2015-06-01 05:51:04 +00:00
### Dict
dict = {}
2015-06-01 05:51:04 +00:00
dict.keys()
dict.values()
"key" in dict # let's say this returns False, then...
dict["key"] # ...this raises KeyError
dict.get("key") # ...this returns None
2015-06-01 05:51:04 +00:00
dict.setdefault("key", 1)
**dict # expands all k/v pairs in place
2015-06-01 05:51:04 +00:00
### Iteration
for item in ["a", "b", "c"]:
for i in range(4): # 0 to 3
for i in range(4, 8): # 4 to 7
for i in range(1, 9, 2): # 1, 3, 5, 7
2015-06-01 05:51:04 +00:00
for key, val in dict.items():
for index, item in enumerate(list):
2015-06-01 05:51:04 +00:00
### [String](https://docs.python.org/2/library/stdtypes.html#string-methods)
str[0:4]
len(str)
string.replace("-", " ")
",".join(list)
"hi {0}".format('j')
2020-05-15 22:48:21 +00:00
f"hi {name}" # same as "hi {}".format('name')
2015-06-01 05:51:04 +00:00
str.find(",")
str.index(",") # same, but raises IndexError
str.count(",")
str.split(",")
str.lower()
str.upper()
str.title()
str.lstrip()
str.rstrip()
str.strip()
str.islower()
/* escape characters */
>>> 'doesn\'t' # use \' to escape the single quote...
"doesn't"
>>> "doesn't" # ...or use double quotes instead
"doesn't"
>>> '"Yes," they said.'
'"Yes," they said.'
>>> "\"Yes,\" they said."
'"Yes," they said.'
>>> '"Isn\'t," they said.'
'"Isn\'t," they said.'
2015-06-01 05:51:04 +00:00
### Casting
int(str)
float(str)
str(int)
str(float)
'string'.encode()
2015-06-01 05:51:04 +00:00
### Comprehensions
[fn(i) for i in list] # .map
2017-10-05 08:16:53 +00:00
map(fn, list) # .map, returns iterator
filter(fn, list) # .filter, returns iterator
2015-06-01 05:51:04 +00:00
[fn(i) for i in list if i > 0] # .filter.map
### Regex
2017-10-02 14:01:54 +00:00
import re
2015-06-01 05:51:04 +00:00
re.match(r'^[aeiou]', str)
re.sub(r'^[aeiou]', '?', str)
re.sub(r'(xyz)', r'\1', str)
expr = re.compile(r'^...$')
expr.match(...)
expr.sub(...)
2019-12-18 02:41:29 +00:00
## File manipulation
2019-12-18 02:41:29 +00:00
### Reading
```py
file = open("hello.txt", "r") # open in read mode 'r'
file.close()
2020-06-13 00:09:01 +00:00
```
2019-12-18 02:41:29 +00:00
2020-06-13 00:09:01 +00:00
```py
print(file.read()) # read the entire file and set the cursor at the end of file
print file.readline() # Reading one line
file.seek(0, 0) # place the cursor at the beginning of the file
2019-12-18 02:41:29 +00:00
```
### Writing (overwrite)
```py
file = open("hello.txt", "w") # open in write mode 'w'
file.write("Hello World")
2019-12-18 02:41:29 +00:00
text_lines = ["First line", "Second line", "Last line"]
file.writelines(text_lines)
file.close()
```
### Writing (append)
```py
file = open("Hello.txt", "a") # open in append mode
file.write("Hello World again")
2019-12-18 02:41:29 +00:00
file.close()
```
### Context manager
```py
with open("welcome.txt", "r") as file:
# 'file' refers directly to "welcome.txt"
2019-12-18 02:41:29 +00:00
data = file.read()
# It closes the file automatically at the end of scope, no need for `file.close()`.
2019-12-18 02:41:29 +00:00
```