이 기사에서는 Python 3.7의 새로운 기능인 데이터 클래스 데코레이터에 대한 관련 정보를 주로 소개합니다. 이 기사에서는 예제 코드를 통해 이를 매우 자세하게 소개합니다. 학습이나 작업이 필요한 모든 사람에게 도움이 되는 학습 가치가 있습니다. 함께 배워보세요.
머리말
Python 3.7은 이번 여름에 출시될 예정이며 Python 3.7에는 많은 새로운 기능이 포함될 것입니다.
다양한 문자 세트 개선
주석에 대한 지연된 평가
그리고 데이터 클래스 지원
가장 흥미로운 새로운 기능 중 하나는 데이터 클래스 데코레이터입니다.
데이터 클래스란 무엇입니까
대부분의 Python 개발자는 다음과 같은 많은 클래스를 작성했습니다.
class MyClass: def __init__(self, var_a, var_b): self.var_a = var_a self.var_b = var_b
dataclass는 __init__와 같은 간단한 경우에 대한 메서드를 자동으로 생성할 수 있습니다. 이전의 작은 예제는 다음과 같이 다시 작성할 수 있습니다.
@dataclass class MyClass: var_a: str var_b: str
예제를 통해 사용 방법을 살펴보겠습니다.
Star Wars API
요청을 사용할 수 있습니다. Star Wars에서 리소스 가져오기 API:
response = requests.get('https://swapi.co/api/films/1/') dictionary = response.json()
사전(단순화) 결과를 살펴보겠습니다.
{ 'characters': ['https://swapi.co/api/people/1/',… ], 'created': '2014-12-10T14:23:31.880000Z', 'director': 'George Lucas', 'edited': '2015-04-11T09:46:52.774897Z', 'episode_id': 4, 'opening_crawl': 'It is a period of civil war.\r\n … ', 'planets': ['https://swapi.co/api/planets/2/', … ], 'producer': 'Gary Kurtz, Rick McCallum', 'release_date': '1977-05-25', 'species': ['https://swapi.co/api/species/5/',…], 'starships': ['https://swapi.co/api/starships/2/',…], 'title': 'A New Hope', 'url': 'https://swapi.co/api/films/1/', 'vehicles': ['https://swapi.co/api/vehicles/4/',…]
Encapslating API
API를 올바르게 캡슐화하려면 사용자가 해당 객체를 만들어야 합니다. 애플리케이션에서 사용할 수 있으므로 Python 3.6에서는 /films/endpoint에 대한 요청 응답을 포함하는 객체를 정의합니다.
class StarWarsMovie: def __init__(self, title: str, episode_id: int, opening_crawl: str, director: str, producer: str, release_date: datetime, characters: List[str], planets: List[str], starships: List[str], vehicles: List[str], species: List[str], created: datetime, edited: datetime, url: str ): self.title = title self.episode_id = episode_id self.opening_crawl= opening_crawl self.director = director self.producer = producer self.release_date = release_date self.characters = characters self.planets = planets self.starships = starships self.vehicles = vehicles self.species = species self.created = created self.edited = edited self.url = url if type(self.release_date) is str: self.release_date = dateutil.parser.parse(self.release_date) if type(self.created) is str: self.created = dateutil.parser.parse(self.created) if type(self.edited) is str: self.edited = dateutil.parser.parse(self.edited)
주의깊은 독자라면 일부 중복된 코드가 있음을 알아차렸을 것입니다.
이것은 데이터 클래스 데코레이터를 사용하는 전형적인 사례입니다. 약간의 유효성 검사를 통해 주로 데이터를 보유하는 데 사용되는 클래스를 만들어야 하므로 무엇을 수정해야 하는지 살펴보겠습니다.
먼저, 데이터 클래스 데코레이터에 대한 옵션을 지정하지 않으면 생성되는 메서드는 __init__, __eq__ 및 __repr__입니다. __repr__은 정의했지만 _ _str__은 정의하지 않은 경우 기본적으로 Python입니다. (데이터 클래스뿐만 아니라) __repr__을 반환하는 출력 __str__ 메서드를 구현합니다. 따라서 네 개의 dunder 메소드를 구현하려면 코드를 다음과 같이 변경하십시오.
@dataclass class StarWarsMovie: title: str episode_id: int opening_crawl: str director: str producer: str release_date: datetime characters: List[str] planets: List[str] starships: List[str] vehicles: List[str] species: List[str] created: datetime edited: datetime url: str
데이터 클래스 데코레이터가 생성하는 해당 메소드를 추가할 수 있도록 __init__ 메소드를 제거했습니다. 그러나 이 과정에서 일부 기능이 손실되었습니다. Python 3.6 생성자는 모든 값을 정의할 뿐만 아니라 날짜를 구문 분석하려고 시도합니다. 데이터 클래스로 이를 어떻게 수행할 수 있습니까?
__init__을 재정의하려면 데이터 클래스의 이점을 잃게 됩니다. 따라서 추가 기능을 처리하려면 새로운 dunder 메서드인 __post_init__를 사용할 수 있습니다. 래퍼 클래스에 대한 __post_init__ 메서드가 무엇인지 살펴보겠습니다. :
def __post_init__(self): if type(self.release_date) is str: self.release_date = dateutil.parser.parse(self.release_date) if type(self.created) is str: self.created = dateutil.parser.parse(self.created) if type(self.edited) is str: self.edited = dateutil.parser.parse(self.edited)
그렇습니다! 데이터 클래스 데코레이터를 사용하여 코드의 2/3에서 클래스를 구현할 수 있습니다.
더 좋은 점
데이터 클래스는 데코레이터의 옵션을 사용하여 사용 사례에 맞게 추가로 사용자 정의할 수 있습니다. 기본 옵션은 다음과 같습니다.
@dataclass(init=True, repr=True, eq=True, order=False, unsafe_hash=False, frozen=False)
init는 __init__ dunder를 생성할지 여부를 결정합니다. method
repr은 __repr__ dunder 메서드를 생성할지 여부를 결정합니다.
eq는 동일성 검사의 동작을 결정하는 __eq__ dunder 메서드에 대해 동일한 작업을 수행합니다(your_class_instance == another_instance).
order는 실제로 4개를 생성합니다. dunder 메소드는 작음 및/또는 큼에 대한 모든 검사의 동작을 결정하며 true로 설정된 경우 개체 목록을 정렬할 수 있습니다.
마지막 두 옵션은 객체를 해시할 수 있는지 여부를 결정합니다. 이는 클래스의 객체를 사전 키로 사용하려는 경우에 필요합니다.
자세한 내용은 다음을 참조하세요. PEP 557 - 데이터 클래스
위 내용은 Python 3.7의 새로운 기능인 데이터 클래스 데코레이터에 대한 자세한 설명의 상세 내용입니다. 자세한 내용은 PHP 중국어 웹사이트의 기타 관련 기사를 참조하세요!