线程#

介绍#

线程允许机器人在同一个程序中同时运行多个任务。它们支持多任务处理,让机器人可以同时执行独立的操作。

**注意:**您必须[首先定义一个函数](Functions.md)才能将其与线程一起使用。

构造函数——创建并启动新线程。

  • thread – Starts a new thread that runs the specified function in parallel with the main program.

操作 – 控制正在运行的线程。

  • interrupt – 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.

用法:

thread myThread = thread(myFunction);

参数

描述

myThread

可选。新线程的名称。

myFunction

先前定义的函数的名称。

注意:函数必须始终在*调用之前定义。

// Drive forward while blinking screen
void blinkScreen() {
  while (true) {
    Brain.Screen.clearScreen(red);
    wait(0.5, seconds);
    Brain.Screen.clearScreen();
    wait(0.5, seconds);
  }
}

int main() {
  // Initializing Robot Configuration. DO NOT REMOVE!
  vexcodeInit();
  // Begin project code
  thread blinkScreenThread = thread(blinkScreen);
  Drivetrain.drive(forward);
}

// Run multiple threads simultaneously
// Turn right, blink screen at once
void blinkScreen() {
  while (true) {
    Brain.Screen.clearScreen(red);
    wait(0.5, seconds);
    Brain.Screen.clearScreen();
    wait(0.5, seconds);
  }
}

void turning() {
  Drivetrain.turn(right);
}

int main() {
  // Initializing Robot Configuration. DO NOT REMOVE!
  vexcodeInit();
  // Begin project code
  thread blinkScreenThread = thread(blinkScreen);
  thread turningThread = thread(turning);
}

行动#

interrupt#

interrupt 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.

Usage:
myThread.interrupt();

参数

描述

myThread

A previously started thread object. This is the name assigned when the thread was created using thread.

// Run multiple threads simultaneously
// Turn right, play a sound and display heading at once
// Stop playing sounds after 2 seconds
void sound() {
  while (true) {
    Brain.playSound(alarm);
    wait(0.5, seconds);
  }
}

void displayHeading() {
  while (true) {
    Brain.Screen.clearScreen();
    Brain.Screen.setCursor(1, 1);
    Brain.Screen.print("Heading: %.1f", BrainInertial.orientation(yaw, degrees));
    wait(50, msec);
  }
}

int main() {
  // Initializing Robot Configuration. DO NOT REMOVE!
  vexcodeInit();
  // Begin project code
  thread soundThread = thread(sound);     
  thread displayHeadingThread = thread(displayHeading);
  Drivetrain.turn(right);

  wait(2, seconds);
  soundThread.interrupt();
}