Extending upon the answer above, the following illustrates the usage of is_dataclass()
:
Remember: The parameter passed to is_dataclass()
can be a dataclass or an instance of the dataclass, to return True
from the method call.
In [1]: from dataclasses import dataclass
In [2]: @dataclass
...: class Bio:
...: name: str
...: age: int
...: height: float
...:
In [3]: from dataclasses import is_dataclass
In [4]: is_dataclass(Bio)
Out[4]: True
In [5]: b = Bio('John', 25, 6.5)
In [6]: is_dataclass(b)
Out[6]: True
To check whether, b
is an instance of the dataclass and not a dataclass itself:
In [7]: is_dataclass(b) and not isinstance(b, type)
Out[7]: True
Bio
is a dataclass, so the following expression evaluates to False
:
In [8]: is_dataclass(Bio) and not isinstance(Bio, type)
Out[8]: False
Lets check for a regular class:
In [9]: class Car:
...: def __init__(self, name, color):
...: self.name = name
...: self.color = color
...:
We know Car
is not a dataclass:
In [10]: is_dataclass(Car)
Out[10]: False
In [11]: c = Car('Mustang', 'Blue')
Neither an instance of Car
is a dataclass instance:
In [12]: is_dataclass(c)
Out[12]: False
is_dataclass
does under the hood is checking for__dataclass_fields__
. – Whelan