c – std :: endl的结构

前端之家收集整理的这篇文章主要介绍了c – std :: endl的结构前端之家小编觉得挺不错的,现在分享给大家,也给大家做个参考。
参见英文答案 > How does std::endl not use any brackets if it is a function?3个
我是C的新手,我对std :: endl感到困惑.当试图理解std :: endl是什么时,我遇到了一些资源,告诉我它是一个函数.

但是,如何将功能剥夺括号?

解决方法

However,how can a function be deprived of parentheses?

函数名称,而不是(),只是对该函数的引用.它与任何其他类型完全相同:

void foo(int) {}

char x = 'a';

char *p = &x;

int main()
{
  p;  // Refers to p
  *p; // Dereferences p (refers to whatever p points to)
  foo;  // Refers to foo
  foo(42); // Calls foo
}

std :: endl是一个函数(实际上是一个函数模板),它接受一个类型为“a stream”的参数,并通过将EOL表示插入到该流中然后将其刷新来工作.你可以像其他任何函数一样使用它,如果你想:

std::endl(std::cout);

最后一个难题是标准库提供了运算符的重载(同样,模板)<<这样LHS参数是一个流,RHS参数是一个函数;此运算符的实现调用RHS参数(函数)并将其传递给LHS(流).从概念上讲,有这样的事情:

Stream& operator<< (Stream &s,const Function &f)
{
  f(s);
  return s;
}

因此,调用std :: cout<< std :: endl调用该操作符重载,后者又调用std :: endl(std :: cout),它执行EOL插入刷新. 至于哪种形式是首选的(直接调用vs.<< operator),它肯定是使用<<.它是惯用的,它允许在单个表达式中轻松组合多个流操纵器.像这样:

std::cout << "Temperature: " << std::fixed << std::setprecision(3) << temperature << " (rounds to " << std::setprecision(1) << temperature << ')' << std::endl;
原文链接:https://www.f2er.com/c/120151.html

猜你在找的C&C++相关文章