-3

我在 C 中实现 Newton Raphson 方法。代码运行良好。代码中没有错误。

#include<stdio.h>
#include<math.h>
#define  f(x)(x * sin(x)+cos(x))
#define df(x)(x*cos(x))
int main()
{
   float x,h,e;
   e=0.0001;
   printf("Enter the initial value of x:\n");
   scanf("%f",&x);
 do
  {
     h=-f(x)/df(x);
     x=x+h;
  }
  while(fabs(h)>e);
  printf("The value of the root is=%f",x);
  return(0);
 }
/*
Output:
Enter the initial value of x: 3
The value of the root is = 2.798386

但是,我很惊讶我的意思是这段代码是如何工作的?根据 c 规则,while 语句没有任何终止分号。但是,在我的代码中while(fabs(h)>e); 有一个分号,但它运行良好。

谁能告诉我它是如何工作的?

4

2 回答 2

0

所以你的问题的答案是:

 do
  {
     h=-f(x)/df(x);
     x=x+h;
  }
  while(fabs(h)>e);

不是while声明,是do-while声明。

于 2020-09-20T16:52:51.297 回答
0

你的意思是把

while(...);
{
//some code
}

这将被解释为

while(...){
   //looping without any instruction (probably an infinite loop)
}
{
//some code that will be executed once if the loop exits
}

do-while循环在条件之前执行代码(因此与简单的while循环至少有一次不同)。正确的语法有一个半列:

do{
   //your code to be executed at least once
}while(...);
于 2020-09-20T16:48:09.393 回答