当我运行这个程序时,我输入一个ip地址和服务器端口作为输入。然而,在此之后程序要求我“请输入msg:”。但是,在输入我的消息后按ctrl-D不会做任何事情。该程序仍然从STDIN读取。如何指出我正在输入的邮件的结尾?
这是我正在使用的程序:
/*
* echoclient.c - A simple connection-based client
* usage: echoclient <host> <port>
*/
#include <stdio.h>
#include <stdlib.h>
#include <string.h>
#include <unistd.h>
#include <sys/types.h>
#include <sys/socket.h>
#include <netinet/in.h>
#include <netdb.h>
#define BUFSIZE 1024
/*
* error - wrapper for perror
*/
void error(char *msg) {
perror(msg);
exit(0);
}
int main(int argc, char **argv) {
int sockfd, portno, n;
struct sockaddr_in serveraddr;
struct hostent *server;
char *hostname;
char buf[BUFSIZE];
/* check command line arguments */
if (argc != 3) {
fprintf(stderr,"usage: %s <hostname> <port>\n", argv[0]);
exit(0);
}
hostname = argv[1];
portno = atoi(argv[2]);
/* socket: create the socket */
sockfd = socket(AF_INET, SOCK_STREAM, 0);
if (sockfd < 0)
error("ERROR opening socket");
/* gethostbyname: get the server's DNS entry */
server = gethostbyname(hostname);
if (server == NULL) {
fprintf(stderr,"ERROR, no such host as %s\n", hostname);
exit(0);
}
/* build the server's Internet address */
bzero((char *) &serveraddr, sizeof(serveraddr));
serveraddr.sin_family = AF_INET;
bcopy((char *)server->h_addr,
(char *)&serveraddr.sin_addr.s_addr, server->h_length);
serveraddr.sin_port = htons(portno);
/* connect: create a connection with the server */
if (connect(sockfd, (struct sockaddr *)&serveraddr, sizeof(serveraddr)) < 0)
error("ERROR connecting");
/* get message line from the user */
printf("Please enter msg: ");
bzero(buf, BUFSIZE);
fgets(buf, BUFSIZE, stdin);
/* write: send the message line to the server */
n = write(sockfd, buf, strlen(buf));
if (n < 0)
error("ERROR writing to socket");
/* read: print the server's reply */
bzero(buf, BUFSIZE);
n = read(sockfd, buf, BUFSIZE);
if (n < 0)
error("ERROR reading from socket");
printf("Echo from server: %s", buf);
close(sockfd);
return 0;
}
答案 0 :(得分:3)
如果您在该行上输入了任何数据,则第一个 Control-D 会将您输入的内容发送到终端,尽管您尚未获得回复。然后,您需要再次键入 Control-D 以发送0个字符,这表示EOF到标准I / O库。
如果您键入的最后一个字符是返回,则无论如何都会将保存的数据发送到终端。如果下一个字符是 Control-D ,则不会发送任何数据,因此读取的内容为0字节,并且检测为EOF。
另见Canonical vs non-canonical terminal input。
您还应该并且始终检查fgets()
和任何其他输入函数的返回值。如果输入功能报告失败,则无法使用输入;它的状态是不确定的。
答案 1 :(得分:0)
需要测试fgets(buf, BUFSIZE, stdin);
在不测试结果的情况下,buf
可能包含其未更改的先前数据,并且不提供无法读取更多数据的确切信息。
答案 2 :(得分:0)
fgets
读取,直到达到EOF或换行符,就像通过为每个字节调用fgetc
一样。在终端上按 Ctrl D 不会在终端上“设置EOF状态”(没有这样的东西)或“发送和EOF”(也没有这样的东西) 。它的作用(在“熟模式”下)是内核通过tty设备发送缓冲的所有内容进行行编辑,以便应用程序接收它。如果还没有任何输入,这会导致应用程序成功读取零长度read
;这是EOF的定义,并将为stdio FILE
流设置EOF状态。
但是,如果已经输入等待(您输入的行), Ctrl D 将导致它被发送到应用程序。然后,fgets
会读取所有传输的字节,并且看不到EOF或换行符,就会再次调用fgetc
,再次阻塞read
。如果您再次按 Ctrl D 或按 Enter ,则fgets
将成功并返回。