Property setter with multiple values

The setter can only take one value, so use a tuple: (value1, value2).

@id.setter
def id(self,value):          
    self._id = sha512(str(value))

...

self.id = (value1, value2)

(You didn't post what sha512 is. I'm assuming you are using hashlib.sha512, and sha512 is calling the update method, which requires a string as input.)


How do I pass two values to the setter?

You can pass an iterable(tuple, list) to the setter, for example:

class A(object):
    def __init__(self, val):
        self.idx = val

    @property    
    def idx(self):
        return self._idx

    @idx.setter
    def idx(self, val):
        try:
            value1, value2 = val
        except ValueError:
            raise ValueError("Pass an iterable with two items")
        else:
            """ This will run only if no exception was raised """
            self._idx = sha512(value1+value2)

Demo:

>>> a = A(['foo', 'bar'])     #pass a list
>>> b = A(('spam', 'eggs'))   #pass a tuple
>>> a.idx
<sha512 HASH object @ 0xa57e688>
>>> a.idx = ('python', 'org')  #works
>>> b.idx = ('python',)         #fails
Traceback (most recent call last):
    ...
    raise ValueError("Pass an iterable with two items")
ValueError: Pass an iterable with two items

Tags:

Python

Setter