cout与printf的混用问题

在某题的输出混用了cout与printf(),结果输出的顺序出错。
把原因归结为一个带缓冲而一个不带缓冲。
因为stdio.h中定义了像ungetc()这样的函数,其作用是将字符放回到输入流中。可见stdio中也是使用了缓冲的。
那么为什么cout与printf()混用会发生问题呢?

#include  
using namespace std;

int main() 
{     
    cout << "aaa";     
    printf("bbb");     
    return 0; 
}

输出为:
aaabbb
没有问题。
如果将程序修改一下:

#include  
using namespace std;

int main() 
{     
    ios::sync_with_stdio(false);     
    cout << "aaa";     
    printf("bbb");     
    return 0; 
}

输出成了:
bbbaaa
顺序发生了错误。

sync_with_stdio()是在中定义的,当其接受true作为参数时,将会同步iostream与stdio中的流操作。默认是true,因此第一个程序的结果是正确的。
然而,尽管C++标准中规定stdio sync标志默认是true,不同平台下的不同编译器可能并不完全支持这个标准。因此也就有了通常意义上的关于“不要混用iostream与stdio”之类的警告。

如果再修改一下程序:

#include  
using namespace std;

int main() 
{     
    ios::sync_with_stdio(false);     
    cout << "aaa" << flush;     
    printf("bbb");     
    return 0; 
}

这回程序的输出就又正确了。因为flush强制清空了缓冲区,将其中的内容输出。

你可能感兴趣的:(其他)