2

我写了一个函数,它读取一个未知长度的字符串,直到按下 Enter 并返回一个字符指针。当我从开关盒内部调用该函数时,它不会等待我的输入。

char *get_paths()
{
    unsigned int length_max = 256; /*Initial length of string*/
    unsigned int current_size; 
    current_size = length_max;

    /* Allocating memory for string input */
    char *tmpStr = malloc(length_max);

    /* Simple check to make sure our pointer is not NULL */
    if(tmpStr != NULL)
    {
        int c = EOF; 
        unsigned int i = 0;

        printf("Enter The EXACT or RELATIVE File Paths Separated by a Space: ");

        /* Accept input until Enter key is pressed or user inserts EOF */
        while((c = getchar()) != '\n' && c != EOF)
        {
            tmpStr[i] = (char)c;
            ++i;

            /* If memory is filled up, reallocate memory with bigger size */
            if(i == current_size)
            {
                current_size = i + length_max;
                /* realloc does magic */
                tmpStr = realloc(tmpStr, current_size); 
            }
        }

        /* A valid string always end with a '\0' */
        tmpStr[i] = '\0';
        printf("Got it: %s \n", tmpStr); /*TODO: REMOVE;; USED FOR TESTING*/
        return tmpStr; 
    }
}

开关盒(我在开关块中有一个 char *ptr = NULL):

/*File input*/
case 1:
    ptr = get_filepaths();
break;

输出:

输入以空格分隔的确切或相对文件路径:明白了:

4

2 回答 2

2

您很可能会遇到缓冲问题stdout,这是printf默认设置。您需要显式刷新stdout或在第一条语句的末尾放置一个换行符,printf以强制刷新缓冲区。由于“知道了”语句的末尾有一个换行符,因此会发生两个语句(第一个被缓冲的语句)同时打印到输出,因为第二个语句强制刷新缓冲区。

另一种可能性是 中可能已经有未读数据stdin,当您getchar()while-loop 中调用时,它会读取先前缓冲的数据,点击换行符,然后退出循环,而不是允许您输入新信息。为避免该问题,请执行类似操作scanf("%*[^\n]%*c");,以便将输入消耗到已经在输入中的下一个换行符(包括换行符本身),而不必担心缓冲区溢出。

于 2012-12-02T03:30:04.003 回答
-1

我能够找到“以某种方式”解决此问题的解决方案是getchar()在第一次printf()通话后立即添加。不知道为什么会这样!

于 2012-12-02T04:44:30.323 回答