Skip to content

代码块和缩进

在像 C++ 或 Java 这样的传统编程语言中,程序以代码块的形式组织。

每个代码块包含一个或多个语句,这些语句括在花括号 {} 之间,并按顺序执行。

下面提供了一个检查输入 x 的示例 C++/Java 代码。

C++

c++
if (x < 10) {
    cout << "x is less than 10" << endl;
    if (x <= 5) {
        cout << "x is less than or equal to 5" << endl;
    }
    else {
        cout << "x is more than 5 but less than 10" << endl;
    }
}
else {
    cout << "x is not less than 10" << endl;
}

Java

java
if (x < 10) {
    System.out.println("x is less than 10");
    if (x <= 5) {
        System.out.println("x is less than or equal to 5");
    }
    else {
        System.out.println("x is more than 5 but less than 10");
    }
}
else {
    System.out.print("x is not less than 10");
}

可以看到如何向代码添加缩进(行首的 tab 键)(编程语言本身不要求)以提高可读性,这有助于引导读者阅读代码。

Python

Python 中的代码块受此思想启发,因为它使理解 Python 代码更容易。

代码块由行缩进表示,通常是 4 个空格(推荐)或一个制表符 (tab)。此缩进用于确定语句的逻辑分组,组内的所有语句具有相同的缩进级别。

上面 C++/Java 示例对应的 Python 代码如下所示。

注意代码块是如何根据逻辑进行缩进的。

python
if x < 10:
    print("x 小于 10")
    if x <= 5:
        print("x 小于或等于 5")
    else:
        print("x 大于 5 但小于 10")
else:
    print("x 不小于 10")