原文: https://www.programiz.com/c-programming/examples/complex-number-add

在此示例中,您将学习将两个复数用作结构并通过创建用户定义的函数将它们相加。

要理解此示例,您应该了解以下 C 编程主题:


加两个复数

  1. #include <stdio.h>
  2. typedef struct complex {
  3. float real;
  4. float imag;
  5. } complex;
  6. complex add(complex n1, complex n2);
  7. int main() {
  8. complex n1, n2, result;
  9. printf("For 1st complex number \n");
  10. printf("Enter the real and imaginary parts: ");
  11. scanf("%f %f", &n1.real, &n1.imag);
  12. printf("\nFor 2nd complex number \n");
  13. printf("Enter the real and imaginary parts: ");
  14. scanf("%f %f", &n2.real, &n2.imag);
  15. result = add(n1, n2);
  16. printf("Sum = %.1f + %.1fi", result.real, result.imag);
  17. return 0;
  18. }
  19. complex add(complex n1, complex n2) {
  20. complex temp;
  21. temp.real = n1.real + n2.real;
  22. temp.imag = n1.imag + n2.imag;
  23. return (temp);
  24. }

输出

  1. For 1st complex number
  2. Enter the real and imaginary parts: 2.1
  3. -2.3
  4. For 2nd complex number
  5. Enter the real and imaginary parts: 5.6
  6. 23.2
  7. Sum = 7.7 + 20.9i

在该程序中,声明了一个名为complex的结构。 它具有两个成员:realimag。 然后,我们从该结构创建了两个变量n1n2

这两个结构变量将传递给add()函数。 该函数计算总和并返回包含该总和的结构。

最后,从main()函数打印出复数的总和。