속성(variable)과 행동(method)의 개념을 가진 객체 지향 프로그래밍
축수 선수 정보를 class로 구현
class SoccerPlayer(object):
# class: 예약어
# SoccerPlayer: class 이름
# object: 상속받는 객체명
class SoccerPlayer(object):
def __init__(self, name, position, back_number):
self.name = name
self.position = position
self.back_number = back_number
def change_back_number(self, new_number):
print("선수의 등번호를 변경합니다 : From %d to %d" % (self.back_number, new_number))
self.back_number = new_number
jinhyun = SoccerPlayer("Jinhyun", "MF", 10)
print("현재 선수의 등번호는 :", jinhyun.back_number)
jinhyun.change_back_number(5)
print("현재 선수의 등번호는 :", jinhyun.back_number)
변수와 Class명 함수명은 짓는 방식이 존재한다.
Attribute 추가는 __init__, self를 사용한다. (__init__: 객체 초기화 예약 함수)
__는 특수한 예약 함수나 변수 그리고 함수명 변경(맨글링)으로 사용한다.
예) __main__ , __add__ , __str__ , __eq__
class SoccerPlayer(object):
def __str__(self):
return "Hello, My name is %s. I play in %s in center " % \ (self.name, self.position)
jinhyun = SoccerPlayer("Jinhyun", "MF", 10)
print(jinhyun)
method(Action) 추가는 기존 함수와 같지만, __self__를 추가해야만 class 함수로 인정된다.
Object 이름 선언과 함께 초기값 입력 하기
jinhyun = SoccerPlayer("Jinhyun", "MF", 10)
# jinhyun: 객체명
# SoccerPlayer: class명
# ("Jinhyun", "MF", 10): \__init\__ 함수 Interface, 초기값
노트북
- | Notebook | Note |
---|---|---|
method | add_note, remove_note, get_number_of_pages | write_content, remove_all |
variable | title, page_number, notes | content |
class Note(object):
def __init__(self, content = None):
self.content = content
def write_content(self, content):
self.content = content
def remove_all(self):
self.content = ""
def __add__(self, other):
return self.content + other.content
def __str__(self):
return self.content
class NoteBook(object):
def __init__(self, title):
self.title = title
self.page_number = 1
self.notes = {}
def add_note(self, note, page = 0):
if self.page_number < 300:
if page == 0:
self.notes[self.page_number] = note
self.page_number += 1
else:
self.notes = {page : note}
self.page_number += 1
else:
print("Page가 모두 채워졌습니다.")
def remove_note(self, page_number):
if page_number in self.notes.keys():
return self.notes.pop(page_number)
else:
print("해당 페이지는 존재하지 않습니다")
def get_number_of_pages(self):
return len(self.notes.keys())
객체 지향 언어의 특징
부모 class로 부터 속성과 Method를 물려받은 자식 class를 생성 하는 것
class Person(object): # 부모 클래스 Person 선언
def __init__(self, name, age, gender):
self.name = name
self.age = age
self.gender = gender
def about_me(self): # Method 선언
print("저의 이름은 ", self.name, "이구요, 제 나이는 ", str(self.age), "살 입니다.")
class Employee(Person): # 부모 클래스 Person으로 부터 상속
def __init__(self, name, age, gender, salary, hire_date):
super().__init__(name, age, gender) # 부모객체 사용
self.salary = salary
self.hire_date = hire_date # 속성값 추가
def do_work(self): # 새로운 메서드 추가
print("열심히 일을 합니다.")
def about_me(self): # 부모 클래스 함수 재정의
super().about_me() # 부모 클래스 함수 사용
print("제 급여는 ", self.salary, "원 이구요, 제 입사일은 ", self.hire_date, " 입니다.")
같은 이름 메소드의 내부 로직을 다르게 작성
class Animal:
def __init__(self, name): # Constructor of the class
self.name = name
def talk(self): # Abstract method, defined by convention only
raise NotImplementedError("Subclass must implement abstract method")
class Cat(Animal):
def talk(self):
return 'Meow!'
class Dog(Animal):
def talk(self):
return 'Woof! Woof!'
animals = [Cat('Missy'), Cat('Mr. Mistoffelees'), Dog('Lassie')]
for animal in animals:
print(animal.name + ': ' + animal.talk())
객체의 정보를 볼 수 있는 레벨을 조절하는 것
class Product(object):
pass
class Inventory(object):
def __init__(self):
self.__items = []
def add_new_item(self, product):
if type(product) == Product:
self.__items.append(product)
print("new item added")
else:
raise ValueError("Invalid Item")
def get_number_of_items(self):
return len(self.__items)
my_inventory = Inventory()
my_inventory.add_new_item(Product())
my_inventory.add_new_item(Product())
print(my_inventory.get_number_of_items())
print(my_inventory.__items) # 접근할 수 없다.
my_inventory.add_new_item(object)
class Product(object):
pass
class Inventory(object):
def __init__(self):
self.__items = []
def add_new_item(self, product):
if type(product) == Product:
self.__items.append(product)
print("new item added")
else:
raise ValueError("Invalid Item")
def get_number_of_items(self):
return len(self.__items)
@property
def items(self):
return self.__items
my_inventory = Inventory()
my_inventory.add_new_item(Product())
my_inventory.add_new_item(Product())
print(my_inventory.get_number_of_items())
items = my_inventory.items
items.append(Product())
print(my_inventory.get_number_of_items())
class Student: def __init__(self, name, marks): self.name = name self.marks = marks # self.gotmarks = self.name + ' obtained ' + self.marks + ' marks' @property def gotmarks(self): return self.name + ' obtained ' + self.marks + ' marks'
def square(x):
return x * x
f = square # 함수를 변수로 사용
f(5)
def square(x):
return x * x
def cube(x):
return x*x*x
def formula(method, argument_list): # 함수를 파라미터로 사용
return [method(value) for value in argument_list]
def print_msg(msg):
def printer():
print(msg)
printer()
print_msg("Hello, Python")
def print_msg(msg):
def printer():
print(msg)
return printer
another = print_msg("Hello, Python")
another()
def tag_func(tag, text):
text = text
tag = tag
def inner_func():
return '<{0}>{1}<{0}>'.format(tag, text)
return inner_func
h1_func = tag_func('title', "This is Python Class")
p_func = tag_func('p', "Data Academy")
def star(func):
def inner(*args, **kwargs):
print("*" * 30)
func(*args, **kwargs)
print("*" * 30)
return inner
@star
def printer(msg):
print(msg)
printer("Hello")
def star(func):
def inner(*args, **kwargs):
print("*" * 30)
func(*args, **kwargs)
print("*" * 30)
return inner
def percent(func):
def inner(*args, **kwargs):
print("%" * 30)
func(*args, **kwargs)
print("%" * 30)
return inner
@star
@percent
def printer(msg):
print(msg)
printer("Hello")
# ******************************
# %%%%%%%%%%%%%%%%%%%%%%%%%%%%%%
# Hello
# %%%%%%%%%%%%%%%%%%%%%%%%%%%%%%
# ******************************
파이썬은 대부분의 라이브러리가 이미 다른 사용자에 의해서 구현되어 있다.
작은 프로그램 조각들 (.py 파일을 의미)
모듈들을 모아서 하나의 큰 프로그램을 개발한다.
프로그램을 모듈화 시키면 다른 프로그램이 사용하기 쉽다.
ex) 카카오톡 게임을 위한 카카오톡 접속 모듈
Built-in Module인 Random을 사용해서 난수를 쉽게 생성할 수 있다.
같은 폴더에 Module에 해당하는 .py 파일과 사용하는 .py을 저장한 후 import 문을 사용해서 module을 호출한다.
모듈을 호출할 때 범위 정하는 방법
import fah_converter as fah # fah_converter를 fah라는 이름으로
print(fah.covert_c_to_f(41.6) # 모듈 안의 covert_c_to_f 함수를 쓴다.
from fah_converter import covert_c_to_f # covert_c_to_f 함수만 호출한다.
print(covert_c_to_f(41.6))
from fah_converter import * # 전체 호출
print(covert_c_to_f(41.6))
파이썬이 기본 제공하는 라이브러리
# 난수
import random
print (random.randint (0,100)) # 0~100사이의 정수 난수를 생성
print (random.random()) # 일반적인 난수 생성
# 시간
import time
print(time.localtime()) # 현재 시간 출력
# 웹
import urllib.request
response = urllib.request.urlopen("http://thetemlab.io")
print(response.read())
하나의 대형 프로젝트를 만드는 코드의 묶음
기능들을 세부적으로 나눠 폴더로 만든다.
각 폴더 별로 필요한 모듈을 구현한다.
# echo.py
def echo_play(echo_number):
print ("echo {} number start".format(echo_number))
mport echo
echo.echo_play(10)
# echo 10 number start
__all__ = ['image', 'stage', 'sound']
from . import image
from . import stage
from . import sound
from game.graphic.render import render_test() # 절대 참조
from .render import render_test() # . 현재 디렉토리 기준
from ..sound.echo import echo_test() # .. 부모 디렉토리 기준
from stage.main import game_start
from stage.sub import set_stage_level
from image.character import show_character
from sound.bgm import bgm_play
if __name__ == '__main__':
game_start()
set_stage_level(5)
bgm_play(10)
show_character()
프로젝트 진행 시 필요한 패키지만 설치하는 환경
기본 인터프리터 + 프로젝트 종류별 패키지 설치
ex) 웹 프로젝트, 데이터 분석 프로젝트 (각각 패키지 관리할 수 있는 기능)
다양한 패키지 관리 도구를 사용한다.
대표적인 도구 virtualenv와 conda가 있다.
virtualenv + pop | conda |
---|---|
가장 대표적인 가상환경 관리 도구 | 상용 가상환경도구, miniconda 기본 도구 |
레퍼런스 + 패키지 개수 | 설치의 용이성, Windows에서 장점 |
conda create -n my_project python=3.8
conda create: 가상환경 새로 만들기
-n my_project: 가상환경 이름
python=3.8: 파이썬 버전
conda activate my_project
conda deactivate
conda install <패키지명>