-
Notifications
You must be signed in to change notification settings - Fork 0
/
cheatsheet.py
496 lines (362 loc) · 13.9 KB
/
cheatsheet.py
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
80
81
82
83
84
85
86
87
88
89
90
91
92
93
94
95
96
97
98
99
100
101
102
103
104
105
106
107
108
109
110
111
112
113
114
115
116
117
118
119
120
121
122
123
124
125
126
127
128
129
130
131
132
133
134
135
136
137
138
139
140
141
142
143
144
145
146
147
148
149
150
151
152
153
154
155
156
157
158
159
160
161
162
163
164
165
166
167
168
169
170
171
172
173
174
175
176
177
178
179
180
181
182
183
184
185
186
187
188
189
190
191
192
193
194
195
196
197
198
199
200
201
202
203
204
205
206
207
208
209
210
211
212
213
214
215
216
217
218
219
220
221
222
223
224
225
226
227
228
229
230
231
232
233
234
235
236
237
238
239
240
241
242
243
244
245
246
247
248
249
250
251
252
253
254
255
256
257
258
259
260
261
262
263
264
265
266
267
268
269
270
271
272
273
274
275
276
277
278
279
280
281
282
283
284
285
286
287
288
289
290
291
292
293
294
295
296
297
298
299
300
301
302
303
304
305
306
307
308
309
310
311
312
313
314
315
316
317
318
319
320
321
322
323
324
325
326
327
328
329
330
331
332
333
334
335
336
337
338
339
340
341
342
343
344
345
346
347
348
349
350
351
352
353
354
355
356
357
358
359
360
361
362
363
364
365
366
367
368
369
370
371
372
373
374
375
376
377
378
379
380
381
382
383
384
385
386
387
388
389
390
391
392
393
394
395
396
397
398
399
400
401
402
403
404
405
406
407
408
409
410
411
412
413
414
415
416
417
418
419
420
421
422
423
424
425
426
427
428
429
430
431
432
433
434
435
436
437
438
439
440
441
442
443
444
445
446
447
448
449
450
451
452
453
454
455
456
457
458
459
460
461
462
463
464
465
466
467
468
469
470
471
472
473
474
475
476
477
478
479
480
481
482
483
484
485
486
487
488
489
490
491
492
493
494
495
496
#120191099 임태희
# !! -- 필수파일 -- !!
# !! -- txts/test.txt -- !!
# !! -- firstfolder/firstfile.py -- !!
# !! -- firstfolder/secondfolder/secondfile.py -- !!
# 변수 이름은 대부분 언더바(_)로 정의하거나 첫문자마다 대문자를 쓰는 낙타체를 많이씀.
# 변수 이름은 가시성을 위해 동사+명사의 형태로 쓰는 것이 좋음.
use_underbar_var = 1
UseCamelVar = 3
'''
1. 변수 이름은 문자(a-zA-Z), 숫자(0-9), 밑줄(_)로 구성해야 합니다.
2. 변수 이름은 숫자로 시작할 수 없습니다.
3. Python은 대소문자를 구분하기 때문에 동일한 알파벳의 대문자와 소문자는 다른 변수로 취급됩니다.
4. 특별한 예약어는 변수 이름으로 사용할 수 없습니다. 예약어는 Python의 기능이나 명령어로 사용되기 때문입니다. 일반적인 예약어 및 키워드에는 True, False, None, if, else, elif, while, for, return, def, class 등이 포함됩니다.
5. 변수 이름은 의미 있는 이름을 사용해 코드의 가독성과 관리를 쉽게 하는 것이 좋습니다.
올바른 변수 이름: name, age, counter_1, _private_variable
잘못된 변수 이름: 1counter, variable@1, my-name
'''
print("1. -------------------------------------------------------------------")
test_int = 101
test_str = 'test1 test11'
test_tup = (102,'test2')
test_list = [103, 'test3', [1033, 'test3-1']]
test_dict = { 104:"test4", 1044:"test4-1" }
'''
one line comment : #
multi line comment : 'x3
'''
print("hi")
get_input = input("input : ")
print("string1","comma","string2")
print("string1"+"plus"+"string2")
print("input tab : a\tb")
print("input newline : a\nb")
print("input backslash : a\\b")
print("input single quote : a\'b")
print("input double quote : a\"b")
print("input null : a\000b")
print(test_int)
print(test_str)
print(test_tup)
print(test_list)
print(test_dict)
print(type(test_int))
print(type(test_str))
print(type(test_tup))
print(type(test_list))
print(type(test_dict))
print("2. -------------------------------------------------------------------")
modint = 10
modint += 1 #modint = modint + 1
print(modint)
modint -= 1 #modint = modint - 1
print(modint)
modint *= 2 #modint = modint * 2
print(modint)
modint //= 2 #modint = modint // 2
print(modint)
modint /= 2 #modint = modint / 2
print(modint)
modint = 10
modint %= 3 #modint = modint % 3
print(modint)
modint ^= 2 #modint = modint ^ 2
print(modint)
print("3. -------------------------------------------------------------------")
num_conv = 17
print(bin(num_conv))# 2진수
print(oct(num_conv))# 8진수
print(num_conv) # 10진수
print(hex(num_conv))# 16진수
print("4. -------------------------------------------------------------------")
test_int = 101
test_str = 'test1 test11'
print(len(test_str))
change_int_to_str = str(test_int)
print(type(change_int_to_str))
try:
#문자를 숫자로 변환(string 값을 int로)은 불가능 하기 때문에 오류인 except로 넘어감.
change_str_to_int = int(test_str)
except Exception as ex:
print(ex)
print(ord('A'))
print(ord('Z'))
print(ord('a'))
print(ord('z'))
print(chr(65))
print(chr(90))
print(chr(97))
print(chr(122))
print("5. -------------------------------------------------------------------") # 2023.07.04
test_str = 'test1 test11'
test_list = [103, 'test3', [1033, 'test3-1']]
# 인덱스의 뜻은 [여기번째 이상:여기번째 미만:(여기 글자씩 건너 뜀)]
print(test_str[2])
print(test_str[0:9])
print(test_str[:9])
print(test_str[2:8])
print(test_str[::2])
print(test_list[2])
print(test_list[2][0])
test_list.append("append_test")
print(test_list)
test_list.remove("test3")
print(test_list)
test_list.insert(2,"insert_test")
print(test_list)
# 맨 뒤에 값 삭제
test_list.pop()
print(test_list)
print("6. -------------------------------------------------------------------")
test_list = [103, 'test3', [1033, 'test3-1']]
empty_list = []
for i in range(10):
print(i)
for a in range(1,10):
print(a)
for j in range(2):
for k in range(3):
empty_list.append((j,k))
print(empty_list)
for n in test_list:
print(n)
print("7. -------------------------------------------------------------------")
if 1 == 1:
print("1yes")
else:
print("1no")
if 1 == 1 and 2 == 2:
print("2yes")
else:
print("2no")
if 1 == 2 or 3 == 3:
print("3yes")
else:
print("3no")
if (1 == 2 and 2 == 2) or (1 == 3 or 4 == 4):
print("4yes")
else:
print("4no")
if 1 == 2:
print("5yes")
else:
print("5no")
if 1 == 0:
print("6yes")
else:
print("6no")
if "1" == "2":
print("7yes")
else:
print("7no")
if 0 == False:
print("8_1")
if 1 == True:
print("8_2")
if 2 == True:
print("8_3")
if "anystrings" == True:
print("8_4")
test_str = 'test1 test11'
if "k" in test_str:
print("9yes")
elif "t" in test_str:
print("9no")
else:
print("..")
if "t" not in test_str:
print("10yes")
else:
print("10no")
print("8. -------------------------------------------------------------------")
counter = 0
while 1:
counter += 1
print(counter)
if counter == 10:
break
else:
continue
iterator_num = iter(range(3))
print("1 :",next(iterator_num))
print("2 :",next(iterator_num))
print("3 :",next(iterator_num))
try:
print("4.",next(iterator_num))
except Exception as ex:
print("you over 4 times")
print(ex)
print("9. -------------------------------------------------------------------")
enumerate_list = ["hi","my","name","is","LTH"]
# 2개의 값중 첫번째 값은 인덱스(순서) 두번째 값은 값을 반환함.
for ind, val in enumerate(enumerate_list):
print(ind, " --- ", val)
format_num1 = 100
format_num2 = 200
# f'{}'는 문자안에 변수를 사용하고 싶을때 사용함.
print(f"1. this is format_number1 : {format_num1}, format_number2 : {format_num2}")
print("2. this is format_number1 : {}, format_number2 : {}".format(format_num1, format_num2))
format_string = "stringsu"
format_num3 = 3.141592
print("3. this is format_string : %s, format_string[5] : %c" %(format_string, format_string[5]))
print("4. this is format_num3: %f, format_num3 : %3f, format_num3 : %07.13f" %(format_num3, format_num3, format_num3))
# .split("??") ??값을 기준으로 나눈후 리스트 형태로 저장함.
split_this_strings = "Split this string using spaces by utilizing the split function."
print(split_this_strings.split(" "))
# "??".join(!!) !!에 있는 값들을 ??를 이용해서 붙인후 문자열로 반환함.
list_to_strings = ["what","are","you","doing"]
print(" ".join(list_to_strings))
print("+".join(list_to_strings))
# map(??,!!)은 for문의 축약 형태이며 !!에 있는 각각의 값들에 ??함수를 적용함.
mapping_this_list = ["a","b","c","d","z"]
print(list(map(ord,mapping_this_list)))
# filter(??,!!)은 map과 비슷한 형태이지만 True, False로 포함할지를 결정 가능함.
filtering_this_list = [1, 2, 3, 4, 5, 6, 7, 8, 9, 10]
def is_even(n):
return True if n % 2 == 0 else False
print(list(filter(is_even, filtering_this_list)))
# for문을 줄여 쓸수 있음.
comprehension_list = ["tail","alphabet","egg","horse","elment","error"]
result_comp_list1 = [i for i in comprehension_list]
result_comp_list2 = [i[0] for i in comprehension_list]
result_comp_list3 = [(i, j) for i in range(3) for j in range(4)]
print(result_comp_list1)
print(result_comp_list2)
print(result_comp_list3)
#문자 바꾸기
swap_a = 100
swap_b = 300
print(f"Before swap swap_a, swap_b : {swap_a}, {swap_b}")
swap_a, swap_b = swap_b, swap_a
print(f"After swap swap_a, swap_b : {swap_a}, {swap_b}")
print("10. -------------------------------------------------------------------")
def no_para_no_ret():
a = 1
print("no_para_no_ret")
def no_para_yes_ret():
a = 1
print("no_para_yes_ret")
return a
#get_para처럼 def의 소괄호 안에 있는 값은 직접 가져가는 것이 아니라 복사 개념이고 return으로 값을
#받아와서 덮어 쓰는 방법이 있음.
def yes_para_no_ret(get_para):
get_para += 1
print("yes_para_no_ret")
def yes_para_yes_ret(get_para):
get_para += 1
print("yes_para_no_ret")
return get_para
send_para = 50
no_para_no_ret()
receive1_return = no_para_yes_ret()
yes_para_no_ret(send_para)
receive2_return = yes_para_yes_ret(send_para)
print(receive1_return)
print(receive2_return)
print("11. -------------------------------------------------------------------")
'''
SyntaxError : 문법적으로 잘못 되었을때 발생
ValueError: 잘못된 값을 입력했을 때 발생
TypeError: 잘못된 데이터 유형을 사용할 때 발생
NameError: 정의되지 않은 변수나 함수를 호출할 때 발생
KeyError: 딕셔너리에서 잘못된 키를 사용할 때 발생
IndexError: 리스트나 튜플에서 잘못된 인덱스를 사용할 때 발생
AttributeError: 객체에 잘못된 속성을 사용할 때 발생
ZeroDivisionError: 0으로 나누기를 시도할 때 발생
FileNotFoundError: 존재하지 않는 파일을 열려고 할 때 발생
ImportError: 모듈을 가져올 수 없을 때 발생
KeyboardInterrupt: 사용자가 프로그램을 중지시킬 때 발생
'''
try:
print("can you divide 1 with zero?")
print(1/0)
except ZeroDivisionError as ex:
print("can see this ZeroDivisionError?")
print("+++++++++++++++++++++++++++++++++++++")
print(ex)
print("+++++++++++++++++++++++++++++++++++++")
finally:
print("ending")
print("12. -------------------------------------------------------------------")
with open("test.txt","w") as newfile:
for k in range(10):
newfile.write(str(k)+str(k)+str(k)+"\n")
newfile.close()
with open("test.txt","r") as savedfile:
print(savedfile)
#read() 모든 값을 형태 그대로 읽어옴.
print(savedfile.read())
with open("test.txt","r") as savedfile1:
#readline() 한줄씩만 읽어옴.
print(savedfile1.readline())
print(savedfile1.readline())
with open("test.txt","r") as savedfile2:
#readlines() 모든 줄을 각각의 형태로 리스트로 저장함.
print(savedfile2.readlines())
savedfile.close()
print("13. -------------------------------------------------------------------")
class makeclass:
def __init__(self):
print("you make this object")
def printdef(self,hellow):
print("!!printdef!!")
print("received : "+hellow)
newobject = makeclass()
newobject.printdef("i will give this parameter to you")
print("14. -------------------------------------------------------------------")
'''
import의 검색 순서는 sys.modules, built-in modules, sys.path 순서이다.
- sys.modules : Python이 Module/Package를 찾기 위해 가장 먼저 확인하는 곳입니다.
단순한 Directory로 이미 import된 module과 Package를 저장하고 있습니다.
- built-in modules : Python에서 제공하는 공식 Library 들 입니다.Python Standard Library(os, sys, time 등)이
여기에 해당됩니다.
- sys.path : package의 __init__ 변수와 같이 String Value로된 list 입니다.
'''
from firstfolder.firstfile import firstprint #or *
import firstfolder.secondfolder.secondfile as sf
firstprint()
sf.secondprint()
print("15. -------------------------------------------------------------------")
import asyncio
async def my_coroutine(name, seconds_to_wait):
print(f'{name} 시작됨.')
await asyncio.sleep(seconds_to_wait)
print(f'{name} 종료됨.')
async def asyncmain():
tasks = [
asyncio.ensure_future(my_coroutine("첫 번째 작업", 2)),
asyncio.ensure_future(my_coroutine("두 번째 작업", 3)),
asyncio.ensure_future(my_coroutine("세 번째 작업", 1))
]
await asyncio.gather(*tasks)
asyncio.run(asyncmain())
print("16. -------------------------------------------------------------------")
numbers = [1, 2, 3, 4, 5]
squares = map(lambda x: x ** 2, numbers)
print(list(squares))
print(list(filter(lambda x: x < 5, range(10))))
print("17. -------------------------------------------------------------------")
import time
start_time = time.time()
#20000의 약수를 구하는 간단한 코드
decimal_list = []
for i in range(2, 20000):
if 20000 % i != 0:
continue
else:
decimal_list.append(i)
print(decimal_list)
end_time = time.time()
print(end_time - start_time)
print("18. -------------------------------------------------------------------")
# test는 인자를 2개를 받는데 y=[], y=0 처럼 default값을 지정해 줄 수가 있다.
# 하지만 python의 특이한 특성이 있는데 처음 실행은 default이지만 두번째 실행시 y는 메모리에 가지고 있기
# 때문에 지역변수이지만 전역변수처럼 남아 계속 수정된다. ★x5
def test(x, y=[]):
y.append(x)
return y
print(test(1)) # test(x=1, y=[])
print(test(2)) # test(x=2, y=[1]) <- 위에 함수에서 return y가 리스트 '[1]' 로 메모리에 저장되어있다.
print(test(3, [])) # test(x=3, y=[1,2], []) <- y는 메모리 어딘가에 계속 있고 다시 아무 리스트를 준곳에 append된다.
print(test(4)) # test(x=4, y=[1,2])