gethostname () 이 일으킨 화입니다

오늘 학우들이 고전적인 Unix/Linux 네트워크 프로그래밍의 예인 시간 서버를 실현할 때'Connection refused'라는 괴이한 일을 만났다.서버 측의 포트 번호가 성공적으로 열렸고 클라이언트도 서버 측을 ping할 수 있지만 TCP 연결을 구축하여 서버 시간을 얻을 수 없습니다.코드는 아주 고전적인 코드야, 붙여봐.
서버측:
/* timeserv.c - a socket-based time of day server
 */

#include  <stdio.h>
#include  <unistd.h>
#include  <sys/types.h>
#include  <sys/socket.h>
#include  <netinet/in.h>
#include  <netdb.h>
#include  <time.h>
#include  <strings.h>

#define   PORTNUM  13000   /* our time service phone number */
#define   HOSTLEN  256
#define   oops(msg)      { perror(msg) ; exit(1) ; }

int main(int ac, char *av[])
{
 struct  sockaddr_in   saddr;   /* build our address here */
 struct hostent  *hp;   /* this is part of our    */
 char hostname[HOSTLEN];     /* address           */
 int sock_id,sock_fd;       /* line id, file desc     */
 FILE *sock_fp;              /* use socket as stream   */
 char    *ctime();              /* convert secs to string */
 time_t  thetime;               /* the time we report     */

      /*
       * Step 1: ask kernel for a socket
       */

 sock_id = socket( PF_INET, SOCK_STREAM, 0 );    /* get a socket */
 if ( sock_id == -1 ) 
  oops( "socket" );

      /*
       * Step 2: bind address to socket.  Address is host,port
       */

 bzero( (void *)&saddr, sizeof(saddr) ); /* clear out struct     */

 gethostname( hostname, HOSTLEN );       /* where am I ?         */
 hp = gethostbyname( hostname );         /* get info about host  */
                                         /* fill in host part    */
 bcopy( (void *)hp->h_addr, (void *)&saddr.sin_addr, hp->h_length);
 saddr.sin_port = htons(PORTNUM);        /* fill in socket port  */
 saddr.sin_family = AF_INET ;            /* fill in addr family  */

 if ( bind(sock_id, (struct sockaddr *)&saddr, sizeof(saddr)) != 0 )
        oops( "bind" );

      /*
       * Step 3: allow incoming calls with Qsize=1 on socket
       */

 if ( listen(sock_id, 1) != 0 ) 
  oops( "listen" );

      /*
       * main loop: accept(), write(), close()
       */

 while ( 1 ){
        sock_fd = accept(sock_id, NULL, NULL); /* wait for call */
  printf("Wow! got a call!
"); if ( sock_fd == -1 ) oops( "accept" ); /* error getting calls */ sock_fp = fdopen(sock_fd,"w"); /* we'll write to the */ if ( sock_fp == NULL ) /* socket as a stream */ oops( "fdopen" ); /* unless we can't */ thetime = time(NULL); /* get time */ /* and convert to strng */ fprintf( sock_fp, "The time here is .." ); fprintf( sock_fp, "%s", ctime(&thetime) ); fclose( sock_fp ); /* release connection */ } }

클라이언트:
/* timeclnt.c - a client for timeserv.c
 *              usage: timeclnt hostname portnumber
 */
#include       <stdio.h>
#include       <sys/types.h>
#include       <sys/socket.h>
#include       <netinet/in.h>
#include       <netdb.h>

#define        oops(msg)       { perror(msg); exit(1); }

main(int ac, char *av[])
{
 struct sockaddr_in  servadd;        /* the number to call */
 struct hostent      *hp;            /* used to get number */
 int    sock_id, sock_fd;            /* the socket and fd  */
 char   message[BUFSIZ];             /* to receive message */
 int    messlen;                     /* for message length */

     /*
      * Step 1: Get a socket
      */

 sock_id = socket( AF_INET, SOCK_STREAM, 0 );    /* get a line   */
 if ( sock_id == -1 ) 
  oops( "socket" );            /* or fail      */

     /*
      * Step 2: connect to server
      *         need to build address (host,port) of server  first
      */

 bzero( &servadd, sizeof( servadd ) );   /* zero the address     */

 hp = gethostbyname( av[1] );            /* lookup host's ip #   */
 if (hp == NULL) 
  oops(av[1]);             /* or die               */
 bcopy(hp->h_addr, (struct sockaddr *)&servadd.sin_addr, hp->h_length);

 servadd.sin_port = htons(atoi(av[2]));  /* fill in port number  */

 servadd.sin_family = AF_INET ;          /* fill in socket type  */

             /* now dial     */
 if ( connect(sock_id,(struct sockaddr *)&servadd, sizeof(servadd)) !=0)
        oops( "connect" );

     /*
      * Step 3: transfer data from server, then hangup
      */

 messlen = read(sock_id, message, BUFSIZ);     /* read stuff   */
 if ( messlen == - 1 )
        oops("read") ;
 if ( write( 1, message, messlen ) != messlen )  /* and write to */
        oops( "write" );                        /* stdout       */
 close( sock_id );    
}

이 코드는 적어도 《Unix/Linux 프로그래밍 실천》과 《Unix 환경 고급 프로그래밍》에서 본 적이 있지만, 자신의 기계에 복사하여 실행하지만 여전히 같은 "Connection refused"의 오류 알림이 나타났다.Connection refused 는 서버 측의 포트가 개방되지 않았거나 서버 측에 아예 연결되지 않았음을 의미합니다.도대체 왜 그런지 위의 코드에서 무슨 오류를 찾지 못하고 밤새 고민을 하다가 결국은 서버 쪽bind에서 오류가 발생했다는 것을 알게 되었다.
위 서버의 코드를 보고 로컬 네트워크 주소와 포트 번호를 설정하는 부분을 주의하십시오.
gethostname( hostname, HOSTLEN );       /* where am I ?         */hp = gethostbyname( hostname );         /* get info about host */                                        /* fill in host part    */bcopy( (void *)hp->h_addr, (void *)&saddr.sin_addr, hp->h_length); saddr.sin_port = htons(PORTNUM);        /* fill in socket port */saddr.sin_family = AF_INET ;            /* fill in addr family */
여기에서 서버 프로그램은 gethostname () 함수를 사용하여 이 컴퓨터의 네트워크 주소를 얻은 다음 gethostbyname () 함수로 네트워크 바이트 주소로 전환합니다.문제는 gethostname () 함수에서 나온다.이 함수의 역할은 호스트 이름을 되돌려주는 것이다. 일반적으로 TCP/IP 네트워크에서 호스트의 이름, 즉 IP 주소이다.
이 함수는 실행에 있어서/etc/hosts 파일의 내용을 먼저 찾은 다음 DNS 서버를 조회합니다.만약/etc/hosts 파일이 설정되지 않았다면, 되돌아오는 호스트 이름은localhost 즉 127.0.0.1입니다.그래서 bind 함수로 연결된 네트워크 주소는 사실 127.0.0.1이다.클라이언트가connect를 원하면 연결을 찾을 수 없습니다.
그리고 학부 때 인터넷 프로그래밍을 공부할 때 했던 실험 보고서를 뒤적거렸다.이러한 처리 방법을 빌려 써서 로컬 네트워크 주소를 조회하는 것이 매우 편리하다.
일부 코드는 다음과 같이 수정되었습니다.
      /*
       * Step 2: bind address to socket.  Address is host,port
       */

 bzero( (void *)&saddr, sizeof(saddr) ); /* clear out struct     */

 saddr.sin_addr.s_addr = htonl(INADDR_ANY);
 saddr.sin_port = htons(PORTNUM);        /* fill in socket port  */
 saddr.sin_family = AF_INET ;            /* fill in addr family  */

 if ( bind(sock_id, (struct sockaddr *)&saddr, sizeof(saddr)) != 0 )
        oops( "bind" );

중요한 부분은 바로 빨간색 줄입니다. 직접 네트워크 주소를 INADDR 로 설정합니다.ANY .어떤 서버는 다숙 호스트이고 여러 개의 네트워크 카드가 있을 수 있습니다. 그러면 이런 서버에서 실행되는 서비스 프로그램은 Socket을 IP 주소로 연결할 때 htonl(INADDR ANY)을 s 에 설치할 수 있습니다.ddr, 이렇게 하는 장점은 어느 네트워크의 클라이언트 프로그램이든 이 서비스 프로그램과 통신할 수 있다는 것이다.만약 다중 호스트에서 실행되는 서비스 프로그램의 Socket에만 고정된 IP 주소를 연결한다면, 이 IP 주소와 같은 네트워크에 있는 클라이언트 프로그램만 이 서비스 프로그램과 통신할 수 있습니다.
이렇게 이렇게!
포스트잇:http://hi.baidu.com/sky_space/blog/item/9fe37506d311647703088119.html

좋은 웹페이지 즐겨찾기