当我运行以下程序时,如果我在退出main之前只有一次getchar()
调用,则控制台窗口仅保持打开一秒钟。如果我向getchar()
添加第二次调用,则会使控制台窗口保持打开状态。这是什么原因?
#include <iostream>
using namespace std;
void selectionSort(int [], const int, bool (*)( int, int ));
bool ascending ( int, int );
bool descending ( int, int );
void swap(int * const, int * const);
int main()
{
const int arraySize = 10;
int a[ arraySize ] = { 1, 22, 2 ,44 ,3 , 4, 6, 0, 7, 5 };
int order;
cout << "Enter 1 to sort in ascending order and 2 for descending " << endl;
cin >> order;
if ( order == 1 )
selectionSort( a, arraySize, ascending );
if ( order ==2 )
selectionSort( a, arraySize, descending );
for ( int i = 0; i < arraySize; i++ )
cout << a[i] << " ";
cout << endl;
getchar();
//getchar(); only if i use this version of getchar output screen remains
return 0;
}
bool ascending ( int x, int y )
{
return x < y;
}
bool descending ( int x, int y )
{
return x > y;
}
void swap(int * const x, int * const y)
{
int temp = *x;
*x = *y;
*y = temp;
}
void selectionSort(int work[], const int size, bool (*compare)( int, int ))
{
for ( int i = 0; i < size - 1; i++ )
{
int smallestOrLargest = i;
for ( int index = i + 1; index < size; index++ )
{
if ( !(*compare)( work[ smallestOrLargest ], work[ index ] ) )
swap( &work[ smallestOrLargest ], &work[ index ] );
}
}
}
答案 0 :(得分:4)
这是因为输入流中仍有输入。第一次调用getchar()
将看到此输入,抓住它然后返回。当您添加第二个getchar()
时,没有其他输入,因此它会阻止,直到您按Enter键。如果要确保输入缓冲区中没有任何内容可以使用:
std::cin.ignore(std::numeric_limits<streamsize>::max(), '\n');
从流中消耗最多streamsize::max
个字符,直到它到达换行符,然后只要它没有读取streamsize::max
个字符就会消耗换行符。这应为getchar()
留下一个空缓冲区。