线程#
介绍#
线程允许机器人在同一程序中同时运行多个任务。它们实现了多任务处理,使机器人能够同时执行独立的动作。
注意: 必须Functions.md定义一个函数才能在线程中使用它。
构造函数——创建并启动新线程。
Thread– Starts a new thread that runs the specified function in parallel with the main program.
操作 – 控制正在运行的线程。
stop– Stops a thread manually, useful for halting background behavior.
构造函数#
Thread#
Thread creates and starts a thread. When you create a thread, you can name it to manage it individually in your project.
用法:
my_thread = Thread(my_function)
参数 |
描述 |
|---|---|
|
(可选)新帖子的名称。 |
|
先前定义的函数的名称。 |
注意: 函数必须在调用之前定义**。
# Drive forward while blinking screen
def blink_screen():
while True:
brain.screen.clear_screen(Color.RED)
wait(0.5, SECONDS)
brain.screen.clear_screen()
wait(0.5, SECONDS)
blink_screen_thread = Thread(blink_screen)
drivetrain.drive(FORWARD)
# Run multiple threads simultaneously
# Turn right, blink screen at once
def blink_screen():
while True:
brain.screen.clear_screen(Color.RED)
wait(0.5, SECONDS)
brain.screen.clear_screen()
wait(0.5, SECONDS)
def turning():
drivetrain.turn(RIGHT)
blink_screen_thread = Thread(blink_screen)
turning_thread = Thread(turning)
行动#
stop#
stop stops a thread manually, which is useful when a task is no longer needed or when a program needs to reset or reassign threads. Once a thread is stopped, it cannot be restarted. To run it again, you must create a new thread using Thread.
用法:
my_thread.stop()
参数 |
描述 |
|---|---|
|
A previously started thread object. This is the name assigned when the thread was created using |
"""
Run multiple threads simultaneously
Turn right, play a sound and display heading at once
Stop playing sounds after 2 seconds
"""
def lights():
while True:
optical_sensor.set_light(LEDStateType.ON)
wait(0.5, SECONDS)
optical_sensor.set_light(LEDStateType.OFF)
wait(0.5, SECONDS)
def display_heading():
while True:
brain.screen.clear_row()
brain.screen.set_cursor(1, 1)
brain.screen.print("Heading: {}".format(drivetrain.heading(DEGREES)))
wait(50, MSEC)
lights_thread = Thread(lights)
display_heading_thread = Thread(display_heading)
drivetrain.turn(RIGHT)
wait(2, SECONDS)
lights_thread.stop()