Skip to content Skip to sidebar Skip to footer

Threading Infinite Loop In Python

import threading import time class Eat(threading.Thread): def __init__(self, surname): self.counter = 0 self.surname = surname threading.Thread.__init_

Solution 1:

It is in an infinite loop because you put an infinite loop into run:

defrun(self):
    whileTrue:

A fixed version might look like this:

def run(self):
    print("Hello "+self.surname)
    time.sleep(1)
    self.counter += 1print("Bye "+self.surname)

Solution 2:

well.. not sure about everything else, but you are using begin.start() instead of begin.run() and regardless, begin is a horrible name for a class.

running it with run() gives this output:

>>> 
Hello Cheeseburger
Bye Cheeseburger

and then it continues to infinity with hello...bye...hello..bye.. over and over...

might help if you provide a desired output.

Solution 3:

You have two loops in your program,

one in the thread:

while True:
    print("Hello "+self.surname)
    time.sleep(1)
    self.counter += 1print("Bye "+self.surname)

and one in the main program:

while begin.isAlive():
    print("eating...")

the thread will always be alive because you have a while true loop within it, which has no ending.

thus the thread in your main program will also be infinite because it will always be waiting for the loop in the thread to finish, which it wont.

you will have to either put a limit on the loop within the thread, like so:

whileself.counter < 20:
    print("Hello "+self.surname)
    time.sleep(1)
    self.counter += 1print("Bye "+self.surname)

or take out the loop entirely. This will stop the main program from becoming stuck waiting for the threads loop to end and fix both infinite loops.

Post a Comment for "Threading Infinite Loop In Python"