Ignore python multiple return value
--------------------------------------------------
Rise to the top 3% as a developer or hire one of them at Toptal: https://topt.al/25cXVn
--------------------------------------------------
Music by Eric Matyas
https://www.soundimage.org
Track title: The Builders
--
Chapters
00:00 Ignore Python Multiple Return Value
00:24 Answer 1 Score 768
00:43 Accepted Answer Score 360
00:59 Answer 3 Score 24
01:15 Answer 4 Score 153
01:32 Thank you
--
Full question
https://stackoverflow.com/questions/4318...
--
Content licensed under CC BY-SA
https://meta.stackexchange.com/help/lice...
--
Tags
#python #function #tuples
#avk47
    Rise to the top 3% as a developer or hire one of them at Toptal: https://topt.al/25cXVn
--------------------------------------------------
Music by Eric Matyas
https://www.soundimage.org
Track title: The Builders
--
Chapters
00:00 Ignore Python Multiple Return Value
00:24 Answer 1 Score 768
00:43 Accepted Answer Score 360
00:59 Answer 3 Score 24
01:15 Answer 4 Score 153
01:32 Thank you
--
Full question
https://stackoverflow.com/questions/4318...
--
Content licensed under CC BY-SA
https://meta.stackexchange.com/help/lice...
--
Tags
#python #function #tuples
#avk47
ANSWER 1
Score 768
You can use x = func()[0] to return the first value, x = func()[1] to return the second, and so on.
If you want to get multiple values at a time, use something like x, y = func()[2:4].
ACCEPTED ANSWER
Score 360
One common convention is to use a "_" as a variable name for the elements of the tuple you wish to ignore. For instance:
def f():
    return 1, 2, 3
_, _, x = f()
ANSWER 3
Score 153
If you're using Python 3, you can you use the star before a variable (on the left side of an assignment) to have it be a list in unpacking.
# Example 1: a is 1 and b is [2, 3]
a, *b = [1, 2, 3]
# Example 2: a is 1, b is [2, 3], and c is 4
a, *b, c = [1, 2, 3, 4]
# Example 3: b is [1, 2] and c is 3
*b, c = [1, 2, 3]       
# Example 4: a is 1 and b is []
a, *b = [1]
ANSWER 4
Score 24
Remember, when you return more than one item, you're really returning a tuple. So you can do things like this:
def func():
    return 1, 2
print func()[0] # prints 1
print func()[1] # prints 2