C語言註釋


C語言中的註釋用於提供有關程式碼行的資訊,它被廣泛用於記錄程式碼(或對程式碼功能實現的說明)。在C語言中有兩種型別的注釋,它們分別如下 -

  • 單行注釋
  • 多行注釋

1.單行注釋

單行注釋由雙斜槓//表示,下面我們來看看一個單行注釋的例子。建立一個原始檔:single_line_comments.c,程式碼如下 -

#include <stdio.h>      
#include <conio.h>    
void main(){      
    // 這是一個注釋行,下面語句列印一個字串:"Hello C"
    printf("Hello C"); // printing information  
    // 這是另一個注釋行,下面語句求兩個變數的值
    int a = 10, b = 20;
    int c = 0;
    c = a + b;
    printf("The sum of a+b is :%d", c);  
}

執行上面範例程式碼,得到以下結果 -

Hello C
The sum of a+b is :30
請按任意鍵繼續. . .

2.多行注釋

多行注釋由斜槓星號/* ... */表示。它可以占用許多行程式碼,但不能巢狀。語法如下:

/*  
code 
to be commented 
line 3
line n...
*/

下面下面來看看看C語言中的多行注釋的例子。

建立一個原始檔:multi_line_comments.c,程式碼如下 -

#include <stdio.h>      
#include <conio.h>    
void main() {

    /*printing
    information*/
    printf("Hello C\n");
    /*
     多行注釋範例:
     下面程式碼求兩個數的乘積,
     int a = 10, b =20;
     int c = a * b;
    */
    int a = 10, b = 20;
    int c = a * b;
    printf("The value of (a * b) is :%d \n", c);
}

執行上面範例程式碼,得到以下結果 -

Hello C
The value of (a * b) is :200
請按任意鍵繼續. . .