int()
(소수점 내림), float()
, str()
type()
-> type 검사list[ start : end+1 : step ]
, list 일부 반환범위가 넘어가면 알아서 최댓값으로
step이 음수 -> 역순
list 복사 하고 싶을 때
# 틀린 예: 주소 복사
l2 = l1 # 둘이 같은 공간 가리킨다.
# 옳은 예: 전체 복사
l2 = l1[:]
# 2d 부턴 copy 모듈의 copy.deepcopy()쓰기
len(list)
-> 원소 개수l1 + l2
val in list
-> True/Falselist.append(val)
-> 뒤에 x 추가list.insert(idx, val)
-> del list[idx]
-> 요소 삭제list.remove(val)
-> 처음 나타나는 val 삭제list.extend(list2)
-> list 뒤에 list2 확장list.sort()
vs sorted(list)
a.pop()
/a.pop(idx)
-> list의 마지막/인덱스의 값을 지우고 리턴x, y = (1, 2)
# indexing
input()
-> 입력값 받기, 기본 문자열로 받으므로 형 변환이 필요시 해야 한다 # %-format
print('%s %d'%('one', 1))
print('%5d %8.2f'%(425, 3.1415)) # n.m -> n칸 확보, 소수점 뒤 m번째까지 표기
print('%(name)10s is %(height)10.1f cm tall' % {'name':'Jiyun', 'height': 156.0 }) # dict 타입 활용
# str.format
print('{} {}'.format(1, 2))
print('{1:3.2f} {0}'.format(1, 3.1415)) # 순서 정하기:위와 동일 내용
print('{0:<10s}, {1:>10s}'.format("Apple", "Mac")) # < 왼쪽 정렬, > 오른쪽 정렬
name = "Jiyun"
print(f"Hello, {name}!")
# 남는 공간 별로 채우기
print(f"{name:*<10}") # Jiyun*****
print(f"{name:*^11}") # ***Jiyun***
x==y
vs x is y
: 전자는 값 비교, 후자는 메모리 주소 비교fun fact: 파이썬은 -5 ~ 256까지의 숫자는 정적 메모리에 지정해놓음
a = 100
b = 100
print(a is b) # True
a = 300
b = 300
print(a is b) # False 실행하면서 새로운 공간 할당
(True value) if (condition) else (False value)
-> 한 줄로 출력range(a, b, step)
-> a ~ b-1까지 리스트 생성break
/continue
for
-else
/while
-else
조합도 가능.. but 굳이..?len(str)
x in str
-> True/Falsestr.upper()
/str.lower()
-> 대문자/소문자로 바꾸기str.capitalize()
-> 첫 문자만 대문자로str.titile()
-> 띄어쓰기 첫 문자 대문자로str.count('abc')
-> 'abc'가 들어간 횟수 반환str.find('abc')
/str.rfind('abc')
-> 'abc'가 첫번째로 나타난 위치 반환str.startswith('abc')
/str.endswith('abc')
-> 'abc'로 시작하는지/끝나는 지 반환str.isdigit()
-> 숫자로 변환 가능한지def spam(eggs):
eggs.append(1)
eggs = [2,3]
ham = [0]
spam(ham)
print(ham) # [0, 1]
global
: 전역 변수를 쓰고 있다고 명시할 때 변수 앞에 넣기 ```python
def example(var_name: var_type) -> return_type:
"""내용"""
, 함수명 아래flake8
모듈 -> PEP8에 맞춰서 고칠 부분 알려줌black
모듈 -> 지가 알아서 고쳐 주기까지 함s = set([1,2,3])
/s = {1,2,3}
선언s.add(val)
s.remove(val)
/s.discard()
s.update(list)
s.clear()
s1.union(s2)
/s1|s2
s1.intersection(s2)
/s1&s2
s1.difference(s2)
/s1-s2
d = dict()
/d = {}
d[key] = val
del a[1]
d.items()
-> (key, value) 형식의 리스트 반환d.keys()
-> key만 담은 리스트 반환d.values()
-> value만 담은 리스트 반환a.clear()
d.get()
from collections import ...
rotate(n)
, reversed(d)
d = defaultdict(object)
d = defaultdict(lambda:0) # 디폴트 값을 0으로
print(d["first"]) # 0, 에러 x
counter = Counter(list)
dict(counter)
Point = namedtuple('Point', ['x', 'y'])
p = Point(x=11, y=22)
split/join
# split -> 잘러서 리스트 반환
items = "zero one two three".split()
# join -> 리스트를 합쳐서 문자열 반환
" ".join(items)
list comprehension
# for 문 없이 리스트 만들기 -> [] 안에 작성, if 문 filter
result = [i for i in range(10) if 1 % 2 == 0]
# 이중 for 문은 나란히
result = [i + j if not i == j else i for i in range(10) for j in range(10)]
# dictionary도 비슷하게
my_str = "ABCD"
my_dict = {v : i for i, v in enumerate(my_str)}
# enumerate() -> list의 원소에 숫자를 붙여 tuple 추출
for i, v in enumerate(['A', 'B', 'C']):
print(i, v)
# zip() -> 두 가지 이상의 list의 값을 병렬적으로 tuple 추출
[ [a, b] for a, b in zip(alist, blist)]
math = (100, 90, 80)
kor = (90, 90, 70)
eng = (90, 80, 70)
[ sum(value) / 3 for value in zip(math, kor, eng) ]
python3는 iteration을 생성하므로 list를 붙여줘야 list처럼 쓸 수 있다.
# lambda -> 이름이 없는 익명함수, 주로 일회성 함수를 만들 때
# pep8에선 권장하지 않는다고 함
f = lambda x, y: x + y
print(f(1, 4))
print((lambda x, y: x + y)(1, 4))
# map -> 리스트 각 원소에 함수를 적용시켜준다
p = [1, 2, 3, 4, 5]
f = lambda x: x + 1
list(map(f, p))
# reduce -> 함수를 재귀적으로 리스트에 적용하여 하나의 값으로 도출
from functools import reduce
print(reduce(lambda x, y: x + y, [1, 2, 3, 4, 5]))
# iterable object는 내부적으로 __iter__, __next__가 있음
cities = [ 'Boston', 'Austin' ]
memory_address = iter(cities)
print(next(memory_address)) # 'Boston'
print(next(memory_address)) # 'Austin'
print(next(memory_address)) # Error
# yield를 사용
def generator_list(value):
for i in range(value):
yield i
result = generator_list(10)
print(result) # generator 주소만 출력
for i in result: # 이제 값이 필요하므로 생성 후 출력
print(i)
list(result) # 메모리에 올리기
# generator expression -> list comprehension과 유사, [] 대신 () 사용
gen_ex = (n*n for n in range(500))
list를 반환하는 함수는 generator로!
# keyword arguments -> 순서 상관 없이 가능
def print_something(my_name, your_name):
####
print_something(your_name="Mitsuha", my_name="Taki")
# default arguments -> 안 넣어도 기본 값이 있음
def print_something(my_name, your_name="Mitsuha"):
####
print_something("Taki")
asterisk(*) 사용 예
# variable-length arguments -> asterisk(*), 뭉뚱그려서 tuple로 들어감
def asterisk_test(a, b, *args):
return a+b+sum(args)
asterisk_test(1,2,3,4,5)
# keyword variable-length arguments -> double asterisk(**), tuple 대신 dict type
def test(**kwargs):
print(kwargs)
print(type(kwargs))
test(first=1, second=2, third=3)
# { 'first':1, 'second':2, 'third':3 }
# <class 'dict'>
모든 종류 혼합해서 사용 가능, but keyword로 넣은 순간 이후 인자는 다 keyword로 해야 함
def test(one, two, *args, **kwargs):
####
test(1,2,3,4,5,first=100,second=200) # 가능
test(one=1,two=2,3,4,5,first=100,second=200) # error
unpacking a container -> tuple, list의 원소를 낱개로 풀어줌
ex = ([1,2], [3,4], [5,6])
for value in zip(*ex):
print(value)
# (1, 3, 5)
# (2, 4, 6)
Object-Oriented Programming:
class Classname(Object)
대문자로 띄어쓰기(CamelCase) <-> 함수나 변수명은 _ 으로(snake_case)
기본 꼴: + __ -> 특수한 예약 함수, 변수 또는 함수명 변경으로 사용(맨글링)
class SoccerPlayer(object):
def __init__(self, name, position, back_number):
self.name = name
self.position = position
self.back_number = back_number
def __str__(self): # print() 호출 시
return "Hello, I am " + self.name
def __add__(self, other): # + 연산자
return self.name + other.name
# 이외에도 예약 함수는 많다...
messi = SoccerPlayer("messi", "god", 19)
'''
inheritance/polymorphism/visibility
super()
를 통해 부모 accessraise NotImplementedError("")
를 함수에 추가First-class objects/functions:
def formula(method, argument_list):
return [method(value) for value in argument_list]
inner function:
decorator function: 복잡해...
def star(func):
def inner(*args, **kwargs):
print(args[1] * 30)
func(*args, **kwargs)
print(args[1] * 30)
return inner
@star
def printer(msg, mark):
print(msg)
printer("Hello", "*")
__pycache__
미리 컴파일한 헤더들if __name__ == "__main__"
-> import 시엔 실행 ximport _ as _
, from _ import *
random
, time
, urllib.request
등 built-in modules__init__.py
-> 폴더별로 작성, 현재 폴더가 package임을 알리는 초기화 스크립트
# __init__.py
__all__ = ["image", "sound", "stage"] # 사용할 파일 또는 폴더
from . import image # 상대 참조 활용
from . import sound
from . import stage
# __main__.py
from sound import echo
if __name__ == "__main__":
print("Hello Game")
# ...
try ~ except ~
try:
# 예외 발생 코드
except <Exception Type>:
# 예외 발생 시 대응 코드
- `try ~ except ~ else ~`, `try ~ except ~ finally ~`
raise <Exception Type>(string)
-> 강제로 Exception 발생, 잘못된 사용으로 리소스를 잡아먹지 않도록assert 예외조건
.txt
-> 문자열 형식, .bin
-> 이진 파일, 프로그램에 귀속f = open("파일 이름", "접근 모드", encoding="utf8")
-> 인코딩은 쓰기 모드인 경우/f.close()
with
구문with open("","r") as f:
# 솰라솰라 close 딱히 필요 x
f.read()
, f.readlines()
-> 통째로 읽거나, 줄 별로 읽어서 리스트로 만들거나import pickle
: 파이선 객체를 영속화하는 built-in 객체pickle.dump(객체, 파일포인터(바이너리))
, pickle.load(파일포인터(바이너리))
import logging
.debug()
, .info()
, .warning()
, .error()
, .critical()
등 개발/운영 시점마다 다양한 레벨의 로그를 남길 수 있도록 지원import configparser
: 파일에import argsparser
: 실행 시 콘솔 세팅
응원해요