C的printf和fprintf(标准输出)不打印(C's printf and fprin

2019-07-19 16:26发布

这有点奇数之一。 我的代码不输出什么,我认为应该。 我说在不同阶段的一些打印语句,看是去哪儿错了。 依然没有。 所以,我在主开始加入一个printf语句。 这就是我真是糊涂。

所以,我认为有趣的东西是用文件描述符发生。 我改变了printf一个fprintf 。 依然没有。 与打印到stderr fprintf确实工作! 这究竟是为什么?

删除所有与主车身,除了最初的打印语句和回报率并打印。

int main(void) {
    fprintf(stdout, "STARTED!");
    //Create an Internet domain socket
    int sockfd = socket(AF_INET, SOCK_STREAM, 0);
    //If this fails exit and print the error
    if (sockfd == -1) {
        printf("Error %d, cannot create socket", errno);
        return 1;
    }
    printf("SOCKET CREATED!");

    //Creates a socket address
    struct sockaddr_in  addr;
    addr.sin_family = AF_INET;
    addr.sin_port = htons(8080);
    addr.sin_addr.s_addr = INADDR_ANY;

    //Attempts to bind to the socket address, again prints to error if this fails.
    if (bind(sockfd, (struct sockaddr *) &addr, sizeof(addr)) == -1)
    {
        printf("Error %d, cannot bind", errno);
        return 1;
    }

    //Starts Listening for a client
    if (listen(sockfd, 1) == -1)
    {
        printf("Error %d, cannot listen", errno);
        return 1;
    }

    //If all is successful, server is operational
    while(1)
    {
        //Creates a file descripter for the connection
        int connfd;
        //And a socket address for the client
        struct sockaddr_in cliaddr;
        socklen_t cliaddrlen = sizeof(cliaddr);
        //If a connection attempt is made accepts it.
        connfd = accept(sockfd, (struct sockaddr *) &cliaddr, &cliaddrlen);
        if (connfd == -1) {
            //If the connection fails print an error
            printf("Error %d, cannot accept connection", errno);
            continue;
        }

        //Otherwise process the request
        else {
            printf("CONNECTED!");
            char end;
            end = 1;
            while (end)
            {
                process_request(connfd);
                end = 0;
            }
        }
        close(connfd);

    }
    close(sockfd);
    return 0;
}

Answer 1:

输出通常由系统缓冲。 你可以调用fflush,但有时,这取决于缓存是如何工作的,简单地结束与一个新行输出就足够了。 因此,尝试改变

fprintf(stdout, "STARTED!");

fprintf(stdout, "STARTED!\n");

而且,如果不帮忙,

fprintf(stdout, "STARTED!\n");
fflush(stdout)

(和标准错误往往没有被缓存,只要你想立即看到错误。)

最后,你会看到,当程序完成(如东西被刷新即可)输出,这或许可以解释行为的其余部分。



文章来源: C's printf and fprintf(stdout,) are not printing