기본 콘텐츠로 건너뛰기

[python] 간단한 getter와 setter를 구현할 때는 property, 복잡해질 경우 descriptor를 사용하자



http://meonggae.blogspot.kr/2016/11/python-getter-setter-property-setter.html

필자가 전에 한번 getter와 setter에 관련되서 글을 쓴 적이 있다.
이때 getter와 setter함수를 구현하지 말고 @property를 이용해서 구현을 하라고 했다

하지만 코드를 작성하다보면 @property가 복잡해지는 경우가 발생을 할 것이다. 이럴떄는 descriptor를 사용을 하여 코드를 좀더 깔끔하게 할 수 있다.
class test:
    @property
    def t(self):
        return self._t
    @t.setter
    def t(self, value):
        print('setter 작동')
        self._t = 10
        
a = test()
a.t = 10
property를 이용하여 코드를 작성을 할 수 있습니다.
property를 이용하영 외부에서 _t를 접근 할 수 있도록 하였습니다.

$ python3 app.py
setter 작동
외부에서 t를 접근 할 때 정상적으로 t()가 실행 됬음을 확인 할 수 있습니다.

그런데 이는 외부 뿐 아니라 내부에서 접근을 할 때에도 실행이 됩니다.
class test:
 
    def __init__(self):
        self.t = 1
 
    @property
    def t(self):
        return self._t
    @t.setter
    def t(self, value):
        print('setter 작동')
        self._t = 10
a = test()
a.t = 10

해당 코드를 실행을 시켜봅시다.
$ python3 app.py
setter작동
setter작동
t()가 두번 실행됬습니다.

test()에서 __init__이 호출이 되면서 내부적으로 self._t = 1에서 호출이 되고
외부에서 a = 10에서 한번 호출이 됩니다.

그런데 만약 property설정이 많아진다면 어떻게 될까요
class test:
 
    def __init__(self):
        self.t = 1
 
    @property
    def t(self):
        return self._t
    @t.setter
    def t(self, value):
        print('setter 작동')
        self._t = 10
        
    @property
    def a(self):
        return self._a
    @a.setter
    def a(self, value):
        print('setter 작동')
        self._a = 10
        
    @property
    def b(self):
        return self._b
    @b.setter
    def b(self, value):
        print('setter 작동')
        self._b = 10
a = test()
a.t = 10

속성마다 직접 구현을 해주어야 합니다. 근데 만약 내부적으로 코드가 같다면 상당히 비효율적으로 작성이 될 것입니다.

이럴때는 descriptor를 이용하면 매우 효율적인 코드작성이 가능합니다.
__set__, __get__를 이용 할 것입니다.
class t(object):
    def __get__(*args, **kwargs):
        print('get')
 
    def __set__(*args, **kwargs):
        print(**kwargs)
        print('set')
 
 
class test():
 
    a = t()
    b = t()
 
a = test()
a.a = 10
a.b = 20
위에서 property로 나열 했던 코드를 descriptor를 이용하여 심플하게 바꾸어 보았습니다.
object의 디스크립터를 이용하여 해당 클래스를 object처럼 사용이 가능 해졌습니다.

위처럼 t클래스는 object로 부터 상속을 받아 object의 메소드들을 오버라이딩 하여 재 정의가 가능해지면서 모든것을 그대로 사용 할 수 있게 됩니다.

$ python3 app.py
set
set


댓글

이 블로그의 인기 게시물

[git] pull을 하여 최신코드를 내려받자

보면 먼가 로고가 다르게 뜨는것을 확인을 할 수가있다. C:\Users\mung\Desktop\etc\study\python-gene>git checkout remotes/origin/master Note: checking out 'remotes/origin/master'. You are in 'detached HEAD' state. You can look around, make experimental changes and commit them, and you can discard any commits you make in this state without impacting any branches by performing another checkout. If you want to create a new branch to retain commits you create, you may do so (now or later) by using -b with the checkout command again. Example:   git checkout -b HEAD is now at 29e282a... fetch test C:\Users\mung\Desktop\etc\study\python-gene>git branch * (HEAD detached at origin/master)   master   test1   test2 깃이 잘 쓰면 참 좋은놈인데 어지간히 쓰기가 까다롭다. 처음에 깃을 푸시 성공하는데만 한달정도 걸렸던걸로 기억이 난다.. ㅋㅋㅋ 여담으로  깃 프로필을 가면 아래사진 처럼 보인다. 기여도에 따라서 초록색으로 작은 박스가 채워지는데 저걸 잔디라고 표현을 한다고 합니다 ㅎ 저 사진은 제 깃 기여도 사진입니당 ㅋㅋㅋㅋ 다시 본론으로 돌아와서 ㅋㅋ pull을 하면...

[kali linux] sqlmap - post요청 injection 시도

아래 내용은 직접 테스트 서버를 구축하여 테스트 함을 알립니다.  실 서버에 사용하여 얻는 불이익에는 책임을 지지 않음을 알립니다. sqlmap을 이용하여 get요청이 아닌 post요청에 대해서 injection공격을 시도하자. 뚀한 다양한 플래그를 이용하여 DB 취약점 테스트를 진행을 해보려고 한다. 서버  OS : windows 7 64bit Web server : X Server engine : node.js Framework : expresss Use modules : mysql Address : 172.30.1.30 Open port : 6000번 공격자 OS : kali linux 64bit use tools : sqlmap Address : 172.30.1.57 우선 서버측 부터  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 var  express  =  require( 'express' ); var  app  =  express(); var  mysql  =  require( 'mysql' ); var  ccc  =  mysql.createConnection({     host: '127.0.0.1' ,     user: 'root' ,     pos...

[node.js] 파일 리더기 만들기 - 사용 모듈 정리, pdf 구조, hwp 구조

pdf -> html 변환 가장 무난하다. 기본적으로 pdf는 htm와 비슷한 형태의 구조를 가지고 있다. 크게 header , body , xref table , trailer 의 구조로 되어있다. pdf는 환경에 상관없이 표현을 하기 위한 목적을 가지고 있는 파일이다. 이런 이유 때문에 무난히 진행이 된 것 같다. pdf2htmlex와 pdftohtmljs라는 모듈을 이용을 했다. var pdftohtml = require ( 'pdftohtmljs' ) ; var converter = new pdftohtml ( 'test.pdf' , "sample.html" ) ; converter . convert ( 'ipad' ) . then ( function ( ) { console . log ( "Success" ) ; } ) . catch ( function ( err ) { console . error ( "Conversion error: " + err ) ; } ) ; 이미지나, text같은 것들이 거의 100%로 변환이 된다. docx -> html 변환 docx파일을 html파일로 변환을 할 때는 style 적용과 한글이 깨지는 문제가 있다. 텍스트들을 전부 잘 읽기는 하는데 스타일 정보를 제대로 가져오지 못하기 때문에 좀 애매하다 - Headings. - Lists. - Customisable mapping from your own docx styles to HTML. For instance, you could convert WarningHeading to h1.warning by providing an appropriate style ...