1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
80
81
82
|
/** \file servport.c Resolve service name to port number.
* \author Matthias Andree
* \date 2005
*
* Copyright (C) 2005 by Matthias Andree
* For license terms, see the file COPYING in this directory.
*/
#include "fetchmail.h"
#include "getaddrinfo.h"
#include "i18n.h"
#include <errno.h>
#include <stdlib.h>
#include <string.h>
#include <sys/types.h>
#include <netdb.h>
#if defined(HAVE_NETINET_IN_H)
#include <netinet/in.h>
#endif
#ifdef HAVE_ARPA_INET_H
#include <arpa/inet.h>
#endif
#include <sys/socket.h>
int servport(const char *service) {
int port, e;
unsigned long u;
char *end;
if (service == 0)
return -1;
/*
* Check if the service is a number. If so, convert it.
* If it isn't a number, call getservbyname to resolve it.
*/
errno = 0;
u = strtoul(service, &end, 10);
if (errno || end[strspn(end, POSIX_space)] != '\0') {
struct addrinfo hints, *res;
/* hardcode kpop to port 1109 as per fetchmail(1)
* manual page, it's not a IANA registered service */
if (strcmp(service, "kpop") == 0)
return 1109;
memset(&hints, 0, sizeof hints);
hints.ai_family = AF_UNSPEC;
hints.ai_socktype = SOCK_STREAM;
e = getaddrinfo(NULL, service, &hints, &res);
if (e) {
report(stderr, GT_("getaddrinfo(NULL, \"%s\") error: %s\n"),
service, gai_strerror(e));
goto err;
} else {
switch(res->ai_addr->sa_family) {
case AF_INET:
port = ntohs(((struct sockaddr_in *)res->ai_addr)->sin_port);
break;
#ifdef AF_INET6
case AF_INET6:
port = ntohs(((struct sockaddr_in6 *)res->ai_addr)->sin6_port);
break;
#endif
default:
goto err;
}
freeaddrinfo(res);
}
} else {
if (u == 0 || u > 65535)
goto err;
port = u;
}
return port;
err:
report(stderr, GT_("Cannot resolve service %s to port number.\n"), service);
report(stderr, GT_("Please specify the service as decimal port number.\n"));
return -1;
}
/* end of servport.c */
|