如何在主函数中使用int函数进行调用?

时间:2018-10-04 08:46:36

标签: c linux

我需要在函数main> my_isneg中插入一些内容,以调用my_isneg函数。我该怎么办?

#include <unistd.h>
void my_putchar (char c)
{
    write (1, &c, 1);
}
int my_isneg (int n)
{

    if (n < 0) {
        my_putchar (78); }
    else {
        my_putchar (80);
    }
}

int main (void)
{
    my_isneg();
}

1 个答案:

答案 0 :(得分:3)

不清楚您要问什么,但也许您想要这样:

...
// print 'N' 1 if the number n is strictly negative, print 'P' otherwise
int my_isneg(int n)
{
  if (n < 0) {
    my_putchar('N');  // use 'N' instead of 80 (it's more readable)
  }
  else {
    my_putchar('P');  // use 'P' instead of 80
  }
}

int main(void)
{
  my_isneg(-1);
  my_isneg(1);
  my_isneg(2);
}

输出

NPP

或者也许是这样,它与名称my_isneg更接近:

...
// return 1 if the number n is strictly negative
int my_isneg(int n)
{
  return n < 0;
}

int main(void)
{
  if (my_isneg(-1))
    my_putchar('N');
  else
    my_putchar('P');

  if (my_isneg(1))
    my_putchar('N');
  else
    my_putchar('P');
}

输出

NP