原文: https://www.programiz.com/cpp-programming/goto

在本文中,您将了解goto语句,它如何工作以及为什么应该避免它。

在 C++ 编程中,goto语句用于通过将控制权转移到程序的其他部分来更改程序执行的正常顺序。

goto语句的语法

  1. goto label;
  2. ... .. ...
  3. ... .. ...
  4. ... .. ...
  5. label:
  6. statement;
  7. ... .. ...

在以上语法中,label是标识符。 遇到goto label;时,程序控制跳至label:并执行其下面的代码。

C   `goto`语句 - 图1

示例:goto语句

  1. // This program calculates the average of numbers entered by user.
  2. // If user enters negative number, it ignores the number and
  3. // calculates the average of number entered before it.
  4. # include <iostream>
  5. using namespace std;
  6. int main()
  7. {
  8. float num, average, sum = 0.0;
  9. int i, n;
  10. cout << "Maximum number of inputs: ";
  11. cin >> n;
  12. for(i = 1; i <= n; ++i)
  13. {
  14. cout << "Enter n" << i << ": ";
  15. cin >> num;
  16. if(num < 0.0)
  17. {
  18. // Control of the program move to jump:
  19. goto jump;
  20. }
  21. sum += num;
  22. }
  23. jump:
  24. average = sum / (i - 1);
  25. cout << "\nAverage = " << average;
  26. return 0;
  27. }

输出

  1. Maximum number of inputs: 10
  2. Enter n1: 2.3
  3. Enter n2: 5.6
  4. Enter n3: -5.6
  5. Average = 3.95

您可以在不使用goto语句的情况下编写任何 C++ 程序,通常认为最好不要使用它们。

避免使用goto语句的原因

goto语句可以跳转到程序的任何部分,但会使程序的逻辑变得复杂而混乱。

在现代编程中,goto语句被认为是有害的构造和不良的编程习惯。

在大多数 C++ 程序中,可以使用breakcontinue语句替换goto语句。