当前位置:首页 > 行业动态 > 正文

c语言怎么交换两个数的值

在C语言中,可以使用临时变量来交换两个数的值,下面是一个详细的步骤和代码示例:

1、声明两个整数变量并初始化它们。

“`c

int num1 = 5;

int num2 = 10;

“`

2、使用一个临时变量存储第一个数的值。

“`c

int temp = num1;

“`

3、将第二个数的值赋给第一个数。

“`c

num1 = num2;

“`

4、将临时变量中的值赋给第二个数。

“`c

num2 = temp;

“`

完整的代码如下所示:

#include <stdio.h>
int main() {
    int num1 = 5;
    int num2 = 10;
    int temp;
    
    printf("Before swapping: num1 = %d, num2 = %d
", num1, num2);
    
    temp = num1;     // Step 2: Store the value of num1 in a temporary variable (temp)
    num1 = num2;     // Step 3: Assign the value of num2 to num1
    num2 = temp;     // Step 4: Assign the value of temp to num2
    
    printf("After swapping: num1 = %d, num2 = %d
", num1, num2);
    return 0;
}

运行以上代码,输出将会是:

Before swapping: num1 = 5, num2 = 10
After swapping: num1 = 10, num2 = 5

通过使用临时变量,我们可以成功交换了两个数的值。

0