Create Tuple-like Object With Additional Attributes?
Is there a Pythonic way to create a tuple-like object (that acts like a tuple) but with additional attributes? In particular with a __name__ attribute? Right now I do something lik
Solution 1:
Just create new class that inherits from tuple and override __new__
and __init__
methods:
classMyTuple(tuple):
def__new__(cls, name, values):
returnsuper().__new__(cls, values)
def__init__(self, name, values):
self.__name__ = name
self.values = values
foo = MyTuple('foo', (1, 2, 3))
print(foo)
print(foo.__name__)
Output:
(1, 2, 3)
'foo'
Solution 2:
How about something as simple as this:
classTupleWithName(tuple):
pass
t = TupleWithName((1, 2, 3))
t.name = 'tuple one'print(t)
# (1, 2, 3)print(t.name)
# 'tuple one'
Solution 3:
Use namedtuple (https://docs.python.org/3/library/collections.html#collections.namedtuple)
from collections import namedtuple
Foo = namedtuple('Foo', ['x', 'y', 'pair', 'title'])
foo = Foo(1, 9, (12.5, "bar"), "baz") # foo.x == 1, foo.y == 9, etc
bar = Foo(2, 10, (11., "abc"), "zzz")
Solution 4:
Yes, you can do this with a "mapping" -- to create a custom class with attributes of others.
Resource: http://www.kr41.net/2016/03-23-dont_inherit_python_builtin_dict_type.html
IMO, I don't think that's really what you want.
You're likely better off with a more complex data structure, a dictionary of tuples for instance.
my_tuples = {
"tuple1":(1,2,3),
"tuple2":(3,5,6),
}
or (comment construction)
my_tuples = {}
my_tuples["tuple1"] = (1, 2, 3)
my_tuples["tuple2"] = (4, 5, 6)
This will allow you to interact with the tuples by 'name'
print(my_tuples["tuple1"])
(1,2,3)
Post a Comment for "Create Tuple-like Object With Additional Attributes?"