b80087a08ffe7fd59d41f1489afe697baf205cd4
[citadel.git] / citadel / server / modules / nntp / serv_nntp.c
1 // NNTP server module (RFC 3977)
2 //
3 // Copyright (c) 2014-2023 by the citadel.org team
4 //
5 // This program is open source software.  Use, duplication, or disclosure
6 // are subject to the terms of the GNU General Public License version 3.
7
8 #include "../../sysdep.h"
9 #include <stdlib.h>
10 #include <unistd.h>
11 #include <stdio.h>
12 #include <termios.h>
13 #include <fcntl.h>
14 #include <signal.h>
15 #include <pwd.h>
16 #include <errno.h>
17 #include <sys/types.h>
18 #include <syslog.h>
19 #include <time.h>
20 #include <sys/wait.h>
21 #include <ctype.h>
22 #include <string.h>
23 #include <limits.h>
24 #include <sys/socket.h>
25 #include <netinet/in.h>
26 #include <arpa/inet.h>
27 #include <libcitadel.h>
28 #include "../../citadel_defs.h"
29 #include "../../server.h"
30 #include "../../citserver.h"
31 #include "../../support.h"
32 #include "../../config.h"
33 #include "../../control.h"
34 #include "../../user_ops.h"
35 #include "../../room_ops.h"
36 #include "../../database.h"
37 #include "../../msgbase.h"
38 #include "../../internet_addressing.h"
39 #include "../../genstamp.h"
40 #include "../../domain.h"
41 #include "../../clientsocket.h"
42 #include "../../locate_host.h"
43 #include "../../citadel_dirs.h"
44 #include "../../ctdl_module.h"
45 #include "serv_nntp.h"
46
47 #ifndef __FreeBSD__
48 extern long timezone;
49 #endif
50
51 // Tests whether the supplied string is a valid newsgroup name
52 // Returns true (nonzero) or false (0)
53 int is_valid_newsgroup_name(char *name) {
54         char *ptr = name;
55         int has_a_letter = 0;
56         int num_dots = 0;
57
58         if (!ptr) return(0);
59         if (!strncasecmp(name, "ctdl.", 5)) return(0);
60
61         while (*ptr != 0) {
62
63                 if (isalpha(ptr[0])) {
64                         has_a_letter = 1;
65                 }
66
67                 if (ptr[0] == '.') {
68                         ++num_dots;
69                 }
70
71                 if (    (isalnum(ptr[0]))
72                         || (ptr[0] == '.')
73                         || (ptr[0] == '+')
74                         || (ptr[0] == '-')
75                 ) {
76                         ++ptr;
77                 }
78                 else {
79                         return(0);
80                 }
81         }
82         return( (has_a_letter) && (num_dots >= 1) ) ;
83 }
84
85
86 // Convert a Citadel room name to a valid newsgroup name
87 void room_to_newsgroup(char *target, char *source, size_t target_size) {
88
89         if (!target) return;
90         if (!source) return;
91
92         if (is_valid_newsgroup_name(source)) {
93                 strncpy(target, source, target_size);
94                 return;
95         }
96
97         strcpy(target, "ctdl.");
98         int len = 5;
99         char *ptr = source;
100         char ch;
101
102         while (ch=*ptr++, ch!=0) {
103                 if (len >= target_size) return;
104                 if (    (isalnum(ch))
105                         || (ch == '.')
106                         || (ch == '-')
107                 ) {
108                         target[len++] = tolower(ch);
109                         target[len] = 0;
110                 }
111                 else {
112                         target[len++] = '+' ;
113                         sprintf(&target[len], "%02x", ch);
114                         len += 2;
115                         target[len] = 0;
116                 }
117         }
118 }
119
120
121 // Convert a newsgroup name to a Citadel room name.
122 // This function recognizes names converted with room_to_newsgroup() and restores them with full fidelity.
123 void newsgroup_to_room(char *target, char *source, size_t target_size) {
124
125         if (!target) return;
126         if (!source) return;
127
128         if (strncasecmp(source, "ctdl.", 5)) {                  // not a converted room name; pass through as-is
129                 strncpy(target, source, target_size);
130                 return;
131         }
132
133         target[0] = 0;
134         int len = 0;
135         char *ptr = &source[5];
136         char ch;
137
138         while (ch=*ptr++, ch!=0) {
139                 if (len >= target_size) return;
140                 if (ch == '+') {
141                         char hex[3];
142                         long digit;
143                         hex[0] = *ptr++;
144                         hex[1] = *ptr++;
145                         hex[2] = 0;
146                         digit = strtol(hex, NULL, 16);
147                         ch = (char)digit;
148                 }
149                 target[len++] = ch;
150                 target[len] = 0;
151         }
152 }
153
154
155 // Here's where our NNTP session begins its happy day.
156 void nntp_greeting(void) {
157         strcpy(CC->cs_clientname, "NNTP session");
158         CC->cs_flags |= CS_STEALTH;
159
160         CC->session_specific_data = malloc(sizeof(citnntp));
161         citnntp *nntpstate = (citnntp *) CC->session_specific_data;
162         memset(nntpstate, 0, sizeof(citnntp));
163
164         if (CC->nologin==1) {
165                 cprintf("451 Too many connections are already open; please try again later.\r\n");
166                 CC->kill_me = KILLME_MAX_SESSIONS_EXCEEDED;
167                 return;
168         }
169
170         // Display the standard greeting
171         cprintf("200 %s NNTP Citadel server is not finished yet\r\n", CtdlGetConfigStr("c_fqdn"));
172 }
173
174
175 // NNTPS is just like NNTP, except it goes crypto right away.
176 void nntps_greeting(void) {
177         CtdlModuleStartCryptoMsgs(NULL, NULL, NULL);
178 #ifdef HAVE_OPENSSL
179         if (!CC->redirect_ssl) CC->kill_me = KILLME_NO_CRYPTO;          // kill session if no crypto
180 #endif
181         nntp_greeting();
182 }
183
184
185 // implements the STARTTLS command
186 void nntp_starttls(void) {
187         char ok_response[SIZ];
188         char nosup_response[SIZ];
189         char error_response[SIZ];
190
191         sprintf(ok_response, "382 Begin TLS negotiation now\r\n");
192         sprintf(nosup_response, "502 Can not initiate TLS negotiation\r\n");
193         sprintf(error_response, "580 Internal error\r\n");
194         CtdlModuleStartCryptoMsgs(ok_response, nosup_response, error_response);
195 }
196
197
198 // Implements the CAPABILITY command
199 void nntp_capabilities(void) {
200         cprintf("101 Capability list:\r\n");
201         cprintf("IMPLEMENTATION Citadel %d\r\n", REV_LEVEL);
202         cprintf("VERSION 2\r\n");
203         cprintf("READER\r\n");
204         cprintf("MODE-READER\r\n");
205         cprintf("LIST ACTIVE NEWSGROUPS\r\n");
206         cprintf("OVER\r\n");
207 #ifdef HAVE_OPENSSL
208         cprintf("STARTTLS\r\n");
209 #endif
210         if (!CC->logged_in) {
211                 cprintf("AUTHINFO USER\r\n");
212         }
213         cprintf(".\r\n");
214 }
215
216
217 // Implements the QUIT command
218 void nntp_quit(void) {
219         cprintf("221 Goodbye...\r\n");
220         CC->kill_me = KILLME_CLIENT_LOGGED_OUT;
221 }
222
223
224 // Implements the AUTHINFO USER command (RFC 4643)
225 void nntp_authinfo_user(const char *username) {
226         int a = CtdlLoginExistingUser(username);
227         switch (a) {
228         case login_already_logged_in:
229                 cprintf("482 Already logged in\r\n");
230                 return;
231         case login_too_many_users:
232                 cprintf("481 Too many users are already online (maximum is %d)\r\n", CtdlGetConfigInt("c_maxsessions"));
233                 return;
234         case login_ok:
235                 cprintf("381 Password required for %s\r\n", CC->curr_user);
236                 return;
237         case login_not_found:
238                 cprintf("481 %s not found\r\n", username);
239                 return;
240         default:
241                 cprintf("502 Internal error\r\n");
242         }
243 }
244
245
246 // Implements the AUTHINFO PASS command (RFC 4643)
247 void nntp_authinfo_pass(const char *buf) {
248         int a;
249
250         a = CtdlTryPassword(buf, strlen(buf));
251
252         switch (a) {
253         case pass_already_logged_in:
254                 cprintf("482 Already logged in\r\n");
255                 return;
256         case pass_no_user:
257                 cprintf("482 Authentication commands issued out of sequence\r\n");
258                 return;
259         case pass_wrong_password:
260                 cprintf("481 Authentication failed\r\n");
261                 return;
262         case pass_ok:
263                 cprintf("281 Authentication accepted\r\n");
264                 return;
265         }
266 }
267
268
269 // Implements the AUTHINFO extension (RFC 4643) in USER/PASS mode
270 void nntp_authinfo(const char *cmd) {
271
272         if (!strncasecmp(cmd, "authinfo user ", 14)) {
273                 nntp_authinfo_user(&cmd[14]);
274         }
275
276         else if (!strncasecmp(cmd, "authinfo pass ", 14)) {
277                 nntp_authinfo_pass(&cmd[14]);
278         }
279
280         else {
281                 cprintf("502 command unavailable\r\n");
282         }
283 }
284
285
286 // Utility function to fetch the current list of message numbers in a room
287 struct nntp_msglist nntp_fetch_msglist(struct ctdlroom *qrbuf) {
288         struct nntp_msglist nm;
289         struct cdbdata *cdbfr;
290
291         nm.num_msgs = CtdlFetchMsgList(qrbuf->QRnumber, &nm.msgnums);
292         return(nm);
293 }
294
295
296 // Output a room name (newsgroup name) in formats required for LIST and NEWGROUPS command
297 void output_roomname_in_list_format(struct ctdlroom *qrbuf, int which_format, char *wildmat_pattern) {
298         char n_name[1024];
299         struct nntp_msglist nm;
300         long low_water_mark = 0;
301         long high_water_mark = 0;
302
303         room_to_newsgroup(n_name, qrbuf->QRname, sizeof n_name);
304
305         if ((wildmat_pattern != NULL) && (!IsEmptyStr(wildmat_pattern))) {
306                 if (!wildmat(n_name, wildmat_pattern)) {
307                         return;
308                 }
309         }
310
311         nm = nntp_fetch_msglist(qrbuf);
312         if ((nm.num_msgs > 0) && (nm.msgnums != NULL)) {
313                 low_water_mark = nm.msgnums[0];
314                 high_water_mark = nm.msgnums[nm.num_msgs - 1];
315         }
316
317         // Only the mandatory formats are supported
318         switch(which_format) {
319         case NNTP_LIST_ACTIVE:
320                 // FIXME we have hardcoded "n" for "no posting allowed" -- fix when we add posting
321                 cprintf("%s %ld %ld n\r\n", n_name, high_water_mark, low_water_mark);
322                 break;
323         case NNTP_LIST_NEWSGROUPS:
324                 cprintf("%s %s\r\n", n_name, qrbuf->QRname);
325                 break;
326         }
327
328         if (nm.msgnums != NULL) {
329                 free(nm.msgnums);
330         }
331 }
332
333
334 // Called once per room by nntp_newgroups() to qualify and possibly output a single room
335 void nntp_newgroups_backend(struct ctdlroom *qrbuf, void *data) {
336         int ra;
337         int view;
338         time_t thetime = *(time_t *)data;
339
340         CtdlRoomAccess(qrbuf, &CC->user, &ra, &view);
341
342         // The "created after <date/time>" heuristics depend on the happy coincidence
343         // that for a very long time we have used a unix timestamp as the room record's
344         // generation number (QRgen).  When this module is merged into the master
345         // source tree we should rename QRgen to QR_create_time or something like that.
346         if (ra & UA_KNOWN) {
347                 if (qrbuf->QRgen >= thetime) {
348                         output_roomname_in_list_format(qrbuf, NNTP_LIST_ACTIVE, NULL);
349                 }
350         }
351 }
352
353
354 // Implements the NEWGROUPS command
355 void nntp_newgroups(const char *cmd) {
356         if (CtdlAccessCheck(ac_logged_in_or_guest)) return;
357
358         char stringy_date[16];
359         char stringy_time[16];
360         char stringy_gmt[16];
361         struct tm tm;
362         time_t thetime;
363
364         extract_token(stringy_date, cmd, 1, ' ', sizeof stringy_date);
365         extract_token(stringy_time, cmd, 2, ' ', sizeof stringy_time);
366         extract_token(stringy_gmt, cmd, 3, ' ', sizeof stringy_gmt);
367
368         memset(&tm, 0, sizeof tm);
369         if (strlen(stringy_date) == 6) {
370                 sscanf(stringy_date, "%2d%2d%2d", &tm.tm_year, &tm.tm_mon, &tm.tm_mday);
371                 tm.tm_year += 100;
372         }
373         else {
374                 sscanf(stringy_date, "%4d%2d%2d", &tm.tm_year, &tm.tm_mon, &tm.tm_mday);
375                 tm.tm_year -= 1900;
376         }
377         tm.tm_mon -= 1;         // tm_mon is zero based (0=January)
378         tm.tm_isdst = (-1);     // let the C library figure out whether DST is in effect
379         sscanf(stringy_time, "%2d%2d%2d", &tm.tm_hour, &tm.tm_min ,&tm.tm_sec);
380         thetime = mktime(&tm);
381         if (!strcasecmp(stringy_gmt, "GMT")) {
382                 tzset();
383 #ifdef __FreeBSD__
384                 thetime += (time_t) &tm.tm_gmtoff;
385 #else
386                 thetime += (time_t) timezone;
387 #endif
388         }
389
390         cprintf("231 list of new newsgroups follows\r\n");
391         CtdlGetUser(&CC->user, CC->curr_user);
392         CtdlForEachRoom(nntp_newgroups_backend, &thetime);
393         cprintf(".\r\n");
394 }
395
396
397 // Called once per room by nntp_list() to qualify and possibly output a single room
398 void nntp_list_backend(struct ctdlroom *qrbuf, void *data) {
399         int ra;
400         int view;
401         struct nntp_list_data *nld = (struct nntp_list_data *)data;
402
403         CtdlRoomAccess(qrbuf, &CC->user, &ra, &view);
404         if (ra & UA_KNOWN) {
405                 output_roomname_in_list_format(qrbuf, nld->list_format, nld->wildmat_pattern);
406         }
407 }
408
409
410 // Implements the LIST commands
411 void nntp_list(const char *cmd) {
412         if (CtdlAccessCheck(ac_logged_in_or_guest)) return;
413
414         char list_format[64];
415         char wildmat_pattern[1024];
416         struct nntp_list_data nld;
417
418         extract_token(list_format, cmd, 1, ' ', sizeof list_format);
419         extract_token(wildmat_pattern, cmd, 2, ' ', sizeof wildmat_pattern);
420
421         if (strlen(wildmat_pattern) > 0) {
422                 nld.wildmat_pattern = wildmat_pattern;
423         }
424         else {
425                 nld.wildmat_pattern = NULL;
426         }
427
428         if ( (strlen(cmd) < 6) || (!strcasecmp(list_format, "ACTIVE")) ) {
429                 nld.list_format = NNTP_LIST_ACTIVE;
430         }
431         else if (!strcasecmp(list_format, "NEWSGROUPS")) {
432                 nld.list_format = NNTP_LIST_NEWSGROUPS;
433         }
434         else if (!strcasecmp(list_format, "OVERVIEW.FMT")) {
435                 nld.list_format = NNTP_LIST_OVERVIEW_FMT;
436         }
437         else {
438                 cprintf("501 syntax error , unsupported list format\r\n");
439                 return;
440         }
441
442         // OVERVIEW.FMT delivers a completely different type of data than all of the
443         // other LIST commands.  It's a stupid place to put it.  But that's how it's
444         // written into RFC3977, so we have to handle it here.
445         if (nld.list_format == NNTP_LIST_OVERVIEW_FMT) {
446                 cprintf("215 Order of fields in overview database.\r\n");
447                 cprintf("Subject:\r\n");
448                 cprintf("From:\r\n");
449                 cprintf("Date:\r\n");
450                 cprintf("Message-ID:\r\n");
451                 cprintf("References:\r\n");
452                 cprintf("Bytes:\r\n");
453                 cprintf("Lines:\r\n");
454                 cprintf(".\r\n");
455                 return;
456         }
457
458         cprintf("215 list of newsgroups follows\r\n");
459         CtdlGetUser(&CC->user, CC->curr_user);
460         CtdlForEachRoom(nntp_list_backend, &nld);
461         cprintf(".\r\n");
462 }
463
464
465 // Implement HELP command.
466 void nntp_help(void) {
467         cprintf("100 This is the Citadel NNTP service.\r\n");
468         cprintf("RTFM http://www.ietf.org/rfc/rfc3977.txt\r\n");
469         cprintf(".\r\n");
470 }
471
472
473 // Implement DATE command.
474 void nntp_date(void) {
475         time_t now;
476         struct tm nowLocal;
477         struct tm nowUtc;
478         char tsFromUtc[32];
479
480         now = time(NULL);
481         localtime_r(&now, &nowLocal);
482         gmtime_r(&now, &nowUtc);
483
484         strftime(tsFromUtc, sizeof(tsFromUtc), "%Y%m%d%H%M%S", &nowUtc);
485
486         cprintf("111 %s\r\n", tsFromUtc);
487 }
488
489
490 // back end for the LISTGROUP command , called for each message number
491 void nntp_listgroup_backend(long msgnum, void *userdata) {
492
493         struct listgroup_range *lr = (struct listgroup_range *)userdata;
494
495         // check range if supplied
496         if (msgnum < lr->lo) return;
497         if ((lr->hi != 0) && (msgnum > lr->hi)) return;
498
499         cprintf("%ld\r\n", msgnum);
500 }
501
502
503 // Implements the GROUP and LISTGROUP commands
504 void nntp_group(const char *cmd) {
505         if (CtdlAccessCheck(ac_logged_in_or_guest)) return;
506
507         citnntp *nntpstate = (citnntp *) CC->session_specific_data;
508         char verb[16];
509         char requested_group[1024];
510         char message_range[256];
511         char range_lo[256];
512         char range_hi[256];
513         char requested_room[ROOMNAMELEN];
514         char augmented_roomname[ROOMNAMELEN];
515         int c = 0;
516         int ok = 0;
517         int ra = 0;
518         struct ctdlroom QRscratch;
519         int msgs, new;
520         long oldest,newest;
521         struct listgroup_range lr;
522
523         extract_token(verb, cmd, 0, ' ', sizeof verb);
524         extract_token(requested_group, cmd, 1, ' ', sizeof requested_group);
525         extract_token(message_range, cmd, 2, ' ', sizeof message_range);
526         extract_token(range_lo, message_range, 0, '-', sizeof range_lo);
527         extract_token(range_hi, message_range, 1, '-', sizeof range_hi);
528         lr.lo = atoi(range_lo);
529         lr.hi = atoi(range_hi);
530
531         // In LISTGROUP mode we can specify an empty name for 'currently selected'
532         if ((!strcasecmp(verb, "LISTGROUP")) && (IsEmptyStr(requested_group))) {
533                 room_to_newsgroup(requested_group, CC->room.QRname, sizeof requested_group);
534         }
535
536         // First try a regular match
537         newsgroup_to_room(requested_room, requested_group, sizeof requested_room);
538         c = CtdlGetRoom(&QRscratch, requested_room);
539
540         // Then try a mailbox name match
541         if (c != 0) {
542                 CtdlMailboxName(augmented_roomname, sizeof augmented_roomname, &CC->user, requested_room);
543                 c = CtdlGetRoom(&QRscratch, augmented_roomname);
544                 if (c == 0) {
545                         safestrncpy(requested_room, augmented_roomname, sizeof(requested_room));
546                 }
547         }
548
549         // If the room exists, check security/access
550         if (c == 0) {
551                 // See if there is an existing user/room relationship
552                 CtdlRoomAccess(&QRscratch, &CC->user, &ra, NULL);
553
554                 // normal clients have to pass through security
555                 if (ra & UA_KNOWN) {
556                         ok = 1;
557                 }
558         }
559
560         // Fail here if no such room
561         if (!ok) {
562                 cprintf("411 no such newsgroup\r\n");
563                 return;
564         }
565
566
567         // CtdlUserGoto() formally takes us to the desired room, happily returning
568         // the number of messages and number of new messages.
569         memcpy(&CC->room, &QRscratch, sizeof(struct ctdlroom));
570         CtdlUserGoto(NULL, 0, 0, &msgs, &new, &oldest, &newest);
571         cprintf("211 %d %ld %ld %s\r\n", msgs, oldest, newest, requested_group);
572
573         // If this is a GROUP command, set the "current article number" to zero, and then stop here.
574         if (!strcasecmp(verb, "GROUP")) {
575                 nntpstate->current_article_number = oldest;
576                 return;
577         }
578
579         // If we get to this point we are running a LISTGROUP command.  Fetch those message numbers.
580         CtdlForEachMessage(MSGS_ALL, 0L, NULL, NULL, NULL, nntp_listgroup_backend, &lr);
581         cprintf(".\r\n");
582 }
583
584
585 // Implements the MODE command
586 void nntp_mode(const char *cmd) {
587
588         char which_mode[16];
589
590         extract_token(which_mode, cmd, 1, ' ', sizeof which_mode);
591
592         if (!strcasecmp(which_mode, "reader")) {
593                 // FIXME implement posting and change to 200
594                 cprintf("201 Reader mode activated\r\n");
595         }
596         else {
597                 cprintf("501 unknown mode\r\n");
598         }
599 }
600
601
602 // Implements the ARTICLE, HEAD, BODY, and STAT commands.
603 // (These commands all accept the same parameters; they differ only in how they output the retrieved message.)
604 void nntp_article(const char *cmd) {
605         if (CtdlAccessCheck(ac_logged_in_or_guest)) return;
606
607         citnntp *nntpstate = (citnntp *) CC->session_specific_data;
608         char which_command[16];
609         int acmd = 0;
610         char requested_article[256];
611         long requested_msgnum = 0;
612         char *lb, *rb = NULL;
613         int must_change_currently_selected_article = 0;
614
615         // We're going to store one of these values in the variable 'acmd' so that
616         // we can quickly check later which version of the output we want.
617         enum {
618                 ARTICLE,
619                 HEAD,
620                 BODY,
621                 STAT
622         };
623
624         extract_token(which_command, cmd, 0, ' ', sizeof which_command);
625
626         if (!strcasecmp(which_command, "article")) {
627                 acmd = ARTICLE;
628         }
629         else if (!strcasecmp(which_command, "head")) {
630                 acmd = HEAD;
631         }
632         else if (!strcasecmp(which_command, "body")) {
633                 acmd = BODY;
634         }
635         else if (!strcasecmp(which_command, "stat")) {
636                 acmd = STAT;
637         }
638         else {
639                 cprintf("500 I'm afraid I can't do that.\r\n");
640                 return;
641         }
642
643         // Which NNTP command was issued, determines whether we will fetch headers, body, or both.
644         int                     headers_only = HEADERS_ALL;
645         if (acmd == HEAD)       headers_only = HEADERS_FAST;
646         else if (acmd == BODY)  headers_only = HEADERS_NONE;
647         else if (acmd == STAT)  headers_only = HEADERS_FAST;
648
649         // now figure out what the client is asking for.
650         extract_token(requested_article, cmd, 1, ' ', sizeof requested_article);
651         lb = strchr(requested_article, '<');
652         rb = strchr(requested_article, '>');
653         requested_msgnum = atol(requested_article);
654
655         // If no article number or message-id is specified, the client wants the "currently selected article"
656         if (IsEmptyStr(requested_article)) {
657                 if (nntpstate->current_article_number < 1) {
658                         cprintf("420 No current article selected\r\n");
659                         return;
660                 }
661                 requested_msgnum = nntpstate->current_article_number;
662                 must_change_currently_selected_article = 1;
663                 // got it -- now fall through and keep going
664         }
665
666         // If the requested article is numeric, it maps directly to a message number.  Good.
667         else if (requested_msgnum > 0) {
668                 must_change_currently_selected_article = 1;
669                 // good -- fall through and keep going
670         }
671
672         // If the requested article has angle brackets, the client wants a specific message-id.
673         // We don't know how to do that yet.
674         else if ( (lb != NULL) && (rb != NULL) && (lb < rb) ) {
675                 must_change_currently_selected_article = 0;
676                 cprintf("500 I don't know how to fetch by message-id yet.\r\n");        // FIXME
677                 return;
678         }
679
680         // Anything else is noncompliant gobbledygook and should die in a car fire.
681         else {
682                 must_change_currently_selected_article = 0;
683                 cprintf("500 syntax error\r\n");
684                 return;
685         }
686
687         // At this point we know the message number of the "article" being requested.
688         // We have an awesome API call that does all the heavy lifting for us.
689         char *fetched_message_id = NULL;
690         CC->redirect_buffer = NewStrBufPlain(NULL, SIZ);
691         int fetch = CtdlOutputMsg(requested_msgnum,
692                         MT_RFC822,              // output in RFC822 format ... sort of
693                         headers_only,           // headers, body, or both?
694                         0,                      // don't do Citadel protocol responses
695                         1,                      // CRLF newlines
696                         NULL,                   // teh whole thing, not just a section
697                         0,                      // no flags yet ... maybe new ones for Path: etc ?
698                         NULL,
699                         NULL,
700                         &fetched_message_id     // extract the message ID from the message as we go...
701         );
702         StrBuf *msgtext = CC->redirect_buffer;
703         CC->redirect_buffer = NULL;
704
705         if (fetch != om_ok) {
706                 cprintf("423 no article with that number\r\n");
707                 FreeStrBuf(&msgtext);
708                 return;
709         }
710
711         // RFC3977 6.2.1.2 specifes conditions under which the "currently selected article"
712         // MUST or MUST NOT be set to the message we just referenced.
713         if (must_change_currently_selected_article) {
714                 nntpstate->current_article_number = requested_msgnum;
715         }
716
717         // Now give the client what it asked for.
718         if (acmd == ARTICLE) {
719                 cprintf("220 %ld <%s>\r\n", requested_msgnum, fetched_message_id);
720         }
721         if (acmd == HEAD) {
722                 cprintf("221 %ld <%s>\r\n", requested_msgnum, fetched_message_id);
723         }
724         if (acmd == BODY) {
725                 cprintf("222 %ld <%s>\r\n", requested_msgnum, fetched_message_id);
726         }
727         if (acmd == STAT) {
728                 cprintf("223 %ld <%s>\r\n", requested_msgnum, fetched_message_id);
729                 FreeStrBuf(&msgtext);
730                 return;
731         }
732
733         client_write(SKEY(msgtext));
734         cprintf(".\r\n");                       // this protocol uses a dot terminator
735         FreeStrBuf(&msgtext);
736         if (fetched_message_id) free(fetched_message_id);
737 }
738
739
740 // Utility function for nntp_last_next() that turns a msgnum into a message ID.
741 // The memory for the returned string is pwnz0red by the caller.
742 char *message_id_from_msgnum(long msgnum) {
743         char *fetched_message_id = NULL;
744         CC->redirect_buffer = NewStrBufPlain(NULL, SIZ);
745         CtdlOutputMsg(msgnum,
746                         MT_RFC822,              // output in RFC822 format ... sort of
747                         HEADERS_FAST,           // headers, body, or both?
748                         0,                      // don't do Citadel protocol responses
749                         1,                      // CRLF newlines
750                         NULL,                   // teh whole thing, not just a section
751                         0,                      // no flags yet ... maybe new ones for Path: etc ?
752                         NULL,
753                         NULL,
754                         &fetched_message_id     // extract the message ID from the message as we go...
755         );
756         StrBuf *msgtext = CC->redirect_buffer;
757         CC->redirect_buffer = NULL;
758
759         FreeStrBuf(&msgtext);
760         return(fetched_message_id);
761 }
762
763
764 // The LAST and NEXT commands are so similar that they are handled by a single function.
765 void nntp_last_next(const char *cmd) {
766         if (CtdlAccessCheck(ac_logged_in_or_guest)) return;
767
768         citnntp *nntpstate = (citnntp *) CC->session_specific_data;
769         char which_command[16];
770         int acmd = 0;
771
772         // We're going to store one of these values in the variable 'acmd' so that
773         // we can quickly check later which version of the output we want.
774         enum {
775                 NNTP_LAST,
776                 NNTP_NEXT
777         };
778
779         extract_token(which_command, cmd, 0, ' ', sizeof which_command);
780
781         if (!strcasecmp(which_command, "last")) {
782                 acmd = NNTP_LAST;
783         }
784         else if (!strcasecmp(which_command, "next")) {
785                 acmd = NNTP_NEXT;
786         }
787         else {
788                 cprintf("500 I'm afraid I can't do that.\r\n");
789                 return;
790         }
791
792         // ok, here we go ... fetch the msglist so we can figure out our place in the universe
793         struct nntp_msglist nm;
794         int i = 0;
795         long selected_msgnum = 0;
796         char *message_id = NULL;
797
798         nm = nntp_fetch_msglist(&CC->room);
799         if ((nm.num_msgs < 0) || (nm.msgnums == NULL)) {
800                 cprintf("500 something bad happened\r\n");
801                 return;
802         }
803
804         if ( (acmd == NNTP_LAST) && (nm.num_msgs == 0) ) {
805                         cprintf("422 no previous article in this group\r\n");   // nothing here
806         }
807
808         else if ( (acmd == NNTP_LAST) && (nntpstate->current_article_number <= nm.msgnums[0]) ) {
809                         cprintf("422 no previous article in this group\r\n");   // already at the beginning
810         }
811
812         else if (acmd == NNTP_LAST) {
813                 for (i=0; ((i<nm.num_msgs)&&(selected_msgnum<=0)); ++i) {
814                         if ( (nm.msgnums[i] >= nntpstate->current_article_number) && (i > 0) ) {
815                                 selected_msgnum = nm.msgnums[i-1];
816                         }
817                 }
818                 if (selected_msgnum > 0) {
819                         nntpstate->current_article_number = selected_msgnum;
820                         message_id = message_id_from_msgnum(nntpstate->current_article_number);
821                         cprintf("223 %ld <%s>\r\n", nntpstate->current_article_number, message_id);
822                         if (message_id) free(message_id);
823                 }
824                 else {
825                         cprintf("422 no previous article in this group\r\n");
826                 }
827         }
828
829         else if ( (acmd == NNTP_NEXT) && (nm.num_msgs == 0) ) {
830                         cprintf("421 no next article in this group\r\n");       // nothing here
831         }
832
833         else if ( (acmd == NNTP_NEXT) && (nntpstate->current_article_number >= nm.msgnums[nm.num_msgs-1]) ) {
834                         cprintf("421 no next article in this group\r\n");       // already at the end
835         }
836
837         else if (acmd == NNTP_NEXT) {
838                 for (i=0; ((i<nm.num_msgs)&&(selected_msgnum<=0)); ++i) {
839                         if (nm.msgnums[i] > nntpstate->current_article_number) {
840                                 selected_msgnum = nm.msgnums[i];
841                         }
842                 }
843                 if (selected_msgnum > 0) {
844                         nntpstate->current_article_number = selected_msgnum;
845                         message_id = message_id_from_msgnum(nntpstate->current_article_number);
846                         cprintf("223 %ld <%s>\r\n", nntpstate->current_article_number, message_id);
847                         if (message_id) free(message_id);
848                 }
849                 else {
850                         cprintf("421 no next article in this group\r\n");
851                 }
852         }
853
854         // should never get here
855         else {
856                 cprintf("500 internal error\r\n");
857         }
858
859         if (nm.msgnums != NULL) {
860                 free(nm.msgnums);
861         }
862
863 }
864
865
866 // back end for the XOVER command , called for each message number
867 void nntp_xover_backend(long msgnum, void *userdata) {
868
869         struct listgroup_range *lr = (struct listgroup_range *)userdata;
870
871         // check range if supplied
872         if (msgnum < lr->lo) return;
873         if ((lr->hi != 0) && (msgnum > lr->hi)) return;
874
875         struct CtdlMessage *msg = CtdlFetchMessage(msgnum, 0);
876         if (msg == NULL) {
877                 return;
878         }
879
880         // Teh RFC says we need:
881         // -------------------------
882         // Subject header content
883         // From header content
884         // Date header content
885         // Message-ID header content
886         // References header content
887         // :bytes metadata item
888         // :lines metadata item
889
890         time_t msgtime = atol(msg->cm_fields[eTimestamp]);
891         char strtimebuf[26];
892         ctime_r(&msgtime, strtimebuf);
893
894         // here we go -- print the line o'data
895         cprintf("%ld\t%s\t%s <%s>\t%s\t%s\t%s\t100\t10\r\n",
896                 msgnum,
897                 msg->cm_fields[eMsgSubject],
898                 msg->cm_fields[eAuthor],
899                 msg->cm_fields[erFc822Addr],
900                 strtimebuf,
901                 msg->cm_fields[emessageId],
902                 msg->cm_fields[eWeferences]
903         );
904
905         CM_Free(msg);
906 }
907
908
909 // XOVER is used by some clients, even if we don't offer it
910 void nntp_xover(const char *cmd) {
911         if (CtdlAccessCheck(ac_logged_in_or_guest)) return;
912
913         citnntp *nntpstate = (citnntp *) CC->session_specific_data;
914         char range[256];
915         struct listgroup_range lr;
916
917         extract_token(range, cmd, 1, ' ', sizeof range);
918         lr.lo = atol(range);
919         if (lr.lo <= 0) {
920                 lr.lo = nntpstate->current_article_number;
921                 lr.hi = nntpstate->current_article_number;
922         }
923         else {
924                 char *dash = strchr(range, '-');
925                 if (dash != NULL) {
926                         ++dash;
927                         lr.hi = atol(dash);
928                         if (lr.hi == 0) {
929                                 lr.hi = LONG_MAX;
930                         }
931                         if (lr.hi < lr.lo) {
932                                 lr.hi = lr.lo;
933                         }
934                 }
935                 else {
936                         lr.hi = lr.lo;
937                 }
938         }
939
940         cprintf("224 Overview information follows\r\n");
941         CtdlForEachMessage(MSGS_ALL, 0L, NULL, NULL, NULL, nntp_xover_backend, &lr);
942         cprintf(".\r\n");
943 }
944
945
946 // Main command loop for NNTP server sessions.
947 void nntp_command_loop(void) {
948         StrBuf *Cmd = NewStrBuf();
949         char cmdname[16];
950
951         time(&CC->lastcmd);
952         if (CtdlClientGetLine(Cmd) < 1) {
953                 syslog(LOG_CRIT, "NNTP: client disconnected: ending session.\n");
954                 CC->kill_me = KILLME_CLIENT_DISCONNECTED;
955                 FreeStrBuf(&Cmd);
956                 return;
957         }
958         syslog(LOG_DEBUG, "NNTP: %s\n", ((!strncasecmp(ChrPtr(Cmd), "AUTHINFO", 8)) ? "AUTHINFO ..." : ChrPtr(Cmd)));
959         extract_token(cmdname, ChrPtr(Cmd), 0, ' ', sizeof cmdname);
960
961         // Rumpelstiltskin lookups are *awesome*
962
963         if (!strcasecmp(cmdname, "quit")) {
964                 nntp_quit();
965         }
966
967         else if (!strcasecmp(cmdname, "help")) {
968                 nntp_help();
969         }
970
971         else if (!strcasecmp(cmdname, "date")) {
972                 nntp_date();
973         }
974
975         else if (!strcasecmp(cmdname, "capabilities")) {
976                 nntp_capabilities();
977         }
978
979         else if (!strcasecmp(cmdname, "starttls")) {
980                 nntp_starttls();
981         }
982
983         else if (!strcasecmp(cmdname, "authinfo")) {
984                 nntp_authinfo(ChrPtr(Cmd));
985         }
986
987         else if (!strcasecmp(cmdname, "newgroups")) {
988                 nntp_newgroups(ChrPtr(Cmd));
989         }
990
991         else if (!strcasecmp(cmdname, "list")) {
992                 nntp_list(ChrPtr(Cmd));
993         }
994
995         else if (!strcasecmp(cmdname, "group")) {
996                 nntp_group(ChrPtr(Cmd));
997         }
998
999         else if (!strcasecmp(cmdname, "listgroup")) {
1000                 nntp_group(ChrPtr(Cmd));
1001         }
1002
1003         else if (!strcasecmp(cmdname, "mode")) {
1004                 nntp_mode(ChrPtr(Cmd));
1005         }
1006
1007         else if (
1008                         (!strcasecmp(cmdname, "article"))
1009                         || (!strcasecmp(cmdname, "head"))
1010                         || (!strcasecmp(cmdname, "body"))
1011                         || (!strcasecmp(cmdname, "stat"))
1012                 )
1013         {
1014                 nntp_article(ChrPtr(Cmd));
1015         }
1016
1017         else if (
1018                         (!strcasecmp(cmdname, "last"))
1019                         || (!strcasecmp(cmdname, "next"))
1020                 )
1021         {
1022                 nntp_last_next(ChrPtr(Cmd));
1023         }
1024
1025         else if (
1026                         (!strcasecmp(cmdname, "xover"))
1027                         || (!strcasecmp(cmdname, "over"))
1028                 )
1029         {
1030                 nntp_xover(ChrPtr(Cmd));
1031         }
1032
1033         else {
1034                 cprintf("500 I'm afraid I can't do that.\r\n");
1035         }
1036
1037         FreeStrBuf(&Cmd);
1038 }
1039
1040
1041 //      ****************************************************************************
1042 //                            MODULE INITIALIZATION STUFF
1043 //      ****************************************************************************
1044
1045
1046 // This cleanup function blows away the temporary memory used by the NNTP server.
1047 void nntp_cleanup_function(void) {
1048         // Don't do this stuff if this is not an NNTP session!
1049         if (CC->h_command_function != nntp_command_loop) return;
1050
1051         syslog(LOG_DEBUG, "Performing NNTP cleanup hook\n");
1052         citnntp *nntpstate = (citnntp *) CC->session_specific_data;
1053         if (nntpstate != NULL) {
1054                 free(nntpstate);
1055                 nntpstate = NULL;
1056         }
1057 }
1058
1059 const char *CitadelServiceNNTP="NNTP";
1060 const char *CitadelServiceNNTPS="NNTPS";
1061
1062
1063 // Initialization function, called from modules_init.c
1064 char *ctdl_module_init_nntp(void) {
1065         if (!threading) {
1066                 CtdlRegisterServiceHook(CtdlGetConfigInt("c_nntp_port"),
1067                                         NULL,
1068                                         nntp_greeting,
1069                                         nntp_command_loop,
1070                                         NULL, 
1071                                         CitadelServiceNNTP);
1072
1073 #ifdef HAVE_OPENSSL
1074                 CtdlRegisterServiceHook(CtdlGetConfigInt("c_nntps_port"),
1075                                         NULL,
1076                                         nntps_greeting,
1077                                         nntp_command_loop,
1078                                         NULL,
1079                                         CitadelServiceNNTPS);
1080 #endif
1081
1082                 CtdlRegisterSessionHook(nntp_cleanup_function, EVT_STOP, PRIO_STOP + 250);
1083         }
1084         
1085         // return our module name for the log
1086         return "nntp";
1087 }