본문 바로가기
TIL (Today I Learned)/Python

[Python] Classes

by 둥굴프 2023. 4. 2.
파이썬에 대한 기본적인 이해를 위해 작성했습니다

 

__init__

class Rectangle:
    def __init__(self, width, height):
        self.width = width
        self.height = height

__init__ 메서드에 두 번째 및 세 번째 인수로 전달되는 인수를 사용하여 Rectangle 클래스를 호출하여 인스턴스를 만든다. 첫 번째 인수(self)는 Python에 의해 자동으로 채워지며 생성되는 객체 그 자체를 의미한다.
self를 사용하는 것은 단지 관례일 뿐, 어떤 이름을 지어도 상관없다.

Instance method

class Rectangle:
    def __init__(self, width, height):
        self.width = width
        self.height = height
        
    def area(self):
        return self.width * self.height
    
    def perimeter(self):
        return 2 * (self.width + self.height)

 

클래스 안에 정의된 함수를 메서드라고 부른다.

인스턴스 매소드는 가장 흔히 사용되는 방법으로, 인스턴스 변수에 접근할 수 있도록 첫 번째 인자에 항상 객체 자신을 의미하는 파라미터를 갖는다. (self 이외에도 여러 파라미터를 가질 수 있다.)

해당 메서드를 호출한 객체에만 영향을 미치며, 객체 속성에 접근이 가능하다.

 

Magic method

class Rectangle:
    def __init__(self, width, height):
        self.width = width
        self.height = height
        
    def area(self):
        return self.width * self.height
    
    def perimeter(self):
        return 2 * (self.width + self.height)
    
    def __str__(self):
        return 'Rectangle (width={0}, height={1})'.format(self.width, self.height)
    
    def __repr__(self):
        return 'Rectangle({0}, {1})'.format(self.width, self.height)
    
    def __eq__(self, other):
        if isinstance(other, Rectangle):
            return (self.width, self.height) == (other.width, other.height)
        else:
            return False
    
    def __lt__(self, other):
        if isinstance(other, Rectangle):
            return self.area() < other.area()
        else:
            return NotImplemented

매직 메서드는 파이썬에서 사용되는 특별한 메서드들을 의미한다.스페셜 메서드(Special method)나 던더 메서드(Double UNDERscore method)라고 부르기도 한다.파이썬 내에 정의되어 있고, 클래스 내부에서 매직 메서드들을 오버라이딩 하여 사용할 수 있다.또한, 직접 호출해서 사용하지 않고, 정해진 규칙에 따라 호출된다는 특징이 있다.

 

매직 메서드는 파이썬에서 사용되는 특별한 메서드들을 의미한다.

 

바로 위에서 이런 말을 했다, 그러면 이게 뭘 의미할까.

파이썬은 모든 것이 객체다.

예를 들어서, 정수 "3"은 내장 int클래스의 인스턴스다.

우리가 데이터를 문자열로 반환할 때 사용하는 str()은 파이썬 내장함수가 아니다.

내장 int 클래스에 정의된 메서드다.

그러면 str(3)을 입력하면 어떤 일이 일어날까?

내장 int 클래스의 메서드 중 __str__(self)를 호출한다.

즉, str(instance) instance.__str__() 같이 동작한다.

그리고 여기서 반환되는 값은 우리가 print() 내장함수를 호출할 때 출력되는 값이다.

print()를 호출하면 내부적으로 str() 매직 메서드를 호출하여 서로 다른 타입의 데이터를 평문화 하여 출력한다.

 

str과 유사한 메서드 중에는 repr이 있다.

repr은 해당 데이터를 사용자가 읽을 수 있는 형태로 보여주는 메서드다.

str과 유사하지만 차이점은 각 메서드가 어디에 중점을 두고있는지다.

str의 경우 객체를 평문화(Universal interface)하는 데 방점이 찍혀있는 데 비해, repr은 객체를 표현하는 데 방점이 찍혀있다.

 

이외에도 다양한 매직 매소드에 대해 다음 링크를 참고하길 바란다.

https://python-course.eu/oop/magic-methods.php

 

9. Magic Methods | OOP | python-course.eu

9. Magic Methods By Bernd Klein. Last modified: 01 Feb 2022. Introduction The so-called magic methods have nothing to do with wizardry. You have already seen them in the previous chapters of our tutorial. They are special methods with fixed names. They are

python-course.eu

 

str과 repr에 대한 학습은 다음의 블로그를 참고했다.

https://shoark7.github.io/programming/python/difference-between-__repr__-vs-__str__

 

[Python] __str__와 __repr__의 차이 살펴보기

Python에서 객체를 표현하는 두 함수 str, repr의 차이를 알아보겠습니다.

shoark7.github.io

 

매직 메서드를 오버라이딩할 때 유의해야 할 점은 예외처리다.

예를 들어서 __eq__ 메서드를 오버라이딩 하고자 한다면, 비교할 수 없는 형태일 경우 에러(e.g. AttributeError)가 발생할 것이다.

객체와 타입 혹은 클래스가 동일한지 확인해 주는 함수인 isinstance(object, type)을 사용하여 예외처리를 해야 한다.

 

 

@property

파이썬에는 private 변수가 없다.하지만, 외부에서 객체 속성에 직접 접근하는 것을 방지하고 싶다면 어떻게 해야 할까.1. _(underscore)로 속성명 지정 (관례)

2. 메서드로 속성에 접근

 

2번에 따라 우리는 속성값을 읽는 getter 메서드와 속성값을 변경하는 setter 메서드를 구현해야 한다.

getWidth, setWidth와 같은 메소드를 만들게 되면 관리와 직관성이 떨어진다.

이를 쉽게 만들기 위해서 내장함수인 property()데코레이터로 사용해서 구현하면 다음과 같다.

class Rectangle:
    def __init__(self, width, height):
        self._width = None
        self._height = None
        # now we call our accessor methods to set the width and height
        self.width = width
        self.height = height
    
    def __repr__(self):
        return 'Rectangle({0}, {1})'.format(self.width, self.height)
    
    @property
    def width(self):
        return self._width
    
    @width.setter
    def width(self, width):
        if width <= 0:
            raise ValueError('Width must be positive.')
        self._width = width
    
    @property
    def height(self):
        return self._height
    
    @height.setter
    def height(self, height):
        if height <= 0:
            raise ValueError('Height must be positive.')
        self._height = height

 

데코레이터는 간단히 표현하자면 함수를 인자로 받아서 함수를 반환하는 함수이다.

instance.width를 호출하면 width메서드를 인자로 받은 property함수가 반환되어 실행된다.

 

데코레이터에 대한 학습은 다음 블로그를 참고했다.

https://shoark7.github.io/programming/python/Python-Decorator-OOP

 

Python Decorator & OOP

Python Decorator and OOP

shoark7.github.io

property함수에 대한 설명은 다음 페이지를 참고했다.

https://www.daleseo.com/python-property/

 

[파이썬] property 사용법 (함수/데코레이터)

Engineering Blog by Dale Seo

www.daleseo.com

 

'TIL (Today I Learned) > Python' 카테고리의 다른 글

[Python] 변수와 메모리 #2  (0) 2023.04.03
[Python] 변수와 메모리 #1  (0) 2023.04.03
[Python] For loop  (0) 2023.04.02
[Python] While loop  (0) 2023.04.02
[Python] Function  (0) 2023.03.29

댓글