3

我想问一下这个功能是否正确。它应该检查点是否在矩形内,如果是则打印出来。

#include <stdio.h>
#include <stdlib.h>

typedef struct {
  int x;
  int y;
}point;

typedef struct {
  point A;
  point B;
}rectangle;

int main() {
rectangle s;
point T;
printf("Enter rectangle A point x coordinate :\n" );
scanf("%d", &s.A.x);
printf("Enter rectangle A point y coordinate :\n" );
scanf("%d", &s.A.y);
printf("Enter rectangle B point x coordinate :\n" );
scanf("%d", &s.B.x);
printf("Enter rectangle B point y coordinate :\n" );
scanf("%d", &s.B.y);    
printf("\nrectangle - A(%d, %d), B(%d, %d) \n", s.A.x, s.A.y, s.B.x, s.B.y );

for(int i =0; i<2; i++){ 
printf ("X: ");
scanf ("%d", &T.x);
printf ("Y: ");
scanf ("%d", &T.y);
} 

int is_inside(point A, point B){
if((s.A.x <= T.x) && (T.x <= s.B.x) && (s.A.y <= T.y) && (T.y <= s.B.y)) printf("Point (%d, %d)is inside rectangle \n",T.x, T.y);
else printf("No");
}
return 0;
}

添加了整个代码,也许对你们来说会更清楚。

4

3 回答 3

7

这个函数不正确。它编译,但它不做你想让它做的事情*

像这样的数学条件

x0 <= X <= x1

用C写成如下:

x0 <= X && X <= x1

您的情况应如下所示:

if (s.A.x<=T.x && T.x<=s.B.x && s.A.y<=T.y && T.y<=s.B.y)


*然后将比较结果s.A.x<= T.xs.B.x

于 2012-11-08T16:17:46.257 回答
2

您不能使用if (a<=b<=c),因为它从左到右进行评估,这会给您带来问题。

firsta<=b评估为0or 1which 再次与第三项相比c

使用a<=b && b<=c语法

所以,在你的情况下,它就像

if ((s.A.x <= T.x) && (T.x <= s.B.x ) && (s.A.y <=T.y )&& (T.y <= s.B.y))

这个声明说s.A.x is less than equal to T.xT.x is less than or equal to s.B.xANDs.A.y less than equal to T.y and T.y is less than equal to s.B.y

于 2012-11-08T16:17:42.170 回答
1
  • 您缺少函数的返回类型

  • 您需要使用评估边界

    ((s.A.x <= T.x) && (T.x <= s.B.x) && (s.A.y <= T.y) && (T.y <= s.B.y))
    
  • 另一个问题是:在你的函数的 printf 中,你递归地调用 is_inside(A,B)。假设 if 条件为真,您将陷入无限循环。

    printf("Point (%f, %f)is inside rectangle \n", T.x, T.y);
    
于 2012-11-08T16:25:16.577 回答