I have the following code:
JavaScript
x
21
21
1
# capture the number of players
2
def people():
3
users = (input("how many players? "))
4
while users.isdigit() == False:
5
users = (input("how many players? "))
6
users = int(users)
7
8
# capture each player's name
9
def player_name():
10
for person in range(people):
11
name = input("player's name? ")
12
players[name] = []
13
14
game_type = input("ongoing competition or single play? ")
15
players = {}
16
17
if game_type == 'single play':
18
people()
19
20
player_name() # <<< error
21
When the code gets to player_name()
at the bottom I get this error.
TypeError: ‘function’ object cannot be interpreted as an integer
How do I fix this?
Advertisement
Answer
Did you mean to pass various parameters around?
JavaScript
1
20
20
1
# capture the number of players
2
def people():
3
users = input("how many players? ")
4
while not users.isdigit():
5
users = input("how many players? ")
6
return int(users)
7
8
# capture each player's name
9
def player_name(num_users, players):
10
for person in range(num_users):
11
name = input("player's name? ")
12
players[name] = []
13
14
15
game_type = input("ongoing competition or single play? ")
16
players = {}
17
18
if game_type == 'single play':
19
player_name(people(), players)
20
What happens in the line: player_name(people(), players)
is that first people()
is called which asks the user for the number of players and that number is returned and used as the first parameter to player_name()
.
The second parameter is just the dict
players
which you created. This allows the possibility of moving def player_name()
into another module which might not already know about players
.
Then player_name()
is called and asks for player’s names as you have written.