Logo Questions Linux Laravel Mysql Ubuntu Git Menu
 

How to stop a function

For example:

def main():     if something == True:         player()     elif something_else == True:         computer()  def player():     # do something here     check_winner()  # check something      computer()  # let the computer do something  def check_winner():      check something     if someone wins:         end()      def computer():     # do something here     check_winner() # check something     player() # go back to player function   def end():     if condition:         # the player wants to play again:         main()     elif not condition:         # the player doesn't want to play again:         # stop the program            # whatever i do here won't matter because it will go back to player() or computer()  main()  # start the program 

My problem is that if a certain condition becomes true (in the function check_winner) and function end() executes it will go back to computer() or player() because there's no line that tells the computer to stop executing player() or computer(). How do you stop functions in Python?

like image 961
user3711671 Avatar asked Jan 06 '15 15:01

user3711671


People also ask

How do you stop a function from running?

When you click Call the function button, it will execute the function. To stop the function, click Stop the function execution button.

How do you stop a function in Python?

To stop code execution in python first, we have to import the sys object, and then we can call the exit() function to stop the program from running. It is the most reliable way for stopping code execution. We can also pass the string to the Python exit() method.

How do you stop a function in JavaScript?

To stop the execution of a function in JavaScript, use the clearTimeout() method.

Does Break stop a function?

Break is mostly used to exit from loops but can also be used to exit from functions by using labels within the function.


1 Answers

A simple return statement will 'stop' or return the function; in precise terms, it 'returns' function execution to the point at which the function was called - the function is terminated without further action.

That means you could have a number of places throughout your function where it might return. Like this:

def player():     # do something here     check_winner_variable = check_winner()  # check something      if check_winner_variable == '1':          return     second_test_variable = second_test()     if second_test_variable == '1':          return             # let the computer do something     computer() 
like image 168
Hektor Avatar answered Oct 02 '22 07:10

Hektor