49f634595e8f4259a18034e36247632aa6a7a064
[citadel.git] / citadel / msgbase.c
1 /*
2  * Implements the message store.
3  *
4  * Copyright (c) 1987-2015 by the citadel.org team
5  *
6  * This program is open source software; you can redistribute it and/or modify
7  * it under the terms of the GNU General Public License version 3.
8  *
9  * This program is distributed in the hope that it will be useful,
10  * but WITHOUT ANY WARRANTY; without even the implied warranty of
11  * MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE.  See the
12  * GNU General Public License for more details.
13  */
14
15
16 #include <stdio.h>
17 #include <regex.h>
18 #include <libcitadel.h>
19
20 #include "md5.h"
21
22 #include "ctdl_module.h"
23 #include "citserver.h"
24 #include "control.h"
25 #include "config.h"
26 #include "clientsocket.h"
27 #include "genstamp.h"
28 #include "room_ops.h"
29 #include "user_ops.h"
30
31 #include "internet_addressing.h"
32 #include "euidindex.h"
33 #include "msgbase.h"
34 #include "journaling.h"
35
36 struct addresses_to_be_filed *atbf = NULL;
37
38 /* This temp file holds the queue of operations for AdjRefCount() */
39 static FILE *arcfp = NULL;
40 void AdjRefCountList(long *msgnum, long nmsg, int incr);
41
42 int MessageDebugEnabled = 0;
43
44 /*
45  * These are the four-character field headers we use when outputting
46  * messages in Citadel format (as opposed to RFC822 format).
47  */
48 char *msgkeys[] = {
49         NULL, NULL, NULL, NULL, NULL, NULL, NULL, NULL, 
50         NULL, NULL, NULL, NULL, NULL, NULL, NULL, NULL, 
51         NULL, NULL, NULL, NULL, NULL, NULL, NULL, NULL, 
52         NULL, NULL, NULL, NULL, NULL, NULL, NULL, NULL, 
53         NULL, NULL, NULL, NULL, NULL, NULL, NULL, NULL, 
54         NULL, NULL, NULL, NULL, NULL, NULL, NULL, NULL, 
55         NULL, NULL, NULL, NULL, NULL, NULL, NULL, NULL, 
56         NULL, NULL, NULL, NULL, NULL, NULL, NULL, NULL, 
57         NULL, 
58         "from", /* A */
59         NULL,   /* B */
60         NULL,   /* C */
61         NULL,   /* D */
62         "exti", /* E */
63         "rfca", /* F */
64         NULL,   /* G */
65         "hnod", /* H */
66         "msgn", /* I */
67         "jrnl", /* J */
68         "rep2", /* K */
69         "list", /* L */
70         "text", /* M */
71         "node", /* N */
72         "room", /* O */
73         "path", /* P */
74         NULL,   /* Q */
75         "rcpt", /* R */
76         "spec", /* S */
77         "time", /* T */
78         "subj", /* U */
79         "nvto", /* V */
80         "wefw", /* W */
81         NULL,   /* X */
82         "cccc", /* Y */
83         NULL    /* Z */
84 };
85
86 eMsgField FieldOrder[]  = {
87 /* Important fields */
88         emessageId   ,
89         eMessagePath ,
90         eTimestamp   ,
91         eAuthor      ,
92         erFc822Addr  ,
93         eOriginalRoom,
94         eNodeName    ,
95         eHumanNode   ,
96         eRecipient   ,
97         eDestination ,
98 /* Semi-important fields */
99         eBig_message ,
100         eRemoteRoom  ,
101         eExclusiveID ,
102         eWeferences  ,
103         eJournal     ,
104 /* G is not used yet, may become virus signature*/
105         eReplyTo     ,
106         eListID      ,
107 /* Q is not used yet */
108         eSpecialField,
109         eenVelopeTo  ,
110 /* X is not used yet */
111 /* Z is not used yet */
112         eCarbonCopY  ,
113         eMsgSubject  ,
114 /* internal only */
115         eErrorMsg    ,
116         eSuppressIdx ,
117         eExtnotify   ,
118 /* Message text (MUST be last) */
119         eMesageText 
120 /* Not saved to disk: 
121         eVltMsgNum
122 */
123 };
124
125 static const long NDiskFields = sizeof(FieldOrder) / sizeof(eMsgField);
126
127 int CM_IsEmpty(struct CtdlMessage *Msg, eMsgField which)
128 {
129         return !((Msg->cm_fields[which] != NULL) &&
130                  (Msg->cm_fields[which][0] != '\0'));
131 }
132
133 void CM_SetField(struct CtdlMessage *Msg, eMsgField which, const char *buf, long length)
134 {
135         if (Msg->cm_fields[which] != NULL)
136                 free (Msg->cm_fields[which]);
137         Msg->cm_fields[which] = malloc(length + 1);
138         memcpy(Msg->cm_fields[which], buf, length);
139         Msg->cm_fields[which][length] = '\0';
140         Msg->cm_lengths[which] = length;
141 }
142
143 void CM_SetFieldLONG(struct CtdlMessage *Msg, eMsgField which, long lvalue)
144 {
145         char buf[128];
146         long len;
147         len = snprintf(buf, sizeof(buf), "%ld", lvalue);
148         CM_SetField(Msg, which, buf, len);
149 }
150 void CM_CutFieldAt(struct CtdlMessage *Msg, eMsgField WhichToCut, long maxlen)
151 {
152         if (Msg->cm_fields[WhichToCut] == NULL)
153                 return;
154
155         if (Msg->cm_lengths[WhichToCut] > maxlen)
156         {
157                 Msg->cm_fields[WhichToCut][maxlen] = '\0';
158                 Msg->cm_lengths[WhichToCut] = maxlen;
159         }
160 }
161
162 void CM_FlushField(struct CtdlMessage *Msg, eMsgField which)
163 {
164         if (Msg->cm_fields[which] != NULL)
165                 free (Msg->cm_fields[which]);
166         Msg->cm_fields[which] = NULL;
167         Msg->cm_lengths[which] = 0;
168 }
169 void CM_Flush(struct CtdlMessage *Msg)
170 {
171         int i;
172
173         if (CM_IsValidMsg(Msg) == 0) 
174                 return;
175
176         for (i = 0; i < 256; ++i)
177         {
178                 CM_FlushField(Msg, i);
179         }
180 }
181
182 void CM_CopyField(struct CtdlMessage *Msg, eMsgField WhichToPutTo, eMsgField WhichtToCopy)
183 {
184         long len;
185         if (Msg->cm_fields[WhichToPutTo] != NULL)
186                 free (Msg->cm_fields[WhichToPutTo]);
187
188         if (Msg->cm_fields[WhichtToCopy] != NULL)
189         {
190                 len = Msg->cm_lengths[WhichtToCopy];
191                 Msg->cm_fields[WhichToPutTo] = malloc(len + 1);
192                 memcpy(Msg->cm_fields[WhichToPutTo], Msg->cm_fields[WhichtToCopy], len);
193                 Msg->cm_fields[WhichToPutTo][len] = '\0';
194                 Msg->cm_lengths[WhichToPutTo] = len;
195         }
196         else
197         {
198                 Msg->cm_fields[WhichToPutTo] = NULL;
199                 Msg->cm_lengths[WhichToPutTo] = 0;
200         }
201 }
202
203
204 void CM_PrependToField(struct CtdlMessage *Msg, eMsgField which, const char *buf, long length)
205 {
206         if (Msg->cm_fields[which] != NULL) {
207                 long oldmsgsize;
208                 long newmsgsize;
209                 char *new;
210
211                 oldmsgsize = Msg->cm_lengths[which] + 1;
212                 newmsgsize = length + oldmsgsize;
213
214                 new = malloc(newmsgsize);
215                 memcpy(new, buf, length);
216                 memcpy(new + length, Msg->cm_fields[which], oldmsgsize);
217                 free(Msg->cm_fields[which]);
218                 Msg->cm_fields[which] = new;
219                 Msg->cm_lengths[which] = newmsgsize - 1;
220         }
221         else {
222                 Msg->cm_fields[which] = malloc(length + 1);
223                 memcpy(Msg->cm_fields[which], buf, length);
224                 Msg->cm_fields[which][length] = '\0';
225                 Msg->cm_lengths[which] = length;
226         }
227 }
228
229 void CM_SetAsField(struct CtdlMessage *Msg, eMsgField which, char **buf, long length)
230 {
231         if (Msg->cm_fields[which] != NULL)
232                 free (Msg->cm_fields[which]);
233
234         Msg->cm_fields[which] = *buf;
235         *buf = NULL;
236         Msg->cm_lengths[which] = length;
237 }
238
239 void CM_SetAsFieldSB(struct CtdlMessage *Msg, eMsgField which, StrBuf **buf)
240 {
241         if (Msg->cm_fields[which] != NULL)
242                 free (Msg->cm_fields[which]);
243
244         Msg->cm_lengths[which] = StrLength(*buf);
245         Msg->cm_fields[which] = SmashStrBuf(buf);
246 }
247
248 void CM_GetAsField(struct CtdlMessage *Msg, eMsgField which, char **ret, long *retlen)
249 {
250         if (Msg->cm_fields[which] != NULL)
251         {
252                 *retlen = Msg->cm_lengths[which];
253                 *ret = Msg->cm_fields[which];
254                 Msg->cm_fields[which] = NULL;
255                 Msg->cm_lengths[which] = 0;
256         }
257         else
258         {
259                 *ret = NULL;
260                 *retlen = 0;
261         }
262 }
263
264 /*
265  * Returns 1 if the supplied pointer points to a valid Citadel message.
266  * If the pointer is NULL or the magic number check fails, returns 0.
267  */
268 int CM_IsValidMsg(struct CtdlMessage *msg) {
269         if (msg == NULL)
270                 return 0;
271         if ((msg->cm_magic) != CTDLMESSAGE_MAGIC) {
272                 struct CitContext *CCC = CC;
273                 MSGM_syslog(LOG_WARNING, "CM_IsValidMsg() -- self-check failed\n");
274                 return 0;
275         }
276         return 1;
277 }
278
279 void CM_FreeContents(struct CtdlMessage *msg)
280 {
281         int i;
282
283         for (i = 0; i < 256; ++i)
284                 if (msg->cm_fields[i] != NULL) {
285                         free(msg->cm_fields[i]);
286                         msg->cm_lengths[i] = 0;
287                 }
288
289         msg->cm_magic = 0;      /* just in case */
290 }
291 /*
292  * 'Destructor' for struct CtdlMessage
293  */
294 void CM_Free(struct CtdlMessage *msg)
295 {
296         if (CM_IsValidMsg(msg) == 0) 
297         {
298                 if (msg != NULL) free (msg);
299                 return;
300         }
301         CM_FreeContents(msg);
302         free(msg);
303 }
304
305 int CM_DupField(eMsgField i, struct CtdlMessage *OrgMsg, struct CtdlMessage *NewMsg)
306 {
307         long len;
308         len = OrgMsg->cm_lengths[i];
309         NewMsg->cm_fields[i] = malloc(len + 1);
310         if (NewMsg->cm_fields[i] == NULL)
311                 return 0;
312         memcpy(NewMsg->cm_fields[i], OrgMsg->cm_fields[i], len);
313         NewMsg->cm_fields[i][len] = '\0';
314         NewMsg->cm_lengths[i] = len;
315         return 1;
316 }
317
318 struct CtdlMessage * CM_Duplicate(struct CtdlMessage *OrgMsg)
319 {
320         int i;
321         struct CtdlMessage *NewMsg;
322
323         if (CM_IsValidMsg(OrgMsg) == 0) 
324                 return NULL;
325         NewMsg = (struct CtdlMessage *)malloc(sizeof(struct CtdlMessage));
326         if (NewMsg == NULL)
327                 return NULL;
328
329         memcpy(NewMsg, OrgMsg, sizeof(struct CtdlMessage));
330
331         memset(&NewMsg->cm_fields, 0, sizeof(char*) * 256);
332         
333         for (i = 0; i < 256; ++i)
334         {
335                 if (OrgMsg->cm_fields[i] != NULL)
336                 {
337                         if (!CM_DupField(i, OrgMsg, NewMsg))
338                         {
339                                 CM_Free(NewMsg);
340                                 return NULL;
341                         }
342                 }
343         }
344
345         return NewMsg;
346 }
347
348
349
350
351
352 /* Determine if a given message matches the fields in a message template.
353  * Return 0 for a successful match.
354  */
355 int CtdlMsgCmp(struct CtdlMessage *msg, struct CtdlMessage *template) {
356         int i;
357
358         /* If there aren't any fields in the template, all messages will
359          * match.
360          */
361         if (template == NULL) return(0);
362
363         /* Null messages are bogus. */
364         if (msg == NULL) return(1);
365
366         for (i='A'; i<='Z'; ++i) {
367                 if (template->cm_fields[i] != NULL) {
368                         if (msg->cm_fields[i] == NULL) {
369                                 /* Considered equal if temmplate is empty string */
370                                 if (IsEmptyStr(template->cm_fields[i])) continue;
371                                 return 1;
372                         }
373                         if ((template->cm_lengths[i] != msg->cm_lengths[i]) ||
374                             (strcasecmp(msg->cm_fields[i], template->cm_fields[i])))
375                                 return 1;
376                 }
377         }
378
379         /* All compares succeeded: we have a match! */
380         return 0;
381 }
382
383
384
385 /*
386  * Retrieve the "seen" message list for the current room.
387  */
388 void CtdlGetSeen(char *buf, int which_set) {
389         struct CitContext *CCC = CC;
390         visit vbuf;
391
392         /* Learn about the user and room in question */
393         CtdlGetRelationship(&vbuf, &CCC->user, &CCC->room);
394
395         if (which_set == ctdlsetseen_seen)
396                 safestrncpy(buf, vbuf.v_seen, SIZ);
397         if (which_set == ctdlsetseen_answered)
398                 safestrncpy(buf, vbuf.v_answered, SIZ);
399 }
400
401
402
403 /*
404  * Manipulate the "seen msgs" string (or other message set strings)
405  */
406 void CtdlSetSeen(long *target_msgnums, int num_target_msgnums,
407                 int target_setting, int which_set,
408                 struct ctdluser *which_user, struct ctdlroom *which_room) {
409         struct CitContext *CCC = CC;
410         struct cdbdata *cdbfr;
411         int i, k;
412         int is_seen = 0;
413         int was_seen = 0;
414         long lo = (-1L);
415         long hi = (-1L); /// TODO: we just write here. y?
416         visit vbuf;
417         long *msglist;
418         int num_msgs = 0;
419         StrBuf *vset;
420         StrBuf *setstr;
421         StrBuf *lostr;
422         StrBuf *histr;
423         const char *pvset;
424         char *is_set;   /* actually an array of booleans */
425
426         /* Don't bother doing *anything* if we were passed a list of zero messages */
427         if (num_target_msgnums < 1) {
428                 return;
429         }
430
431         /* If no room was specified, we go with the current room. */
432         if (!which_room) {
433                 which_room = &CCC->room;
434         }
435
436         /* If no user was specified, we go with the current user. */
437         if (!which_user) {
438                 which_user = &CCC->user;
439         }
440
441         MSG_syslog(LOG_DEBUG, "CtdlSetSeen(%d msgs starting with %ld, %s, %d) in <%s>\n",
442                    num_target_msgnums, target_msgnums[0],
443                    (target_setting ? "SET" : "CLEAR"),
444                    which_set,
445                    which_room->QRname);
446
447         /* Learn about the user and room in question */
448         CtdlGetRelationship(&vbuf, which_user, which_room);
449
450         /* Load the message list */
451         cdbfr = cdb_fetch(CDB_MSGLISTS, &which_room->QRnumber, sizeof(long));
452         if (cdbfr != NULL) {
453                 msglist = (long *) cdbfr->ptr;
454                 cdbfr->ptr = NULL;      /* CtdlSetSeen() now owns this memory */
455                 num_msgs = cdbfr->len / sizeof(long);
456                 cdb_free(cdbfr);
457         } else {
458                 return; /* No messages at all?  No further action. */
459         }
460
461         is_set = malloc(num_msgs * sizeof(char));
462         memset(is_set, 0, (num_msgs * sizeof(char)) );
463
464         /* Decide which message set we're manipulating */
465         switch(which_set) {
466         case ctdlsetseen_seen:
467                 vset = NewStrBufPlain(vbuf.v_seen, -1);
468                 break;
469         case ctdlsetseen_answered:
470                 vset = NewStrBufPlain(vbuf.v_answered, -1);
471                 break;
472         default:
473                 vset = NewStrBuf();
474         }
475
476
477 #if 0   /* This is a special diagnostic section.  Do not allow it to run during normal operation. */
478         MSG_syslog(LOG_DEBUG, "There are %d messages in the room.\n", num_msgs);
479         for (i=0; i<num_msgs; ++i) {
480                 if ((i > 0) && (msglist[i] <= msglist[i-1])) abort();
481         }
482         MSG_syslog(LOG_DEBUG, "We are twiddling %d of them.\n", num_target_msgnums);
483         for (k=0; k<num_target_msgnums; ++k) {
484                 if ((k > 0) && (target_msgnums[k] <= target_msgnums[k-1])) abort();
485         }
486 #endif
487
488         MSG_syslog(LOG_DEBUG, "before update: %s\n", ChrPtr(vset));
489
490         /* Translate the existing sequence set into an array of booleans */
491         setstr = NewStrBuf();
492         lostr = NewStrBuf();
493         histr = NewStrBuf();
494         pvset = NULL;
495         while (StrBufExtract_NextToken(setstr, vset, &pvset, ',') >= 0) {
496
497                 StrBufExtract_token(lostr, setstr, 0, ':');
498                 if (StrBufNum_tokens(setstr, ':') >= 2) {
499                         StrBufExtract_token(histr, setstr, 1, ':');
500                 }
501                 else {
502                         FlushStrBuf(histr);
503                         StrBufAppendBuf(histr, lostr, 0);
504                 }
505                 lo = StrTol(lostr);
506                 if (!strcmp(ChrPtr(histr), "*")) {
507                         hi = LONG_MAX;
508                 }
509                 else {
510                         hi = StrTol(histr);
511                 }
512
513                 for (i = 0; i < num_msgs; ++i) {
514                         if ((msglist[i] >= lo) && (msglist[i] <= hi)) {
515                                 is_set[i] = 1;
516                         }
517                 }
518         }
519         FreeStrBuf(&setstr);
520         FreeStrBuf(&lostr);
521         FreeStrBuf(&histr);
522
523
524         /* Now translate the array of booleans back into a sequence set */
525         FlushStrBuf(vset);
526         was_seen = 0;
527         lo = (-1);
528         hi = (-1);
529
530         for (i=0; i<num_msgs; ++i) {
531                 is_seen = is_set[i];
532
533                 /* Apply changes */
534                 for (k=0; k<num_target_msgnums; ++k) {
535                         if (msglist[i] == target_msgnums[k]) {
536                                 is_seen = target_setting;
537                         }
538                 }
539
540                 if ((was_seen == 0) && (is_seen == 1)) {
541                         lo = msglist[i];
542                 }
543                 else if ((was_seen == 1) && (is_seen == 0)) {
544                         hi = msglist[i-1];
545
546                         if (StrLength(vset) > 0) {
547                                 StrBufAppendBufPlain(vset, HKEY(","), 0);
548                         }
549                         if (lo == hi) {
550                                 StrBufAppendPrintf(vset, "%ld", hi);
551                         }
552                         else {
553                                 StrBufAppendPrintf(vset, "%ld:%ld", lo, hi);
554                         }
555                 }
556
557                 if ((is_seen) && (i == num_msgs - 1)) {
558                         if (StrLength(vset) > 0) {
559                                 StrBufAppendBufPlain(vset, HKEY(","), 0);
560                         }
561                         if ((i==0) || (was_seen == 0)) {
562                                 StrBufAppendPrintf(vset, "%ld", msglist[i]);
563                         }
564                         else {
565                                 StrBufAppendPrintf(vset, "%ld:%ld", lo, msglist[i]);
566                         }
567                 }
568
569                 was_seen = is_seen;
570         }
571
572         /*
573          * We will have to stuff this string back into a 4096 byte buffer, so if it's
574          * larger than that now, truncate it by removing tokens from the beginning.
575          * The limit of 100 iterations is there to prevent an infinite loop in case
576          * something unexpected happens.
577          */
578         int number_of_truncations = 0;
579         while ( (StrLength(vset) > SIZ) && (number_of_truncations < 100) ) {
580                 StrBufRemove_token(vset, 0, ',');
581                 ++number_of_truncations;
582         }
583
584         /*
585          * If we're truncating the sequence set of messages marked with the 'seen' flag,
586          * we want the earliest messages (the truncated ones) to be marked, not unmarked.
587          * Otherwise messages at the beginning will suddenly appear to be 'unseen'.
588          */
589         if ( (which_set == ctdlsetseen_seen) && (number_of_truncations > 0) ) {
590                 StrBuf *first_tok;
591                 first_tok = NewStrBuf();
592                 StrBufExtract_token(first_tok, vset, 0, ',');
593                 StrBufRemove_token(vset, 0, ',');
594
595                 if (StrBufNum_tokens(first_tok, ':') > 1) {
596                         StrBufRemove_token(first_tok, 0, ':');
597                 }
598                 
599                 StrBuf *new_set;
600                 new_set = NewStrBuf();
601                 StrBufAppendBufPlain(new_set, HKEY("1:"), 0);
602                 StrBufAppendBuf(new_set, first_tok, 0);
603                 StrBufAppendBufPlain(new_set, HKEY(":"), 0);
604                 StrBufAppendBuf(new_set, vset, 0);
605
606                 FreeStrBuf(&vset);
607                 FreeStrBuf(&first_tok);
608                 vset = new_set;
609         }
610
611         MSG_syslog(LOG_DEBUG, " after update: %s\n", ChrPtr(vset));
612
613         /* Decide which message set we're manipulating */
614         switch (which_set) {
615                 case ctdlsetseen_seen:
616                         safestrncpy(vbuf.v_seen, ChrPtr(vset), sizeof vbuf.v_seen);
617                         break;
618                 case ctdlsetseen_answered:
619                         safestrncpy(vbuf.v_answered, ChrPtr(vset), sizeof vbuf.v_answered);
620                         break;
621         }
622
623         free(is_set);
624         free(msglist);
625         CtdlSetRelationship(&vbuf, which_user, which_room);
626         FreeStrBuf(&vset);
627 }
628
629
630 /*
631  * API function to perform an operation for each qualifying message in the
632  * current room.  (Returns the number of messages processed.)
633  */
634 int CtdlForEachMessage(int mode, long ref, char *search_string,
635                         char *content_type,
636                         struct CtdlMessage *compare,
637                         ForEachMsgCallback CallBack,
638                         void *userdata)
639 {
640         struct CitContext *CCC = CC;
641         int a, i, j;
642         visit vbuf;
643         struct cdbdata *cdbfr;
644         long *msglist = NULL;
645         int num_msgs = 0;
646         int num_processed = 0;
647         long thismsg;
648         struct MetaData smi;
649         struct CtdlMessage *msg = NULL;
650         int is_seen = 0;
651         long lastold = 0L;
652         int printed_lastold = 0;
653         int num_search_msgs = 0;
654         long *search_msgs = NULL;
655         regex_t re;
656         int need_to_free_re = 0;
657         regmatch_t pm;
658
659         if ((content_type) && (!IsEmptyStr(content_type))) {
660                 regcomp(&re, content_type, 0);
661                 need_to_free_re = 1;
662         }
663
664         /* Learn about the user and room in question */
665         if (server_shutting_down) {
666                 if (need_to_free_re) regfree(&re);
667                 return -1;
668         }
669         CtdlGetUser(&CCC->user, CCC->curr_user);
670
671         if (server_shutting_down) {
672                 if (need_to_free_re) regfree(&re);
673                 return -1;
674         }
675         CtdlGetRelationship(&vbuf, &CCC->user, &CCC->room);
676
677         if (server_shutting_down) {
678                 if (need_to_free_re) regfree(&re);
679                 return -1;
680         }
681
682         /* Load the message list */
683         cdbfr = cdb_fetch(CDB_MSGLISTS, &CCC->room.QRnumber, sizeof(long));
684         if (cdbfr == NULL) {
685                 if (need_to_free_re) regfree(&re);
686                 return 0;       /* No messages at all?  No further action. */
687         }
688
689         msglist = (long *) cdbfr->ptr;
690         num_msgs = cdbfr->len / sizeof(long);
691
692         cdbfr->ptr = NULL;      /* clear this so that cdb_free() doesn't free it */
693         cdb_free(cdbfr);        /* we own this memory now */
694
695         /*
696          * Now begin the traversal.
697          */
698         if (num_msgs > 0) for (a = 0; a < num_msgs; ++a) {
699
700                 /* If the caller is looking for a specific MIME type, filter
701                  * out all messages which are not of the type requested.
702                  */
703                 if ((content_type != NULL) && (!IsEmptyStr(content_type))) {
704
705                         /* This call to GetMetaData() sits inside this loop
706                          * so that we only do the extra database read per msg
707                          * if we need to.  Doing the extra read all the time
708                          * really kills the server.  If we ever need to use
709                          * metadata for another search criterion, we need to
710                          * move the read somewhere else -- but still be smart
711                          * enough to only do the read if the caller has
712                          * specified something that will need it.
713                          */
714                         if (server_shutting_down) {
715                                 if (need_to_free_re) regfree(&re);
716                                 free(msglist);
717                                 return -1;
718                         }
719                         GetMetaData(&smi, msglist[a]);
720
721                         /* if (strcasecmp(smi.meta_content_type, content_type)) { old non-regex way */
722                         if (regexec(&re, smi.meta_content_type, 1, &pm, 0) != 0) {
723                                 msglist[a] = 0L;
724                         }
725                 }
726         }
727
728         num_msgs = sort_msglist(msglist, num_msgs);
729
730         /* If a template was supplied, filter out the messages which
731          * don't match.  (This could induce some delays!)
732          */
733         if (num_msgs > 0) {
734                 if (compare != NULL) {
735                         for (a = 0; a < num_msgs; ++a) {
736                                 if (server_shutting_down) {
737                                         if (need_to_free_re) regfree(&re);
738                                         free(msglist);
739                                         return -1;
740                                 }
741                                 msg = CtdlFetchMessage(msglist[a], 1, 1);
742                                 if (msg != NULL) {
743                                         if (CtdlMsgCmp(msg, compare)) {
744                                                 msglist[a] = 0L;
745                                         }
746                                         CM_Free(msg);
747                                 }
748                         }
749                 }
750         }
751
752         /* If a search string was specified, get a message list from
753          * the full text index and remove messages which aren't on both
754          * lists.
755          *
756          * How this works:
757          * Since the lists are sorted and strictly ascending, and the
758          * output list is guaranteed to be shorter than or equal to the
759          * input list, we overwrite the bottom of the input list.  This
760          * eliminates the need to memmove big chunks of the list over and
761          * over again.
762          */
763         if ( (num_msgs > 0) && (mode == MSGS_SEARCH) && (search_string) ) {
764
765                 /* Call search module via hook mechanism.
766                  * NULL means use any search function available.
767                  * otherwise replace with a char * to name of search routine
768                  */
769                 CtdlModuleDoSearch(&num_search_msgs, &search_msgs, search_string, "fulltext");
770
771                 if (num_search_msgs > 0) {
772         
773                         int orig_num_msgs;
774
775                         orig_num_msgs = num_msgs;
776                         num_msgs = 0;
777                         for (i=0; i<orig_num_msgs; ++i) {
778                                 for (j=0; j<num_search_msgs; ++j) {
779                                         if (msglist[i] == search_msgs[j]) {
780                                                 msglist[num_msgs++] = msglist[i];
781                                         }
782                                 }
783                         }
784                 }
785                 else {
786                         num_msgs = 0;   /* No messages qualify */
787                 }
788                 if (search_msgs != NULL) free(search_msgs);
789
790                 /* Now that we've purged messages which don't contain the search
791                  * string, treat a MSGS_SEARCH just like a MSGS_ALL from this
792                  * point on.
793                  */
794                 mode = MSGS_ALL;
795         }
796
797         /*
798          * Now iterate through the message list, according to the
799          * criteria supplied by the caller.
800          */
801         if (num_msgs > 0)
802                 for (a = 0; a < num_msgs; ++a) {
803                         if (server_shutting_down) {
804                                 if (need_to_free_re) regfree(&re);
805                                 free(msglist);
806                                 return num_processed;
807                         }
808                         thismsg = msglist[a];
809                         if (mode == MSGS_ALL) {
810                                 is_seen = 0;
811                         }
812                         else {
813                                 is_seen = is_msg_in_sequence_set(
814                                                         vbuf.v_seen, thismsg);
815                                 if (is_seen) lastold = thismsg;
816                         }
817                         if ((thismsg > 0L)
818                             && (
819
820                                        (mode == MSGS_ALL)
821                                        || ((mode == MSGS_OLD) && (is_seen))
822                                        || ((mode == MSGS_NEW) && (!is_seen))
823                                        || ((mode == MSGS_LAST) && (a >= (num_msgs - ref)))
824                                    || ((mode == MSGS_FIRST) && (a < ref))
825                                 || ((mode == MSGS_GT) && (thismsg > ref))
826                                 || ((mode == MSGS_LT) && (thismsg < ref))
827                                 || ((mode == MSGS_EQ) && (thismsg == ref))
828                             )
829                             ) {
830                                 if ((mode == MSGS_NEW) && (CCC->user.flags & US_LASTOLD) && (lastold > 0L) && (printed_lastold == 0) && (!is_seen)) {
831                                         if (CallBack)
832                                                 CallBack(lastold, userdata);
833                                         printed_lastold = 1;
834                                         ++num_processed;
835                                 }
836                                 if (CallBack) CallBack(thismsg, userdata);
837                                 ++num_processed;
838                         }
839                 }
840         if (need_to_free_re) regfree(&re);
841
842         /*
843          * We cache the most recent msglist in order to do security checks later
844          */
845         if (CCC->client_socket > 0) {
846                 if (CCC->cached_msglist != NULL) {
847                         free(CCC->cached_msglist);
848                 }
849                 CCC->cached_msglist = msglist;
850                 CCC->cached_num_msgs = num_msgs;
851         }
852         else {
853                 free(msglist);
854         }
855
856         return num_processed;
857 }
858
859
860
861 /*
862  * memfmout()  -  Citadel text formatter and paginator.
863  *           Although the original purpose of this routine was to format
864  *           text to the reader's screen width, all we're really using it
865  *           for here is to format text out to 80 columns before sending it
866  *           to the client.  The client software may reformat it again.
867  */
868 void memfmout(
869         char *mptr,             /* where are we going to get our text from? */
870         const char *nl          /* string to terminate lines with */
871 ) {
872         struct CitContext *CCC = CC;
873         int column = 0;
874         unsigned char ch = 0;
875         char outbuf[1024];
876         int len = 0;
877         int nllen = 0;
878
879         if (!mptr) return;
880         nllen = strlen(nl);
881         while (ch=*(mptr++), ch != 0) {
882
883                 if (ch == '\n') {
884                         if (client_write(outbuf, len) == -1)
885                         {
886                                 MSGM_syslog(LOG_ERR, "memfmout(): aborting due to write failure.\n");
887                                 return;
888                         }
889                         len = 0;
890                         if (client_write(nl, nllen) == -1)
891                         {
892                                 MSGM_syslog(LOG_ERR, "memfmout(): aborting due to write failure.\n");
893                                 return;
894                         }
895                         column = 0;
896                 }
897                 else if (ch == '\r') {
898                         /* Ignore carriage returns.  Newlines are always LF or CRLF but never CR. */
899                 }
900                 else if (isspace(ch)) {
901                         if (column > 72) {              /* Beyond 72 columns, break on the next space */
902                                 if (client_write(outbuf, len) == -1)
903                                 {
904                                         MSGM_syslog(LOG_ERR, "memfmout(): aborting due to write failure.\n");
905                                         return;
906                                 }
907                                 len = 0;
908                                 if (client_write(nl, nllen) == -1)
909                                 {
910                                         MSGM_syslog(LOG_ERR, "memfmout(): aborting due to write failure.\n");
911                                         return;
912                                 }
913                                 column = 0;
914                         }
915                         else {
916                                 outbuf[len++] = ch;
917                                 ++column;
918                         }
919                 }
920                 else {
921                         outbuf[len++] = ch;
922                         ++column;
923                         if (column > 1000) {            /* Beyond 1000 columns, break anywhere */
924                                 if (client_write(outbuf, len) == -1)
925                                 {
926                                         MSGM_syslog(LOG_ERR, "memfmout(): aborting due to write failure.\n");
927                                         return;
928                                 }
929                                 len = 0;
930                                 if (client_write(nl, nllen) == -1)
931                                 {
932                                         MSGM_syslog(LOG_ERR, "memfmout(): aborting due to write failure.\n");
933                                         return;
934                                 }
935                                 column = 0;
936                         }
937                 }
938         }
939         if (len) {
940                 if (client_write(outbuf, len) == -1)
941                 {
942                         MSGM_syslog(LOG_ERR, "memfmout(): aborting due to write failure.\n");
943                         return;
944                 }
945                 client_write(nl, nllen);
946                 column = 0;
947         }
948 }
949
950
951
952 /*
953  * Callback function for mime parser that simply lists the part
954  */
955 void list_this_part(char *name, char *filename, char *partnum, char *disp,
956                     void *content, char *cbtype, char *cbcharset, size_t length, char *encoding,
957                     char *cbid, void *cbuserdata)
958 {
959         struct ma_info *ma;
960         
961         ma = (struct ma_info *)cbuserdata;
962         if (ma->is_ma == 0) {
963                 cprintf("part=%s|%s|%s|%s|%s|%ld|%s|%s\n",
964                         name, 
965                         filename, 
966                         partnum, 
967                         disp, 
968                         cbtype, 
969                         (long)length, 
970                         cbid, 
971                         cbcharset);
972         }
973 }
974
975 /* 
976  * Callback function for multipart prefix
977  */
978 void list_this_pref(char *name, char *filename, char *partnum, char *disp,
979                     void *content, char *cbtype, char *cbcharset, size_t length, char *encoding,
980                     char *cbid, void *cbuserdata)
981 {
982         struct ma_info *ma;
983         
984         ma = (struct ma_info *)cbuserdata;
985         if (!strcasecmp(cbtype, "multipart/alternative")) {
986                 ++ma->is_ma;
987         }
988
989         if (ma->is_ma == 0) {
990                 cprintf("pref=%s|%s\n", partnum, cbtype);
991         }
992 }
993
994 /* 
995  * Callback function for multipart sufffix
996  */
997 void list_this_suff(char *name, char *filename, char *partnum, char *disp,
998                     void *content, char *cbtype, char *cbcharset, size_t length, char *encoding,
999                     char *cbid, void *cbuserdata)
1000 {
1001         struct ma_info *ma;
1002         
1003         ma = (struct ma_info *)cbuserdata;
1004         if (ma->is_ma == 0) {
1005                 cprintf("suff=%s|%s\n", partnum, cbtype);
1006         }
1007         if (!strcasecmp(cbtype, "multipart/alternative")) {
1008                 --ma->is_ma;
1009         }
1010 }
1011
1012
1013 /*
1014  * Callback function for mime parser that opens a section for downloading
1015  * we use serv_files function here: 
1016  */
1017 extern void OpenCmdResult(char *filename, const char *mime_type);
1018 void mime_download(char *name, char *filename, char *partnum, char *disp,
1019                    void *content, char *cbtype, char *cbcharset, size_t length,
1020                    char *encoding, char *cbid, void *cbuserdata)
1021 {
1022         int rv = 0;
1023         CitContext *CCC = MyContext();
1024
1025         /* Silently go away if there's already a download open. */
1026         if (CCC->download_fp != NULL)
1027                 return;
1028
1029         if (
1030                 (!IsEmptyStr(partnum) && (!strcasecmp(CCC->download_desired_section, partnum)))
1031         ||      (!IsEmptyStr(cbid) && (!strcasecmp(CCC->download_desired_section, cbid)))
1032         ) {
1033                 CCC->download_fp = tmpfile();
1034                 if (CCC->download_fp == NULL) {
1035                         MSG_syslog(LOG_EMERG, "mime_download(): Couldn't write: %s\n",
1036                                     strerror(errno));
1037                         cprintf("%d cannot open temporary file: %s\n",
1038                                 ERROR + INTERNAL_ERROR, strerror(errno));
1039                         return;
1040                 }
1041         
1042                 rv = fwrite(content, length, 1, CCC->download_fp);
1043                 if (rv <= 0) {
1044                         MSG_syslog(LOG_EMERG, "mime_download(): Couldn't write: %s\n",
1045                                    strerror(errno));
1046                         cprintf("%d unable to write tempfile.\n",
1047                                 ERROR + TOO_BIG);
1048                         fclose(CCC->download_fp);
1049                         CCC->download_fp = NULL;
1050                         return;
1051                 }
1052                 fflush(CCC->download_fp);
1053                 rewind(CCC->download_fp);
1054         
1055                 OpenCmdResult(filename, cbtype);
1056         }
1057 }
1058
1059
1060
1061 /*
1062  * Callback function for mime parser that outputs a section all at once.
1063  * We can specify the desired section by part number *or* content-id.
1064  */
1065 void mime_spew_section(char *name, char *filename, char *partnum, char *disp,
1066                    void *content, char *cbtype, char *cbcharset, size_t length,
1067                    char *encoding, char *cbid, void *cbuserdata)
1068 {
1069         int *found_it = (int *)cbuserdata;
1070
1071         if (
1072                 (!IsEmptyStr(partnum) && (!strcasecmp(CC->download_desired_section, partnum)))
1073         ||      (!IsEmptyStr(cbid) && (!strcasecmp(CC->download_desired_section, cbid)))
1074         ) {
1075                 *found_it = 1;
1076                 cprintf("%d %d|-1|%s|%s|%s\n",
1077                         BINARY_FOLLOWS,
1078                         (int)length,
1079                         filename,
1080                         cbtype,
1081                         cbcharset
1082                 );
1083                 client_write(content, length);
1084         }
1085 }
1086
1087 struct CtdlMessage *CtdlDeserializeMessage(long msgnum, int with_body, const char *Buffer, long Length)
1088 {
1089         struct CitContext *CCC = CC;
1090         struct CtdlMessage *ret = NULL;
1091         const char *mptr;
1092         const char *upper_bound;
1093         cit_uint8_t ch;
1094         cit_uint8_t field_header;
1095         eMsgField which;
1096
1097         mptr = Buffer;
1098         upper_bound = Buffer + Length;
1099
1100         /* Parse the three bytes that begin EVERY message on disk.
1101          * The first is always 0xFF, the on-disk magic number.
1102          * The second is the anonymous/public type byte.
1103          * The third is the format type byte (vari, fixed, or MIME).
1104          */
1105         ch = *mptr++;
1106         if (ch != 255) {
1107                 MSG_syslog(LOG_ERR, "Message %ld appears to be corrupted.\n", msgnum);
1108                 return NULL;
1109         }
1110         ret = (struct CtdlMessage *) malloc(sizeof(struct CtdlMessage));
1111         memset(ret, 0, sizeof(struct CtdlMessage));
1112
1113         ret->cm_magic = CTDLMESSAGE_MAGIC;
1114         ret->cm_anon_type = *mptr++;    /* Anon type byte */
1115         ret->cm_format_type = *mptr++;  /* Format type byte */
1116
1117         /*
1118          * The rest is zero or more arbitrary fields.  Load them in.
1119          * We're done when we encounter either a zero-length field or
1120          * have just processed the 'M' (message text) field.
1121          */
1122         do {
1123                 field_header = '\0';
1124                 long len;
1125
1126                 /* work around possibly buggy messages: */
1127                 while (field_header == '\0')
1128                 {
1129                         if (mptr >= upper_bound) {
1130                                 break;
1131                         }
1132                         field_header = *mptr++;
1133                 }
1134                 if (mptr >= upper_bound) {
1135                         break;
1136                 }
1137                 which = field_header;
1138                 len = strlen(mptr);
1139
1140                 CM_SetField(ret, which, mptr, len);
1141
1142                 mptr += len + 1;        /* advance to next field */
1143
1144         } while ((mptr < upper_bound) && (field_header != 'M'));
1145
1146         return (ret);
1147 }
1148
1149
1150 /*
1151  * Load a message from disk into memory.
1152  * This is used by CtdlOutputMsg() and other fetch functions.
1153  *
1154  * NOTE: Caller is responsible for freeing the returned CtdlMessage struct
1155  *       using the CtdlMessageFree() function.
1156  */
1157 struct CtdlMessage *CtdlFetchMessage(long msgnum, int with_body, int run_msg_hooks)
1158 {
1159         struct CitContext *CCC = CC;
1160         struct cdbdata *dmsgtext;
1161         struct CtdlMessage *ret = NULL;
1162
1163         MSG_syslog(LOG_DEBUG, "CtdlFetchMessage(%ld, %d)\n", msgnum, with_body);
1164         dmsgtext = cdb_fetch(CDB_MSGMAIN, &msgnum, sizeof(long));
1165         if (dmsgtext == NULL) {
1166                 MSG_syslog(LOG_ERR, "CtdlFetchMessage(%ld, %d) Failed!\n", msgnum, with_body);
1167                 return NULL;
1168         }
1169
1170         if (dmsgtext->ptr[dmsgtext->len - 1] != '\0')
1171         {
1172                 MSG_syslog(LOG_ERR, "CtdlFetchMessage(%ld, %d) Forcefully terminating message!!\n", msgnum, with_body);
1173                 dmsgtext->ptr[dmsgtext->len - 1] = '\0';
1174         }
1175
1176         ret = CtdlDeserializeMessage(msgnum, with_body, dmsgtext->ptr, dmsgtext->len);
1177
1178         cdb_free(dmsgtext);
1179
1180         if (ret == NULL) {
1181                 return NULL;
1182         }
1183
1184         /* Always make sure there's something in the msg text field.  If
1185          * it's NULL, the message text is most likely stored separately,
1186          * so go ahead and fetch that.  Failing that, just set a dummy
1187          * body so other code doesn't barf.
1188          */
1189         if ( (CM_IsEmpty(ret, eMesageText)) && (with_body) ) {
1190                 dmsgtext = cdb_fetch(CDB_BIGMSGS, &msgnum, sizeof(long));
1191                 if (dmsgtext != NULL) {
1192                         CM_SetAsField(ret, eMesageText, &dmsgtext->ptr, dmsgtext->len - 1);
1193                         cdb_free(dmsgtext);
1194                 }
1195         }
1196         if (CM_IsEmpty(ret, eMesageText)) {
1197                 CM_SetField(ret, eMesageText, HKEY("\r\n\r\n (no text)\r\n"));
1198         }
1199
1200         /* Perform "before read" hooks (aborting if any return nonzero) */
1201         if (run_msg_hooks && (PerformMessageHooks(ret, NULL, EVT_BEFOREREAD) > 0)) {
1202                 CM_Free(ret);
1203                 return NULL;
1204         }
1205
1206         return (ret);
1207 }
1208
1209
1210
1211 /*
1212  * Pre callback function for multipart/alternative
1213  *
1214  * NOTE: this differs from the standard behavior for a reason.  Normally when
1215  *       displaying multipart/alternative you want to show the _last_ usable
1216  *       format in the message.  Here we show the _first_ one, because it's
1217  *       usually text/plain.  Since this set of functions is designed for text
1218  *       output to non-MIME-aware clients, this is the desired behavior.
1219  *
1220  */
1221 void fixed_output_pre(char *name, char *filename, char *partnum, char *disp,
1222                 void *content, char *cbtype, char *cbcharset, size_t length, char *encoding,
1223                 char *cbid, void *cbuserdata)
1224 {
1225         struct CitContext *CCC = CC;
1226         struct ma_info *ma;
1227         
1228         ma = (struct ma_info *)cbuserdata;
1229         MSG_syslog(LOG_DEBUG, "fixed_output_pre() type=<%s>\n", cbtype);        
1230         if (!strcasecmp(cbtype, "multipart/alternative")) {
1231                 ++ma->is_ma;
1232                 ma->did_print = 0;
1233         }
1234         if (!strcasecmp(cbtype, "message/rfc822")) {
1235                 ++ma->freeze;
1236         }
1237 }
1238
1239 /*
1240  * Post callback function for multipart/alternative
1241  */
1242 void fixed_output_post(char *name, char *filename, char *partnum, char *disp,
1243                 void *content, char *cbtype, char *cbcharset, size_t length,
1244                 char *encoding, char *cbid, void *cbuserdata)
1245 {
1246         struct CitContext *CCC = CC;
1247         struct ma_info *ma;
1248         
1249         ma = (struct ma_info *)cbuserdata;
1250         MSG_syslog(LOG_DEBUG, "fixed_output_post() type=<%s>\n", cbtype);       
1251         if (!strcasecmp(cbtype, "multipart/alternative")) {
1252                 --ma->is_ma;
1253                 ma->did_print = 0;
1254         }
1255         if (!strcasecmp(cbtype, "message/rfc822")) {
1256                 --ma->freeze;
1257         }
1258 }
1259
1260 /*
1261  * Inline callback function for mime parser that wants to display text
1262  */
1263 void fixed_output(char *name, char *filename, char *partnum, char *disp,
1264                 void *content, char *cbtype, char *cbcharset, size_t length,
1265                 char *encoding, char *cbid, void *cbuserdata)
1266 {
1267         struct CitContext *CCC = CC;
1268         char *ptr;
1269         char *wptr;
1270         size_t wlen;
1271         struct ma_info *ma;
1272
1273         ma = (struct ma_info *)cbuserdata;
1274
1275         MSG_syslog(LOG_DEBUG,
1276                 "fixed_output() part %s: %s (%s) (%ld bytes)\n",
1277                 partnum, filename, cbtype, (long)length);
1278
1279         /*
1280          * If we're in the middle of a multipart/alternative scope and
1281          * we've already printed another section, skip this one.
1282          */     
1283         if ( (ma->is_ma) && (ma->did_print) ) {
1284                 MSG_syslog(LOG_DEBUG, "Skipping part %s (%s)\n", partnum, cbtype);
1285                 return;
1286         }
1287         ma->did_print = 1;
1288
1289         if ( (!strcasecmp(cbtype, "text/plain")) 
1290            || (IsEmptyStr(cbtype)) ) {
1291                 wptr = content;
1292                 if (length > 0) {
1293                         client_write(wptr, length);
1294                         if (wptr[length-1] != '\n') {
1295                                 cprintf("\n");
1296                         }
1297                 }
1298                 return;
1299         }
1300
1301         if (!strcasecmp(cbtype, "text/html")) {
1302                 ptr = html_to_ascii(content, length, 80, 0);
1303                 wlen = strlen(ptr);
1304                 client_write(ptr, wlen);
1305                 if ((wlen > 0) && (ptr[wlen-1] != '\n')) {
1306                         cprintf("\n");
1307                 }
1308                 free(ptr);
1309                 return;
1310         }
1311
1312         if (ma->use_fo_hooks) {
1313                 if (PerformFixedOutputHooks(cbtype, content, length)) {
1314                 /* above function returns nonzero if it handled the part */
1315                         return;
1316                 }
1317         }
1318
1319         if (strncasecmp(cbtype, "multipart/", 10)) {
1320                 cprintf("Part %s: %s (%s) (%ld bytes)\r\n",
1321                         partnum, filename, cbtype, (long)length);
1322                 return;
1323         }
1324 }
1325
1326 /*
1327  * The client is elegant and sophisticated and wants to be choosy about
1328  * MIME content types, so figure out which multipart/alternative part
1329  * we're going to send.
1330  *
1331  * We use a system of weights.  When we find a part that matches one of the
1332  * MIME types we've declared as preferential, we can store it in ma->chosen_part
1333  * and then set ma->chosen_pref to that MIME type's position in our preference
1334  * list.  If we then hit another match, we only replace the first match if
1335  * the preference value is lower.
1336  */
1337 void choose_preferred(char *name, char *filename, char *partnum, char *disp,
1338                 void *content, char *cbtype, char *cbcharset, size_t length,
1339                 char *encoding, char *cbid, void *cbuserdata)
1340 {
1341         struct CitContext *CCC = CC;
1342         char buf[1024];
1343         int i;
1344         struct ma_info *ma;
1345         
1346         ma = (struct ma_info *)cbuserdata;
1347
1348         // NOTE: REMOVING THIS CONDITIONAL FIXES BUG 220
1349         //       http://bugzilla.citadel.org/show_bug.cgi?id=220
1350         // I don't know if there are any side effects!  Please TEST TEST TEST
1351         //if (ma->is_ma > 0) {
1352
1353         for (i=0; i<num_tokens(CCC->preferred_formats, '|'); ++i) {
1354                 extract_token(buf, CCC->preferred_formats, i, '|', sizeof buf);
1355                 if ( (!strcasecmp(buf, cbtype)) && (!ma->freeze) ) {
1356                         if (i < ma->chosen_pref) {
1357                                 MSG_syslog(LOG_DEBUG, "Setting chosen part: <%s>\n", partnum);
1358                                 safestrncpy(ma->chosen_part, partnum, sizeof ma->chosen_part);
1359                                 ma->chosen_pref = i;
1360                         }
1361                 }
1362         }
1363 }
1364
1365 /*
1366  * Now that we've chosen our preferred part, output it.
1367  */
1368 void output_preferred(char *name, 
1369                       char *filename, 
1370                       char *partnum, 
1371                       char *disp,
1372                       void *content, 
1373                       char *cbtype, 
1374                       char *cbcharset, 
1375                       size_t length,
1376                       char *encoding, 
1377                       char *cbid, 
1378                       void *cbuserdata)
1379 {
1380         struct CitContext *CCC = CC;
1381         int i;
1382         char buf[128];
1383         int add_newline = 0;
1384         char *text_content;
1385         struct ma_info *ma;
1386         char *decoded = NULL;
1387         size_t bytes_decoded;
1388         int rc = 0;
1389
1390         ma = (struct ma_info *)cbuserdata;
1391
1392         /* This is not the MIME part you're looking for... */
1393         if (strcasecmp(partnum, ma->chosen_part)) return;
1394
1395         /* If the content-type of this part is in our preferred formats
1396          * list, we can simply output it verbatim.
1397          */
1398         for (i=0; i<num_tokens(CCC->preferred_formats, '|'); ++i) {
1399                 extract_token(buf, CCC->preferred_formats, i, '|', sizeof buf);
1400                 if (!strcasecmp(buf, cbtype)) {
1401                         /* Yeah!  Go!  W00t!! */
1402                         if (ma->dont_decode == 0) 
1403                                 rc = mime_decode_now (content, 
1404                                                       length,
1405                                                       encoding,
1406                                                       &decoded,
1407                                                       &bytes_decoded);
1408                         if (rc < 0)
1409                                 break; /* Give us the chance, maybe theres another one. */
1410
1411                         if (rc == 0) text_content = (char *)content;
1412                         else {
1413                                 text_content = decoded;
1414                                 length = bytes_decoded;
1415                         }
1416
1417                         if (text_content[length-1] != '\n') {
1418                                 ++add_newline;
1419                         }
1420                         cprintf("Content-type: %s", cbtype);
1421                         if (!IsEmptyStr(cbcharset)) {
1422                                 cprintf("; charset=%s", cbcharset);
1423                         }
1424                         cprintf("\nContent-length: %d\n",
1425                                 (int)(length + add_newline) );
1426                         if (!IsEmptyStr(encoding)) {
1427                                 cprintf("Content-transfer-encoding: %s\n", encoding);
1428                         }
1429                         else {
1430                                 cprintf("Content-transfer-encoding: 7bit\n");
1431                         }
1432                         cprintf("X-Citadel-MSG4-Partnum: %s\n", partnum);
1433                         cprintf("\n");
1434                         if (client_write(text_content, length) == -1)
1435                         {
1436                                 MSGM_syslog(LOG_ERR, "output_preferred(): aborting due to write failure.\n");
1437                                 return;
1438                         }
1439                         if (add_newline) cprintf("\n");
1440                         if (decoded != NULL) free(decoded);
1441                         return;
1442                 }
1443         }
1444
1445         /* No translations required or possible: output as text/plain */
1446         cprintf("Content-type: text/plain\n\n");
1447         rc = 0;
1448         if (ma->dont_decode == 0)
1449                 rc = mime_decode_now (content, 
1450                                       length,
1451                                       encoding,
1452                                       &decoded,
1453                                       &bytes_decoded);
1454         if (rc < 0)
1455                 return; /* Give us the chance, maybe theres another one. */
1456         
1457         if (rc == 0) text_content = (char *)content;
1458         else {
1459                 text_content = decoded;
1460                 length = bytes_decoded;
1461         }
1462
1463         fixed_output(name, filename, partnum, disp, text_content, cbtype, cbcharset,
1464                         length, encoding, cbid, cbuserdata);
1465         if (decoded != NULL) free(decoded);
1466 }
1467
1468
1469 struct encapmsg {
1470         char desired_section[64];
1471         char *msg;
1472         size_t msglen;
1473 };
1474
1475
1476 /*
1477  * Callback function for
1478  */
1479 void extract_encapsulated_message(char *name, char *filename, char *partnum, char *disp,
1480                    void *content, char *cbtype, char *cbcharset, size_t length,
1481                    char *encoding, char *cbid, void *cbuserdata)
1482 {
1483         struct encapmsg *encap;
1484
1485         encap = (struct encapmsg *)cbuserdata;
1486
1487         /* Only proceed if this is the desired section... */
1488         if (!strcasecmp(encap->desired_section, partnum)) {
1489                 encap->msglen = length;
1490                 encap->msg = malloc(length + 2);
1491                 memcpy(encap->msg, content, length);
1492                 return;
1493         }
1494 }
1495
1496
1497 /*
1498  * Determine whether the specified message exists in the cached_msglist
1499  * (This is a security check)
1500  */
1501 int check_cached_msglist(long msgnum) {
1502         struct CitContext *CCC = CC;
1503
1504         /* cases in which we skip the check */
1505         if (!CCC) return om_ok;                                         /* not a session */
1506         if (CCC->client_socket <= 0) return om_ok;                      /* not a client session */
1507         if (CCC->cached_msglist == NULL) return om_access_denied;       /* no msglist fetched */
1508         if (CCC->cached_num_msgs == 0) return om_access_denied;         /* nothing to check */
1509
1510
1511         /* Do a binary search within the cached_msglist for the requested msgnum */
1512         int min = 0;
1513         int max = (CC->cached_num_msgs - 1);
1514
1515         while (max >= min) {
1516                 int middle = min + (max-min) / 2 ;
1517                 if (msgnum == CCC->cached_msglist[middle]) {
1518                         return om_ok;
1519                 }
1520                 if (msgnum > CC->cached_msglist[middle]) {
1521                         min = middle + 1;
1522                 }
1523                 else {
1524                         max = middle - 1;
1525                 }
1526         }
1527
1528         return om_access_denied;
1529 }
1530
1531
1532
1533 /*
1534  * Get a message off disk.  (returns om_* values found in msgbase.h)
1535  * 
1536  */
1537 int CtdlOutputMsg(long msg_num,         /* message number (local) to fetch */
1538                 int mode,               /* how would you like that message? */
1539                 int headers_only,       /* eschew the message body? */
1540                 int do_proto,           /* do Citadel protocol responses? */
1541                 int crlf,               /* Use CRLF newlines instead of LF? */
1542                 char *section,          /* NULL or a message/rfc822 section */
1543                 int flags,              /* various flags; see msgbase.h */
1544                 char **Author,
1545                 char **Address,
1546                 char **MessageID
1547 ) {
1548         struct CitContext *CCC = CC;
1549         struct CtdlMessage *TheMessage = NULL;
1550         int retcode = CIT_OK;
1551         struct encapmsg encap;
1552         int r;
1553
1554         MSG_syslog(LOG_DEBUG, "CtdlOutputMsg(msgnum=%ld, mode=%d, section=%s)\n", 
1555                 msg_num, mode,
1556                 (section ? section : "<>")
1557         );
1558
1559         r = CtdlDoIHavePermissionToReadMessagesInThisRoom();
1560         if (r != om_ok) {
1561                 if (do_proto) {
1562                         if (r == om_not_logged_in) {
1563                                 cprintf("%d Not logged in.\n", ERROR + NOT_LOGGED_IN);
1564                         }
1565                         else {
1566                                 cprintf("%d An unknown error has occurred.\n", ERROR);
1567                         }
1568                 }
1569                 return(r);
1570         }
1571
1572         /*
1573          * Check to make sure the message is actually IN this room
1574          */
1575         r = check_cached_msglist(msg_num);
1576         if (r == om_access_denied) {
1577                 /* Not in the cache?  We get ONE shot to check it again. */
1578                 CtdlForEachMessage(MSGS_ALL, 0L, NULL, NULL, NULL, NULL, NULL);
1579                 r = check_cached_msglist(msg_num);
1580         }
1581         if (r != om_ok) {
1582                 MSG_syslog(LOG_DEBUG, "Security check fail: message %ld is not in %s\n",
1583                            msg_num, CCC->room.QRname
1584                 );
1585                 if (do_proto) {
1586                         if (r == om_access_denied) {
1587                                 cprintf("%d message %ld was not found in this room\n",
1588                                         ERROR + HIGHER_ACCESS_REQUIRED,
1589                                         msg_num
1590                                 );
1591                         }
1592                 }
1593                 return(r);
1594         }
1595
1596         /*
1597          * Fetch the message from disk.  If we're in HEADERS_FAST mode,
1598          * request that we don't even bother loading the body into memory.
1599          */
1600         if (headers_only == HEADERS_FAST) {
1601                 TheMessage = CtdlFetchMessage(msg_num, 0, 1);
1602         }
1603         else {
1604                 TheMessage = CtdlFetchMessage(msg_num, 1, 1);
1605         }
1606
1607         if (TheMessage == NULL) {
1608                 if (do_proto) cprintf("%d Can't locate msg %ld on disk\n",
1609                         ERROR + MESSAGE_NOT_FOUND, msg_num);
1610                 return(om_no_such_msg);
1611         }
1612
1613         /* Here is the weird form of this command, to process only an
1614          * encapsulated message/rfc822 section.
1615          */
1616         if (section) if (!IsEmptyStr(section)) if (strcmp(section, "0")) {
1617                 memset(&encap, 0, sizeof encap);
1618                 safestrncpy(encap.desired_section, section, sizeof encap.desired_section);
1619                 mime_parser(CM_RANGE(TheMessage, eMesageText),
1620                             *extract_encapsulated_message,
1621                             NULL, NULL, (void *)&encap, 0
1622                         );
1623
1624                 if ((Author != NULL) && (*Author == NULL))
1625                 {
1626                         long len;
1627                         CM_GetAsField(TheMessage, eAuthor, Author, &len);
1628                 }
1629                 if ((Address != NULL) && (*Address == NULL))
1630                 {       
1631                         long len;
1632                         CM_GetAsField(TheMessage, erFc822Addr, Address, &len);
1633                 }
1634                 if ((MessageID != NULL) && (*MessageID == NULL))
1635                 {       
1636                         long len;
1637                         CM_GetAsField(TheMessage, emessageId, MessageID, &len);
1638                 }
1639                 CM_Free(TheMessage);
1640                 TheMessage = NULL;
1641
1642                 if (encap.msg) {
1643                         encap.msg[encap.msglen] = 0;
1644                         TheMessage = convert_internet_message(encap.msg);
1645                         encap.msg = NULL;       /* no free() here, TheMessage owns it now */
1646
1647                         /* Now we let it fall through to the bottom of this
1648                          * function, because TheMessage now contains the
1649                          * encapsulated message instead of the top-level
1650                          * message.  Isn't that neat?
1651                          */
1652                 }
1653                 else {
1654                         if (do_proto) {
1655                                 cprintf("%d msg %ld has no part %s\n",
1656                                         ERROR + MESSAGE_NOT_FOUND,
1657                                         msg_num,
1658                                         section);
1659                         }
1660                         retcode = om_no_such_msg;
1661                 }
1662
1663         }
1664
1665         /* Ok, output the message now */
1666         if (retcode == CIT_OK)
1667                 retcode = CtdlOutputPreLoadedMsg(TheMessage, mode, headers_only, do_proto, crlf, flags);
1668         if ((Author != NULL) && (*Author == NULL))
1669         {
1670                 long len;
1671                 CM_GetAsField(TheMessage, eAuthor, Author, &len);
1672         }
1673         if ((Address != NULL) && (*Address == NULL))
1674         {       
1675                 long len;
1676                 CM_GetAsField(TheMessage, erFc822Addr, Address, &len);
1677         }
1678         if ((MessageID != NULL) && (*MessageID == NULL))
1679         {       
1680                 long len;
1681                 CM_GetAsField(TheMessage, emessageId, MessageID, &len);
1682         }
1683
1684         CM_Free(TheMessage);
1685
1686         return(retcode);
1687 }
1688
1689
1690
1691 void OutputCtdlMsgHeaders(
1692         struct CtdlMessage *TheMessage,
1693         int do_proto)           /* do Citadel protocol responses? */
1694 {
1695         int i;
1696         int suppress_f = 0;
1697         char buf[SIZ];
1698         char display_name[256];
1699
1700         /* begin header processing loop for Citadel message format */
1701         safestrncpy(display_name, "<unknown>", sizeof display_name);
1702         if (!CM_IsEmpty(TheMessage, eAuthor)) {
1703                 strcpy(buf, TheMessage->cm_fields[eAuthor]);
1704                 if (TheMessage->cm_anon_type == MES_ANONONLY) {
1705                         safestrncpy(display_name, "****", sizeof display_name);
1706                 }
1707                 else if (TheMessage->cm_anon_type == MES_ANONOPT) {
1708                         safestrncpy(display_name, "anonymous", sizeof display_name);
1709                 }
1710                 else {
1711                         safestrncpy(display_name, buf, sizeof display_name);
1712                 }
1713                 if ((is_room_aide())
1714                     && ((TheMessage->cm_anon_type == MES_ANONONLY)
1715                         || (TheMessage->cm_anon_type == MES_ANONOPT))) {
1716                         size_t tmp = strlen(display_name);
1717                         snprintf(&display_name[tmp],
1718                                  sizeof display_name - tmp,
1719                                  " [%s]", buf);
1720                 }
1721         }
1722
1723         /* Don't show Internet address for users on the
1724          * local Citadel network.
1725          */
1726         suppress_f = 0;
1727         if (!CM_IsEmpty(TheMessage, eNodeName) &&
1728             (haschar(TheMessage->cm_fields[eNodeName], '.') == 0))
1729         {
1730                 suppress_f = 1;
1731         }
1732
1733         /* Now spew the header fields in the order we like them. */
1734         for (i=0; i< NDiskFields; ++i) {
1735                 eMsgField Field;
1736                 Field = FieldOrder[i];
1737                 if (Field != eMesageText) {
1738                         if ( (!CM_IsEmpty(TheMessage, Field))
1739                              && (msgkeys[Field] != NULL) ) {
1740                                 if ((Field == eenVelopeTo) ||
1741                                     (Field == eRecipient) ||
1742                                     (Field == eCarbonCopY)) {
1743                                         sanitize_truncated_recipient(TheMessage->cm_fields[Field]);
1744                                 }
1745                                 if (Field == eAuthor) {
1746                                         if (do_proto) cprintf("%s=%s\n",
1747                                                               msgkeys[Field],
1748                                                               display_name);
1749                                 }
1750                                 else if ((Field == erFc822Addr) && (suppress_f)) {
1751                                         /* do nothing */
1752                                 }
1753                                 /* Masquerade display name if needed */
1754                                 else {
1755                                         if (do_proto) cprintf("%s=%s\n",
1756                                                               msgkeys[Field],
1757                                                               TheMessage->cm_fields[Field]
1758                                                 );
1759                                 }
1760                         }
1761                 }
1762         }
1763
1764 }
1765
1766 void OutputRFC822MsgHeaders(
1767         struct CtdlMessage *TheMessage,
1768         int flags,              /* should the bessage be exported clean */
1769         const char *nl, int nlen,
1770         char *mid, long sizeof_mid,
1771         char *suser, long sizeof_suser,
1772         char *luser, long sizeof_luser,
1773         char *fuser, long sizeof_fuser,
1774         char *snode, long sizeof_snode)
1775 {
1776         char datestamp[100];
1777         int subject_found = 0;
1778         char buf[SIZ];
1779         int i, j, k;
1780         char *mptr = NULL;
1781         char *mpptr = NULL;
1782         char *hptr;
1783
1784         for (i = 0; i < NDiskFields; ++i) {
1785                 if (TheMessage->cm_fields[FieldOrder[i]]) {
1786                         mptr = mpptr = TheMessage->cm_fields[FieldOrder[i]];
1787                         switch (FieldOrder[i]) {
1788                         case eAuthor:
1789                                 safestrncpy(luser, mptr, sizeof_luser);
1790                                 safestrncpy(suser, mptr, sizeof_suser);
1791                                 break;
1792                         case eCarbonCopY:
1793                                 if ((flags & QP_EADDR) != 0) {
1794                                         mptr = qp_encode_email_addrs(mptr);
1795                                 }
1796                                 sanitize_truncated_recipient(mptr);
1797                                 cprintf("CC: %s%s", mptr, nl);
1798                                 break;
1799                         case eMessagePath:
1800                                 cprintf("Return-Path: %s%s", mptr, nl);
1801                                 break;
1802                         case eListID:
1803                                 cprintf("List-ID: %s%s", mptr, nl);
1804                                 break;
1805                         case eenVelopeTo:
1806                                 if ((flags & QP_EADDR) != 0) 
1807                                         mptr = qp_encode_email_addrs(mptr);
1808                                 hptr = mptr;
1809                                 while ((*hptr != '\0') && isspace(*hptr))
1810                                         hptr ++;
1811                                 if (!IsEmptyStr(hptr))
1812                                         cprintf("Envelope-To: %s%s", hptr, nl);
1813                                 break;
1814                         case eMsgSubject:
1815                                 cprintf("Subject: %s%s", mptr, nl);
1816                                 subject_found = 1;
1817                                 break;
1818                         case emessageId:
1819                                 safestrncpy(mid, mptr, sizeof_mid); /// TODO: detect @ here and copy @nodename in if not found.
1820                                 break;
1821                         case erFc822Addr:
1822                                 safestrncpy(fuser, mptr, sizeof_fuser);
1823                         /* case eOriginalRoom:
1824                            cprintf("X-Citadel-Room: %s%s",
1825                            mptr, nl)
1826                            break;
1827                            ; */
1828                         case eNodeName:
1829                                 safestrncpy(snode, mptr, sizeof_snode);
1830                                 break;
1831                         case eRecipient:
1832                                 if (haschar(mptr, '@') == 0)
1833                                 {
1834                                         sanitize_truncated_recipient(mptr);
1835                                         cprintf("To: %s@%s", mptr, CtdlGetConfigStr("c_fqdn"));
1836                                         cprintf("%s", nl);
1837                                 }
1838                                 else
1839                                 {
1840                                         if ((flags & QP_EADDR) != 0) {
1841                                                 mptr = qp_encode_email_addrs(mptr);
1842                                         }
1843                                         sanitize_truncated_recipient(mptr);
1844                                         cprintf("To: %s", mptr);
1845                                         cprintf("%s", nl);
1846                                 }
1847                                 break;
1848                         case eTimestamp:
1849                                 datestring(datestamp, sizeof datestamp,
1850                                            atol(mptr), DATESTRING_RFC822);
1851                                 cprintf("Date: %s%s", datestamp, nl);
1852                                 break;
1853                         case eWeferences:
1854                                 cprintf("References: ");
1855                                 k = num_tokens(mptr, '|');
1856                                 for (j=0; j<k; ++j) {
1857                                         extract_token(buf, mptr, j, '|', sizeof buf);
1858                                         cprintf("<%s>", buf);
1859                                         if (j == (k-1)) {
1860                                                 cprintf("%s", nl);
1861                                         }
1862                                         else {
1863                                                 cprintf(" ");
1864                                         }
1865                                 }
1866                                 break;
1867                         case eReplyTo:
1868                                 hptr = mptr;
1869                                 while ((*hptr != '\0') && isspace(*hptr))
1870                                         hptr ++;
1871                                 if (!IsEmptyStr(hptr))
1872                                         cprintf("Reply-To: %s%s", mptr, nl);
1873                                 break;
1874
1875                         case eRemoteRoom:
1876                         case eDestination:
1877                         case eExclusiveID:
1878                         case eHumanNode:
1879                         case eJournal:
1880                         case eMesageText:
1881                         case eBig_message:
1882                         case eOriginalRoom:
1883                         case eSpecialField:
1884                         case eErrorMsg:
1885                         case eSuppressIdx:
1886                         case eExtnotify:
1887                         case eVltMsgNum:
1888                                 /* these don't map to mime message headers. */
1889                                 break;
1890
1891                         }
1892                         if (mptr != mpptr)
1893                                 free (mptr);
1894                 }
1895         }
1896         if (subject_found == 0) {
1897                 cprintf("Subject: (no subject)%s", nl);
1898         }
1899 }
1900
1901
1902 void Dump_RFC822HeadersBody(
1903         struct CtdlMessage *TheMessage,
1904         int headers_only,       /* eschew the message body? */
1905         int flags,              /* should the bessage be exported clean? */
1906
1907         const char *nl, int nlen)
1908 {
1909         cit_uint8_t prev_ch;
1910         int eoh = 0;
1911         const char *StartOfText = StrBufNOTNULL;
1912         char outbuf[1024];
1913         int outlen = 0;
1914         int nllen = strlen(nl);
1915         char *mptr;
1916         int lfSent = 0;
1917
1918         mptr = TheMessage->cm_fields[eMesageText];
1919
1920
1921         prev_ch = '\0';
1922         while (*mptr != '\0') {
1923                 if (*mptr == '\r') {
1924                         /* do nothing */
1925                 }
1926                 else {
1927                         if ((!eoh) &&
1928                             (*mptr == '\n'))
1929                         {
1930                                 eoh = (*(mptr+1) == '\r') && (*(mptr+2) == '\n');
1931                                 if (!eoh)
1932                                         eoh = *(mptr+1) == '\n';
1933                                 if (eoh)
1934                                 {
1935                                         StartOfText = mptr;
1936                                         StartOfText = strchr(StartOfText, '\n');
1937                                         StartOfText = strchr(StartOfText, '\n');
1938                                 }
1939                         }
1940                         if (((headers_only == HEADERS_NONE) && (mptr >= StartOfText)) ||
1941                             ((headers_only == HEADERS_ONLY) && (mptr < StartOfText)) ||
1942                             ((headers_only != HEADERS_NONE) && 
1943                              (headers_only != HEADERS_ONLY))
1944                                 ) {
1945                                 if (*mptr == '\n') {
1946                                         memcpy(&outbuf[outlen], nl, nllen);
1947                                         outlen += nllen;
1948                                         outbuf[outlen] = '\0';
1949                                 }
1950                                 else {
1951                                         outbuf[outlen++] = *mptr;
1952                                 }
1953                         }
1954                 }
1955                 if (flags & ESC_DOT)
1956                 {
1957                         if ((prev_ch == '\n') && 
1958                             (*mptr == '.') && 
1959                             ((*(mptr+1) == '\r') || (*(mptr+1) == '\n')))
1960                         {
1961                                 outbuf[outlen++] = '.';
1962                         }
1963                         prev_ch = *mptr;
1964                 }
1965                 ++mptr;
1966                 if (outlen > 1000) {
1967                         if (client_write(outbuf, outlen) == -1)
1968                         {
1969                                 struct CitContext *CCC = CC;
1970                                 MSGM_syslog(LOG_ERR, "Dump_RFC822HeadersBody(): aborting due to write failure.\n");
1971                                 return;
1972                         }
1973                         lfSent =  (outbuf[outlen - 1] == '\n');
1974                         outlen = 0;
1975                 }
1976         }
1977         if (outlen > 0) {
1978                 client_write(outbuf, outlen);
1979                 lfSent =  (outbuf[outlen - 1] == '\n');
1980         }
1981         if (!lfSent)
1982                 client_write(nl, nlen);
1983 }
1984
1985
1986
1987 /* If the format type on disk is 1 (fixed-format), then we want
1988  * everything to be output completely literally ... regardless of
1989  * what message transfer format is in use.
1990  */
1991 void DumpFormatFixed(
1992         struct CtdlMessage *TheMessage,
1993         int mode,               /* how would you like that message? */
1994         const char *nl, int nllen)
1995 {
1996         cit_uint8_t ch;
1997         char buf[SIZ];
1998         int buflen;
1999         int xlline = 0;
2000         char *mptr;
2001
2002         mptr = TheMessage->cm_fields[eMesageText];
2003         
2004         if (mode == MT_MIME) {
2005                 cprintf("Content-type: text/plain\n\n");
2006         }
2007         *buf = '\0';
2008         buflen = 0;
2009         while (ch = *mptr++, ch > 0) {
2010                 if (ch == '\n')
2011                         ch = '\r';
2012
2013                 if ((buflen > 250) && (!xlline)){
2014                         int tbuflen;
2015                         tbuflen = buflen;
2016
2017                         while ((buflen > 0) && 
2018                                (!isspace(buf[buflen])))
2019                                 buflen --;
2020                         if (buflen == 0) {
2021                                 xlline = 1;
2022                         }
2023                         else {
2024                                 mptr -= tbuflen - buflen;
2025                                 buf[buflen] = '\0';
2026                                 ch = '\r';
2027                         }
2028                 }
2029                 /* if we reach the outer bounds of our buffer, 
2030                    abort without respect what whe purge. */
2031                 if (xlline && 
2032                     ((isspace(ch)) || 
2033                      (buflen > SIZ - nllen - 2)))
2034                         ch = '\r';
2035
2036                 if (ch == '\r') {
2037                         memcpy (&buf[buflen], nl, nllen);
2038                         buflen += nllen;
2039                         buf[buflen] = '\0';
2040
2041                         if (client_write(buf, buflen) == -1)
2042                         {
2043                                 struct CitContext *CCC = CC;
2044                                 MSGM_syslog(LOG_ERR, "DumpFormatFixed(): aborting due to write failure.\n");
2045                                 return;
2046                         }
2047                         *buf = '\0';
2048                         buflen = 0;
2049                         xlline = 0;
2050                 } else {
2051                         buf[buflen] = ch;
2052                         buflen++;
2053                 }
2054         }
2055         buf[buflen] = '\0';
2056         if (!IsEmptyStr(buf))
2057                 cprintf("%s%s", buf, nl);
2058 }
2059
2060 /*
2061  * Get a message off disk.  (returns om_* values found in msgbase.h)
2062  */
2063 int CtdlOutputPreLoadedMsg(
2064                 struct CtdlMessage *TheMessage,
2065                 int mode,               /* how would you like that message? */
2066                 int headers_only,       /* eschew the message body? */
2067                 int do_proto,           /* do Citadel protocol responses? */
2068                 int crlf,               /* Use CRLF newlines instead of LF? */
2069                 int flags               /* should the bessage be exported clean? */
2070 ) {
2071         struct CitContext *CCC = CC;
2072         int i;
2073         const char *nl; /* newline string */
2074         int nlen;
2075         struct ma_info ma;
2076
2077         /* Buffers needed for RFC822 translation.  These are all filled
2078          * using functions that are bounds-checked, and therefore we can
2079          * make them substantially smaller than SIZ.
2080          */
2081         char suser[100];
2082         char luser[100];
2083         char fuser[100];
2084         char snode[100];
2085         char mid[100];
2086
2087         MSG_syslog(LOG_DEBUG, "CtdlOutputPreLoadedMsg(TheMessage=%s, %d, %d, %d, %d\n",
2088                    ((TheMessage == NULL) ? "NULL" : "not null"),
2089                    mode, headers_only, do_proto, crlf);
2090
2091         strcpy(mid, "unknown");
2092         nl = (crlf ? "\r\n" : "\n");
2093         nlen = crlf ? 2 : 1;
2094
2095         if (!CM_IsValidMsg(TheMessage)) {
2096                 MSGM_syslog(LOG_ERR,
2097                             "ERROR: invalid preloaded message for output\n");
2098                 cit_backtrace ();
2099                 return(om_no_such_msg);
2100         }
2101
2102         /* Suppress envelope recipients if required to avoid disclosing BCC addresses.
2103          * Pad it with spaces in order to avoid changing the RFC822 length of the message.
2104          */
2105         if ( (flags & SUPPRESS_ENV_TO) && (!CM_IsEmpty(TheMessage, eenVelopeTo)) ) {
2106                 memset(TheMessage->cm_fields[eenVelopeTo], ' ', TheMessage->cm_lengths[eenVelopeTo]);
2107         }
2108                 
2109         /* Are we downloading a MIME component? */
2110         if (mode == MT_DOWNLOAD) {
2111                 if (TheMessage->cm_format_type != FMT_RFC822) {
2112                         if (do_proto)
2113                                 cprintf("%d This is not a MIME message.\n",
2114                                 ERROR + ILLEGAL_VALUE);
2115                 } else if (CCC->download_fp != NULL) {
2116                         if (do_proto) cprintf(
2117                                 "%d You already have a download open.\n",
2118                                 ERROR + RESOURCE_BUSY);
2119                 } else {
2120                         /* Parse the message text component */
2121                         mime_parser(CM_RANGE(TheMessage, eMesageText),
2122                                     *mime_download, NULL, NULL, NULL, 0);
2123                         /* If there's no file open by this time, the requested
2124                          * section wasn't found, so print an error
2125                          */
2126                         if (CCC->download_fp == NULL) {
2127                                 if (do_proto) cprintf(
2128                                         "%d Section %s not found.\n",
2129                                         ERROR + FILE_NOT_FOUND,
2130                                         CCC->download_desired_section);
2131                         }
2132                 }
2133                 return((CCC->download_fp != NULL) ? om_ok : om_mime_error);
2134         }
2135
2136         /* MT_SPEW_SECTION is like MT_DOWNLOAD except it outputs the whole MIME part
2137          * in a single server operation instead of opening a download file.
2138          */
2139         if (mode == MT_SPEW_SECTION) {
2140                 if (TheMessage->cm_format_type != FMT_RFC822) {
2141                         if (do_proto)
2142                                 cprintf("%d This is not a MIME message.\n",
2143                                 ERROR + ILLEGAL_VALUE);
2144                 } else {
2145                         /* Parse the message text component */
2146                         int found_it = 0;
2147
2148                         mime_parser(CM_RANGE(TheMessage, eMesageText),
2149                                     *mime_spew_section, NULL, NULL, (void *)&found_it, 0);
2150                         /* If section wasn't found, print an error
2151                          */
2152                         if (!found_it) {
2153                                 if (do_proto) cprintf(
2154                                         "%d Section %s not found.\n",
2155                                         ERROR + FILE_NOT_FOUND,
2156                                         CCC->download_desired_section);
2157                         }
2158                 }
2159                 return((CCC->download_fp != NULL) ? om_ok : om_mime_error);
2160         }
2161
2162         /* now for the user-mode message reading loops */
2163         if (do_proto) cprintf("%d msg:\n", LISTING_FOLLOWS);
2164
2165         /* Does the caller want to skip the headers? */
2166         if (headers_only == HEADERS_NONE) goto START_TEXT;
2167
2168         /* Tell the client which format type we're using. */
2169         if ( (mode == MT_CITADEL) && (do_proto) ) {
2170                 cprintf("type=%d\n", TheMessage->cm_format_type);
2171         }
2172
2173         /* nhdr=yes means that we're only displaying headers, no body */
2174         if ( (TheMessage->cm_anon_type == MES_ANONONLY)
2175            && ((mode == MT_CITADEL) || (mode == MT_MIME))
2176            && (do_proto)
2177            ) {
2178                 cprintf("nhdr=yes\n");
2179         }
2180
2181         if ((mode == MT_CITADEL) || (mode == MT_MIME)) 
2182                 OutputCtdlMsgHeaders(TheMessage, do_proto);
2183
2184
2185         /* begin header processing loop for RFC822 transfer format */
2186         strcpy(suser, "");
2187         strcpy(luser, "");
2188         strcpy(fuser, "");
2189         memcpy(snode, CtdlGetConfigStr("c_nodename"), strlen(CtdlGetConfigStr("c_nodename")) + 1);
2190         if (mode == MT_RFC822) 
2191                 OutputRFC822MsgHeaders(
2192                         TheMessage,
2193                         flags,
2194                         nl, nlen,
2195                         mid, sizeof(mid),
2196                         suser, sizeof(suser),
2197                         luser, sizeof(luser),
2198                         fuser, sizeof(fuser),
2199                         snode, sizeof(snode)
2200                         );
2201
2202
2203         for (i=0; !IsEmptyStr(&suser[i]); ++i) {
2204                 suser[i] = tolower(suser[i]);
2205                 if (!isalnum(suser[i])) suser[i]='_';
2206         }
2207
2208         if (mode == MT_RFC822) {
2209                 if (!strcasecmp(snode, NODENAME)) {
2210                         safestrncpy(snode, FQDN, sizeof snode);
2211                 }
2212
2213                 /* Construct a fun message id */
2214                 cprintf("Message-ID: <%s", mid);/// todo: this possibly breaks threadding mails.
2215                 if (strchr(mid, '@')==NULL) {
2216                         cprintf("@%s", snode);
2217                 }
2218                 cprintf(">%s", nl);
2219
2220                 if (!is_room_aide() && (TheMessage->cm_anon_type == MES_ANONONLY)) {
2221                         cprintf("From: \"----\" <x@x.org>%s", nl);
2222                 }
2223                 else if (!is_room_aide() && (TheMessage->cm_anon_type == MES_ANONOPT)) {
2224                         cprintf("From: \"anonymous\" <x@x.org>%s", nl);
2225                 }
2226                 else if (!IsEmptyStr(fuser)) {
2227                         cprintf("From: \"%s\" <%s>%s", luser, fuser, nl);
2228                 }
2229                 else {
2230                         cprintf("From: \"%s\" <%s@%s>%s", luser, suser, snode, nl);
2231                 }
2232
2233                 /* Blank line signifying RFC822 end-of-headers */
2234                 if (TheMessage->cm_format_type != FMT_RFC822) {
2235                         cprintf("%s", nl);
2236                 }
2237         }
2238
2239         /* end header processing loop ... at this point, we're in the text */
2240 START_TEXT:
2241         if (headers_only == HEADERS_FAST) goto DONE;
2242
2243         /* Tell the client about the MIME parts in this message */
2244         if (TheMessage->cm_format_type == FMT_RFC822) {
2245                 if ( (mode == MT_CITADEL) || (mode == MT_MIME) ) {
2246                         memset(&ma, 0, sizeof(struct ma_info));
2247                         mime_parser(CM_RANGE(TheMessage, eMesageText),
2248                                 (do_proto ? *list_this_part : NULL),
2249                                 (do_proto ? *list_this_pref : NULL),
2250                                 (do_proto ? *list_this_suff : NULL),
2251                                 (void *)&ma, 1);
2252                 }
2253                 else if (mode == MT_RFC822) {   /* unparsed RFC822 dump */
2254                         Dump_RFC822HeadersBody(
2255                                 TheMessage,
2256                                 headers_only,
2257                                 flags,
2258                                 nl, nlen);
2259                         goto DONE;
2260                 }
2261         }
2262
2263         if (headers_only == HEADERS_ONLY) {
2264                 goto DONE;
2265         }
2266
2267         /* signify start of msg text */
2268         if ( (mode == MT_CITADEL) || (mode == MT_MIME) ) {
2269                 if (do_proto) cprintf("text\n");
2270         }
2271
2272         if (TheMessage->cm_format_type == FMT_FIXED) 
2273                 DumpFormatFixed(
2274                         TheMessage,
2275                         mode,           /* how would you like that message? */
2276                         nl, nlen);
2277
2278         /* If the message on disk is format 0 (Citadel vari-format), we
2279          * output using the formatter at 80 columns.  This is the final output
2280          * form if the transfer format is RFC822, but if the transfer format
2281          * is Citadel proprietary, it'll still work, because the indentation
2282          * for new paragraphs is correct and the client will reformat the
2283          * message to the reader's screen width.
2284          */
2285         if (TheMessage->cm_format_type == FMT_CITADEL) {
2286                 if (mode == MT_MIME) {
2287                         cprintf("Content-type: text/x-citadel-variformat\n\n");
2288                 }
2289                 memfmout(TheMessage->cm_fields[eMesageText], nl);
2290         }
2291
2292         /* If the message on disk is format 4 (MIME), we've gotta hand it
2293          * off to the MIME parser.  The client has already been told that
2294          * this message is format 1 (fixed format), so the callback function
2295          * we use will display those parts as-is.
2296          */
2297         if (TheMessage->cm_format_type == FMT_RFC822) {
2298                 memset(&ma, 0, sizeof(struct ma_info));
2299
2300                 if (mode == MT_MIME) {
2301                         ma.use_fo_hooks = 0;
2302                         strcpy(ma.chosen_part, "1");
2303                         ma.chosen_pref = 9999;
2304                         ma.dont_decode = CCC->msg4_dont_decode;
2305                         mime_parser(CM_RANGE(TheMessage, eMesageText),
2306                                     *choose_preferred, *fixed_output_pre,
2307                                     *fixed_output_post, (void *)&ma, 1);
2308                         mime_parser(CM_RANGE(TheMessage, eMesageText),
2309                                     *output_preferred, NULL, NULL, (void *)&ma, 1);
2310                 }
2311                 else {
2312                         ma.use_fo_hooks = 1;
2313                         mime_parser(CM_RANGE(TheMessage, eMesageText),
2314                                     *fixed_output, *fixed_output_pre,
2315                                     *fixed_output_post, (void *)&ma, 0);
2316                 }
2317
2318         }
2319
2320 DONE:   /* now we're done */
2321         if (do_proto) cprintf("000\n");
2322         return(om_ok);
2323 }
2324
2325 /*
2326  * Save one or more message pointers into a specified room
2327  * (Returns 0 for success, nonzero for failure)
2328  * roomname may be NULL to use the current room
2329  *
2330  * Note that the 'supplied_msg' field may be set to NULL, in which case
2331  * the message will be fetched from disk, by number, if we need to perform
2332  * replication checks.  This adds an additional database read, so if the
2333  * caller already has the message in memory then it should be supplied.  (Obviously
2334  * this mode of operation only works if we're saving a single message.)
2335  */
2336 int CtdlSaveMsgPointersInRoom(char *roomname, long newmsgidlist[], int num_newmsgs,
2337                         int do_repl_check, struct CtdlMessage *supplied_msg, int suppress_refcount_adj
2338 ) {
2339         struct CitContext *CCC = CC;
2340         int i, j, unique;
2341         char hold_rm[ROOMNAMELEN];
2342         struct cdbdata *cdbfr;
2343         int num_msgs;
2344         long *msglist;
2345         long highest_msg = 0L;
2346
2347         long msgid = 0;
2348         struct CtdlMessage *msg = NULL;
2349
2350         long *msgs_to_be_merged = NULL;
2351         int num_msgs_to_be_merged = 0;
2352
2353         MSG_syslog(LOG_DEBUG,
2354                    "CtdlSaveMsgPointersInRoom(room=%s, num_msgs=%d, repl=%d, suppress_rca=%d)\n",
2355                    roomname, num_newmsgs, do_repl_check, suppress_refcount_adj
2356         );
2357
2358         strcpy(hold_rm, CCC->room.QRname);
2359
2360         /* Sanity checks */
2361         if (newmsgidlist == NULL) return(ERROR + INTERNAL_ERROR);
2362         if (num_newmsgs < 1) return(ERROR + INTERNAL_ERROR);
2363         if (num_newmsgs > 1) supplied_msg = NULL;
2364
2365         /* Now the regular stuff */
2366         if (CtdlGetRoomLock(&CCC->room,
2367            ((roomname != NULL) ? roomname : CCC->room.QRname) )
2368            != 0) {
2369                 MSG_syslog(LOG_ERR, "No such room <%s>\n", roomname);
2370                 return(ERROR + ROOM_NOT_FOUND);
2371         }
2372
2373
2374         msgs_to_be_merged = malloc(sizeof(long) * num_newmsgs);
2375         num_msgs_to_be_merged = 0;
2376
2377
2378         cdbfr = cdb_fetch(CDB_MSGLISTS, &CCC->room.QRnumber, sizeof(long));
2379         if (cdbfr == NULL) {
2380                 msglist = NULL;
2381                 num_msgs = 0;
2382         } else {
2383                 msglist = (long *) cdbfr->ptr;
2384                 cdbfr->ptr = NULL;      /* CtdlSaveMsgPointerInRoom() now owns this memory */
2385                 num_msgs = cdbfr->len / sizeof(long);
2386                 cdb_free(cdbfr);
2387         }
2388
2389
2390         /* Create a list of msgid's which were supplied by the caller, but do
2391          * not already exist in the target room.  It is absolutely taboo to
2392          * have more than one reference to the same message in a room.
2393          */
2394         for (i=0; i<num_newmsgs; ++i) {
2395                 unique = 1;
2396                 if (num_msgs > 0) for (j=0; j<num_msgs; ++j) {
2397                         if (msglist[j] == newmsgidlist[i]) {
2398                                 unique = 0;
2399                         }
2400                 }
2401                 if (unique) {
2402                         msgs_to_be_merged[num_msgs_to_be_merged++] = newmsgidlist[i];
2403                 }
2404         }
2405
2406         MSG_syslog(LOG_DEBUG, "%d unique messages to be merged\n", num_msgs_to_be_merged);
2407
2408         /*
2409          * Now merge the new messages
2410          */
2411         msglist = realloc(msglist, (sizeof(long) * (num_msgs + num_msgs_to_be_merged)) );
2412         if (msglist == NULL) {
2413                 MSGM_syslog(LOG_ALERT, "ERROR: can't realloc message list!\n");
2414                 free(msgs_to_be_merged);
2415                 return (ERROR + INTERNAL_ERROR);
2416         }
2417         memcpy(&msglist[num_msgs], msgs_to_be_merged, (sizeof(long) * num_msgs_to_be_merged) );
2418         num_msgs += num_msgs_to_be_merged;
2419
2420         /* Sort the message list, so all the msgid's are in order */
2421         num_msgs = sort_msglist(msglist, num_msgs);
2422
2423         /* Determine the highest message number */
2424         highest_msg = msglist[num_msgs - 1];
2425
2426         /* Write it back to disk. */
2427         cdb_store(CDB_MSGLISTS, &CCC->room.QRnumber, (int)sizeof(long),
2428                   msglist, (int)(num_msgs * sizeof(long)));
2429
2430         /* Free up the memory we used. */
2431         free(msglist);
2432
2433         /* Update the highest-message pointer and unlock the room. */
2434         CCC->room.QRhighest = highest_msg;
2435         CtdlPutRoomLock(&CCC->room);
2436
2437         /* Perform replication checks if necessary */
2438         if ( (DoesThisRoomNeedEuidIndexing(&CCC->room)) && (do_repl_check) ) {
2439                 MSGM_syslog(LOG_DEBUG, "CtdlSaveMsgPointerInRoom() doing repl checks\n");
2440
2441                 for (i=0; i<num_msgs_to_be_merged; ++i) {
2442                         msgid = msgs_to_be_merged[i];
2443         
2444                         if (supplied_msg != NULL) {
2445                                 msg = supplied_msg;
2446                         }
2447                         else {
2448                                 msg = CtdlFetchMessage(msgid, 0, 1);
2449                         }
2450         
2451                         if (msg != NULL) {
2452                                 ReplicationChecks(msg);
2453                 
2454                                 /* If the message has an Exclusive ID, index that... */
2455                                 if (!CM_IsEmpty(msg, eExclusiveID)) {
2456                                         index_message_by_euid(msg->cm_fields[eExclusiveID], &CCC->room, msgid);
2457                                 }
2458
2459                                 /* Free up the memory we may have allocated */
2460                                 if (msg != supplied_msg) {
2461                                         CM_Free(msg);
2462                                 }
2463                         }
2464         
2465                 }
2466         }
2467
2468         else {
2469                 MSGM_syslog(LOG_DEBUG, "CtdlSaveMsgPointerInRoom() skips repl checks\n");
2470         }
2471
2472         /* Submit this room for processing by hooks */
2473         PerformRoomHooks(&CCC->room);
2474
2475         /* Go back to the room we were in before we wandered here... */
2476         CtdlGetRoom(&CCC->room, hold_rm);
2477
2478         /* Bump the reference count for all messages which were merged */
2479         if (!suppress_refcount_adj) {
2480                 AdjRefCountList(msgs_to_be_merged, num_msgs_to_be_merged, +1);
2481         }
2482
2483         /* Free up memory... */
2484         if (msgs_to_be_merged != NULL) {
2485                 free(msgs_to_be_merged);
2486         }
2487
2488         /* Return success. */
2489         return (0);
2490 }
2491
2492
2493 /*
2494  * This is the same as CtdlSaveMsgPointersInRoom() but it only accepts
2495  * a single message.
2496  */
2497 int CtdlSaveMsgPointerInRoom(char *roomname, long msgid,
2498                              int do_repl_check, struct CtdlMessage *supplied_msg)
2499 {
2500         return CtdlSaveMsgPointersInRoom(roomname, &msgid, 1, do_repl_check, supplied_msg, 0);
2501 }
2502
2503
2504
2505
2506 /*
2507  * Message base operation to save a new message to the message store
2508  * (returns new message number)
2509  *
2510  * This is the back end for CtdlSubmitMsg() and should not be directly
2511  * called by server-side modules.
2512  *
2513  */
2514 long CtdlSaveThisMessage(struct CtdlMessage *msg, long msgid, int Reply) {
2515         struct CitContext *CCC = CC;
2516         long retval;
2517         struct ser_ret smr;
2518         int is_bigmsg = 0;
2519         char *holdM = NULL;
2520         long holdMLen = 0;
2521
2522         /*
2523          * If the message is big, set its body aside for storage elsewhere
2524          * and we hide the message body from the serializer
2525          */
2526         if (!CM_IsEmpty(msg, eMesageText) && msg->cm_lengths[eMesageText] > BIGMSG)
2527         {
2528                 is_bigmsg = 1;
2529                 holdM = msg->cm_fields[eMesageText];
2530                 msg->cm_fields[eMesageText] = NULL;
2531                 holdMLen = msg->cm_lengths[eMesageText];
2532                 msg->cm_lengths[eMesageText] = 0;
2533         }
2534
2535         /* Serialize our data structure for storage in the database */  
2536         CtdlSerializeMessage(&smr, msg);
2537
2538         if (is_bigmsg) {
2539                 /* put the message body back into the message */
2540                 msg->cm_fields[eMesageText] = holdM;
2541                 msg->cm_lengths[eMesageText] = holdMLen;
2542         }
2543
2544         if (smr.len == 0) {
2545                 if (Reply) {
2546                         cprintf("%d Unable to serialize message\n",
2547                                 ERROR + INTERNAL_ERROR);
2548                 }
2549                 else {
2550                         MSGM_syslog(LOG_ERR, "CtdlSaveMessage() unable to serialize message");
2551
2552                 }
2553                 return (-1L);
2554         }
2555
2556         /* Write our little bundle of joy into the message base */
2557         retval = cdb_store(CDB_MSGMAIN, &msgid, (int)sizeof(long),
2558                            smr.ser, smr.len);
2559         if (retval < 0) {
2560                 MSG_syslog(LOG_ERR, "Can't store message %ld: %ld", msgid, retval);
2561         }
2562         else {
2563                 if (is_bigmsg) {
2564                         retval = cdb_store(CDB_BIGMSGS,
2565                                            &msgid,
2566                                            (int)sizeof(long),
2567                                            holdM,
2568                                            (holdMLen + 1)
2569                                 );
2570                         if (retval < 0) {
2571                                 MSG_syslog(LOG_ERR, "failed to store message body for msgid %ld:  %ld",
2572                                            msgid, retval);
2573                         }
2574                 }
2575         }
2576
2577         /* Free the memory we used for the serialized message */
2578         free(smr.ser);
2579
2580         return(retval);
2581 }
2582
2583 long send_message(struct CtdlMessage *msg) {
2584         long newmsgid;
2585         long retval;
2586         char msgidbuf[256];
2587         long msgidbuflen;
2588
2589         /* Get a new message number */
2590         newmsgid = get_new_message_number();
2591
2592         /* Generate an ID if we don't have one already */
2593         if (CM_IsEmpty(msg, emessageId)) {
2594                 msgidbuflen = snprintf(msgidbuf, sizeof msgidbuf, "%08lX-%08lX@%s",
2595                                        (long unsigned int) time(NULL),
2596                                        (long unsigned int) newmsgid,
2597                                        CtdlGetConfigStr("c_fqdn")
2598                         );
2599
2600                 CM_SetField(msg, emessageId, msgidbuf, msgidbuflen);
2601         }
2602
2603         retval = CtdlSaveThisMessage(msg, newmsgid, 1);
2604
2605         if (retval == 0) {
2606                 retval = newmsgid;
2607         }
2608
2609         /* Return the *local* message ID to the caller
2610          * (even if we're storing an incoming network message)
2611          */
2612         return(retval);
2613 }
2614
2615
2616
2617 /*
2618  * Serialize a struct CtdlMessage into the format used on disk and network.
2619  * 
2620  * This function loads up a "struct ser_ret" (defined in server.h) which
2621  * contains the length of the serialized message and a pointer to the
2622  * serialized message in memory.  THE LATTER MUST BE FREED BY THE CALLER.
2623  */
2624 void CtdlSerializeMessage(struct ser_ret *ret,          /* return values */
2625                           struct CtdlMessage *msg)      /* unserialized msg */
2626 {
2627         struct CitContext *CCC = CC;
2628         size_t wlen;
2629         int i;
2630
2631         /*
2632          * Check for valid message format
2633          */
2634         if (CM_IsValidMsg(msg) == 0) {
2635                 MSGM_syslog(LOG_ERR, "CtdlSerializeMessage() aborting due to invalid message\n");
2636                 ret->len = 0;
2637                 ret->ser = NULL;
2638                 return;
2639         }
2640
2641         ret->len = 3;
2642         for (i=0; i < NDiskFields; ++i)
2643                 if (msg->cm_fields[FieldOrder[i]] != NULL)
2644                         ret->len += msg->cm_lengths[FieldOrder[i]] + 2;
2645
2646         ret->ser = malloc(ret->len);
2647         if (ret->ser == NULL) {
2648                 MSG_syslog(LOG_ERR, "CtdlSerializeMessage() malloc(%ld) failed: %s\n",
2649                            (long)ret->len, strerror(errno));
2650                 ret->len = 0;
2651                 ret->ser = NULL;
2652                 return;
2653         }
2654
2655         ret->ser[0] = 0xFF;
2656         ret->ser[1] = msg->cm_anon_type;
2657         ret->ser[2] = msg->cm_format_type;
2658         wlen = 3;
2659
2660         for (i=0; i < NDiskFields; ++i)
2661                 if (msg->cm_fields[FieldOrder[i]] != NULL)
2662                 {
2663                         ret->ser[wlen++] = (char)FieldOrder[i];
2664
2665                         memcpy(&ret->ser[wlen],
2666                                msg->cm_fields[FieldOrder[i]],
2667                                msg->cm_lengths[FieldOrder[i]] + 1);
2668
2669                         wlen = wlen + msg->cm_lengths[FieldOrder[i]] + 1;
2670                 }
2671
2672         if (ret->len != wlen) {
2673                 MSG_syslog(LOG_ERR, "ERROR: len=%ld wlen=%ld\n",
2674                            (long)ret->len, (long)wlen);
2675         }
2676
2677         return;
2678 }
2679
2680
2681 /*
2682  * Check to see if any messages already exist in the current room which
2683  * carry the same Exclusive ID as this one.  If any are found, delete them.
2684  */
2685 void ReplicationChecks(struct CtdlMessage *msg) {
2686         struct CitContext *CCC = CC;
2687         long old_msgnum = (-1L);
2688
2689         if (DoesThisRoomNeedEuidIndexing(&CCC->room) == 0) return;
2690
2691         MSG_syslog(LOG_DEBUG, "Performing replication checks in <%s>\n",
2692                    CCC->room.QRname);
2693
2694         /* No exclusive id?  Don't do anything. */
2695         if (msg == NULL) return;
2696         if (CM_IsEmpty(msg, eExclusiveID)) return;
2697
2698         /*MSG_syslog(LOG_DEBUG, "Exclusive ID: <%s> for room <%s>\n",
2699           msg->cm_fields[eExclusiveID], CCC->room.QRname);*/
2700
2701         old_msgnum = CtdlLocateMessageByEuid(msg->cm_fields[eExclusiveID], &CCC->room);
2702         if (old_msgnum > 0L) {
2703                 MSG_syslog(LOG_DEBUG, "ReplicationChecks() replacing message %ld\n", old_msgnum);
2704                 CtdlDeleteMessages(CCC->room.QRname, &old_msgnum, 1, "");
2705         }
2706 }
2707
2708
2709
2710 /*
2711  * Save a message to disk and submit it into the delivery system.
2712  */
2713 long CtdlSubmitMsg(struct CtdlMessage *msg,     /* message to save */
2714                    recptypes *recps,            /* recipients (if mail) */
2715                    const char *force,           /* force a particular room? */
2716                    int flags                    /* should the message be exported clean? */
2717         )
2718 {
2719         char hold_rm[ROOMNAMELEN];
2720         char actual_rm[ROOMNAMELEN];
2721         char force_room[ROOMNAMELEN];
2722         char content_type[SIZ];                 /* We have to learn this */
2723         char recipient[SIZ];
2724         char bounce_to[1024];
2725         const char *room;
2726         long newmsgid;
2727         const char *mptr = NULL;
2728         struct ctdluser userbuf;
2729         int a, i;
2730         struct MetaData smi;
2731         char *collected_addresses = NULL;
2732         struct addresses_to_be_filed *aptr = NULL;
2733         StrBuf *saved_rfc822_version = NULL;
2734         int qualified_for_journaling = 0;
2735         CitContext *CCC = MyContext();
2736
2737         MSGM_syslog(LOG_DEBUG, "CtdlSubmitMsg() called\n");
2738         if (CM_IsValidMsg(msg) == 0) return(-1);        /* self check */
2739
2740         /* If this message has no timestamp, we take the liberty of
2741          * giving it one, right now.
2742          */
2743         if (CM_IsEmpty(msg, eTimestamp)) {
2744                 CM_SetFieldLONG(msg, eTimestamp, time(NULL));
2745         }
2746
2747         /* If this message has no path, we generate one.
2748          */
2749         if (CM_IsEmpty(msg, eMessagePath)) {
2750                 if (!CM_IsEmpty(msg, eAuthor)) {
2751                         CM_CopyField(msg, eMessagePath, eAuthor);
2752                         for (a=0; !IsEmptyStr(&msg->cm_fields[eMessagePath][a]); ++a) {
2753                                 if (isspace(msg->cm_fields[eMessagePath][a])) {
2754                                         msg->cm_fields[eMessagePath][a] = ' ';
2755                                 }
2756                         }
2757                 }
2758                 else {
2759                         CM_SetField(msg, eMessagePath, HKEY("unknown"));
2760                 }
2761         }
2762
2763         if (force == NULL) {
2764                 force_room[0] = '\0';
2765         }
2766         else {
2767                 strcpy(force_room, force);
2768         }
2769
2770         /* Learn about what's inside, because it's what's inside that counts */
2771         if (CM_IsEmpty(msg, eMesageText)) {
2772                 MSGM_syslog(LOG_ERR, "ERROR: attempt to save message with NULL body\n");
2773                 return(-2);
2774         }
2775
2776         switch (msg->cm_format_type) {
2777         case 0:
2778                 strcpy(content_type, "text/x-citadel-variformat");
2779                 break;
2780         case 1:
2781                 strcpy(content_type, "text/plain");
2782                 break;
2783         case 4:
2784                 strcpy(content_type, "text/plain");
2785                 mptr = bmstrcasestr(msg->cm_fields[eMesageText], "Content-type:");
2786                 if (mptr != NULL) {
2787                         char *aptr;
2788                         safestrncpy(content_type, &mptr[13], sizeof content_type);
2789                         striplt(content_type);
2790                         aptr = content_type;
2791                         while (!IsEmptyStr(aptr)) {
2792                                 if ((*aptr == ';')
2793                                     || (*aptr == ' ')
2794                                     || (*aptr == 13)
2795                                     || (*aptr == 10)) {
2796                                         *aptr = 0;
2797                                 }
2798                                 else aptr++;
2799                         }
2800                 }
2801         }
2802
2803         /* Goto the correct room */
2804         room = (recps) ? CCC->room.QRname : SENTITEMS;
2805         MSG_syslog(LOG_DEBUG, "Selected room %s\n", room);
2806         strcpy(hold_rm, CCC->room.QRname);
2807         strcpy(actual_rm, CCC->room.QRname);
2808         if (recps != NULL) {
2809                 strcpy(actual_rm, SENTITEMS);
2810         }
2811
2812         /* If the user is a twit, move to the twit room for posting */
2813         if (TWITDETECT) {
2814                 if (CCC->user.axlevel == AxProbU) {
2815                         strcpy(hold_rm, actual_rm);
2816                         strcpy(actual_rm, CtdlGetConfigStr("c_twitroom"));
2817                         MSGM_syslog(LOG_DEBUG, "Diverting to twit room\n");
2818                 }
2819         }
2820
2821         /* ...or if this message is destined for Aide> then go there. */
2822         if (!IsEmptyStr(force_room)) {
2823                 strcpy(actual_rm, force_room);
2824         }
2825
2826         MSG_syslog(LOG_INFO, "Final selection: %s (%s)\n", actual_rm, room);
2827         if (strcasecmp(actual_rm, CCC->room.QRname)) {
2828                 /* CtdlGetRoom(&CCC->room, actual_rm); */
2829                 CtdlUserGoto(actual_rm, 0, 1, NULL, NULL, NULL, NULL);
2830         }
2831
2832         /*
2833          * If this message has no O (room) field, generate one.
2834          */
2835         if (CM_IsEmpty(msg, eOriginalRoom) && !IsEmptyStr(CCC->room.QRname)) {
2836                 CM_SetField(msg, eOriginalRoom, CCC->room.QRname, strlen(CCC->room.QRname));
2837         }
2838
2839         /* Perform "before save" hooks (aborting if any return nonzero) */
2840         MSGM_syslog(LOG_DEBUG, "Performing before-save hooks\n");
2841         if (PerformMessageHooks(msg, recps, EVT_BEFORESAVE) > 0) return(-3);
2842
2843         /*
2844          * If this message has an Exclusive ID, and the room is replication
2845          * checking enabled, then do replication checks.
2846          */
2847         if (DoesThisRoomNeedEuidIndexing(&CCC->room)) {
2848                 ReplicationChecks(msg);
2849         }
2850
2851         /* Save it to disk */
2852         MSGM_syslog(LOG_DEBUG, "Saving to disk\n");
2853         newmsgid = send_message(msg);
2854         if (newmsgid <= 0L) return(-5);
2855
2856         /* Write a supplemental message info record.  This doesn't have to
2857          * be a critical section because nobody else knows about this message
2858          * yet.
2859          */
2860         MSGM_syslog(LOG_DEBUG, "Creating MetaData record\n");
2861         memset(&smi, 0, sizeof(struct MetaData));
2862         smi.meta_msgnum = newmsgid;
2863         smi.meta_refcount = 0;
2864         safestrncpy(smi.meta_content_type, content_type,
2865                     sizeof smi.meta_content_type);
2866
2867         /*
2868          * Measure how big this message will be when rendered as RFC822.
2869          * We do this for two reasons:
2870          * 1. We need the RFC822 length for the new metadata record, so the
2871          *    POP and IMAP services don't have to calculate message lengths
2872          *    while the user is waiting (multiplied by potentially hundreds
2873          *    or thousands of messages).
2874          * 2. If journaling is enabled, we will need an RFC822 version of the
2875          *    message to attach to the journalized copy.
2876          */
2877         if (CCC->redirect_buffer != NULL) {
2878                 MSGM_syslog(LOG_ALERT, "CCC->redirect_buffer is not NULL during message submission!\n");
2879                 abort();
2880         }
2881         CCC->redirect_buffer = NewStrBufPlain(NULL, SIZ);
2882         CtdlOutputPreLoadedMsg(msg, MT_RFC822, HEADERS_ALL, 0, 1, QP_EADDR);
2883         smi.meta_rfc822_length = StrLength(CCC->redirect_buffer);
2884         saved_rfc822_version = CCC->redirect_buffer;
2885         CCC->redirect_buffer = NULL;
2886
2887         PutMetaData(&smi);
2888
2889         /* Now figure out where to store the pointers */
2890         MSGM_syslog(LOG_DEBUG, "Storing pointers\n");
2891
2892         /* If this is being done by the networker delivering a private
2893          * message, we want to BYPASS saving the sender's copy (because there
2894          * is no local sender; it would otherwise go to the Trashcan).
2895          */
2896         if ((!CCC->internal_pgm) || (recps == NULL)) {
2897                 if (CtdlSaveMsgPointerInRoom(actual_rm, newmsgid, 1, msg) != 0) {
2898                         MSGM_syslog(LOG_ERR, "ERROR saving message pointer!\n");
2899                         CtdlSaveMsgPointerInRoom(CtdlGetConfigStr("c_aideroom"), newmsgid, 0, msg);
2900                 }
2901         }
2902
2903         /* For internet mail, drop a copy in the outbound queue room */
2904         if ((recps != NULL) && (recps->num_internet > 0)) {
2905                 CtdlSaveMsgPointerInRoom(SMTP_SPOOLOUT_ROOM, newmsgid, 0, msg);
2906         }
2907
2908         /* If other rooms are specified, drop them there too. */
2909         if ((recps != NULL) && (recps->num_room > 0))
2910                 for (i=0; i<num_tokens(recps->recp_room, '|'); ++i) {
2911                         extract_token(recipient, recps->recp_room, i,
2912                                       '|', sizeof recipient);
2913                         MSG_syslog(LOG_DEBUG, "Delivering to room <%s>\n", recipient);///// xxxx
2914                         CtdlSaveMsgPointerInRoom(recipient, newmsgid, 0, msg);
2915                 }
2916
2917         /* Bump this user's messages posted counter. */
2918         MSGM_syslog(LOG_DEBUG, "Updating user\n");
2919         CtdlLockGetCurrentUser();
2920         CCC->user.posted = CCC->user.posted + 1;
2921         CtdlPutCurrentUserLock();
2922
2923         /* Decide where bounces need to be delivered */
2924         if ((recps != NULL) && (recps->bounce_to == NULL))
2925         {
2926                 if (CCC->logged_in) 
2927                         snprintf(bounce_to, sizeof bounce_to, "%s@%s",
2928                                  CCC->user.fullname, CtdlGetConfigStr("c_nodename"));
2929                 else 
2930                         snprintf(bounce_to, sizeof bounce_to, "%s@%s",
2931                                  msg->cm_fields[eAuthor], msg->cm_fields[eNodeName]);
2932                 recps->bounce_to = bounce_to;
2933         }
2934                 
2935         CM_SetFieldLONG(msg, eVltMsgNum, newmsgid);
2936
2937
2938         /* If this is private, local mail, make a copy in the
2939          * recipient's mailbox and bump the reference count.
2940          */
2941         if ((recps != NULL) && (recps->num_local > 0))
2942         {
2943                 char *pch;
2944                 int ntokens;
2945
2946                 pch = recps->recp_local;
2947                 recps->recp_local = recipient;
2948                 ntokens = num_tokens(pch, '|');
2949                 for (i=0; i<ntokens; ++i)
2950                 {
2951                         extract_token(recipient, pch, i, '|', sizeof recipient);
2952                         MSG_syslog(LOG_DEBUG, "Delivering private local mail to <%s>\n", recipient);
2953                         if (CtdlGetUser(&userbuf, recipient) == 0) {
2954                                 CtdlMailboxName(actual_rm, sizeof actual_rm, &userbuf, MAILROOM);
2955                                 CtdlSaveMsgPointerInRoom(actual_rm, newmsgid, 0, msg);
2956                                 CtdlBumpNewMailCounter(userbuf.usernum);
2957                                 PerformMessageHooks(msg, recps, EVT_AFTERUSRMBOXSAVE);
2958                         }
2959                         else {
2960                                 MSG_syslog(LOG_DEBUG, "No user <%s>\n", recipient);
2961                                 CtdlSaveMsgPointerInRoom(CtdlGetConfigStr("c_aideroom"), newmsgid, 0, msg);
2962                         }
2963                 }
2964                 recps->recp_local = pch;
2965         }
2966
2967         /* Perform "after save" hooks */
2968         MSGM_syslog(LOG_DEBUG, "Performing after-save hooks\n");
2969
2970         PerformMessageHooks(msg, recps, EVT_AFTERSAVE);
2971         CM_FlushField(msg, eVltMsgNum);
2972
2973         /* Go back to the room we started from */
2974         MSG_syslog(LOG_DEBUG, "Returning to original room %s\n", hold_rm);
2975         if (strcasecmp(hold_rm, CCC->room.QRname))
2976                 CtdlUserGoto(hold_rm, 0, 1, NULL, NULL, NULL, NULL);
2977
2978         /*
2979          * Any addresses to harvest for someone's address book?
2980          */
2981         if ( (CCC->logged_in) && (recps != NULL) ) {
2982                 collected_addresses = harvest_collected_addresses(msg);
2983         }
2984
2985         if (collected_addresses != NULL) {
2986                 aptr = (struct addresses_to_be_filed *)
2987                         malloc(sizeof(struct addresses_to_be_filed));
2988                 CtdlMailboxName(actual_rm, sizeof actual_rm,
2989                                 &CCC->user, USERCONTACTSROOM);
2990                 aptr->roomname = strdup(actual_rm);
2991                 aptr->collected_addresses = collected_addresses;
2992                 begin_critical_section(S_ATBF);
2993                 aptr->next = atbf;
2994                 atbf = aptr;
2995                 end_critical_section(S_ATBF);
2996         }
2997
2998         /*
2999          * Determine whether this message qualifies for journaling.
3000          */
3001         if (!CM_IsEmpty(msg, eJournal)) {
3002                 qualified_for_journaling = 0;
3003         }
3004         else {
3005                 if (recps == NULL) {
3006                         qualified_for_journaling = CtdlGetConfigInt("c_journal_pubmsgs");
3007                 }
3008                 else if (recps->num_local + recps->num_ignet + recps->num_internet > 0) {
3009                         qualified_for_journaling = CtdlGetConfigInt("c_journal_email");
3010                 }
3011                 else {
3012                         qualified_for_journaling = CtdlGetConfigInt("c_journal_pubmsgs");
3013                 }
3014         }
3015
3016         /*
3017          * Do we have to perform journaling?  If so, hand off the saved
3018          * RFC822 version will be handed off to the journaler for background
3019          * submit.  Otherwise, we have to free the memory ourselves.
3020          */
3021         if (saved_rfc822_version != NULL) {
3022                 if (qualified_for_journaling) {
3023                         JournalBackgroundSubmit(msg, saved_rfc822_version, recps);
3024                 }
3025                 else {
3026                         FreeStrBuf(&saved_rfc822_version);
3027                 }
3028         }
3029
3030         if ((recps != NULL) && (recps->bounce_to == bounce_to))
3031                 recps->bounce_to = NULL;
3032
3033         /* Done. */
3034         return(newmsgid);
3035 }
3036
3037
3038 /*
3039  * Convenience function for generating small administrative messages.
3040  */
3041 void quickie_message(const char *from,
3042                      const char *fromaddr,
3043                      const char *to,
3044                      char *room,
3045                      const char *text, 
3046                      int format_type,
3047                      const char *subject)
3048 {
3049         struct CtdlMessage *msg;
3050         recptypes *recp = NULL;
3051
3052         msg = malloc(sizeof(struct CtdlMessage));
3053         memset(msg, 0, sizeof(struct CtdlMessage));
3054         msg->cm_magic = CTDLMESSAGE_MAGIC;
3055         msg->cm_anon_type = MES_NORMAL;
3056         msg->cm_format_type = format_type;
3057
3058         if (!IsEmptyStr(from)) {
3059                 CM_SetField(msg, eAuthor, from, strlen(from));
3060         }
3061         else if (!IsEmptyStr(fromaddr)) {
3062                 char *pAt;
3063                 CM_SetField(msg, eAuthor, fromaddr, strlen(fromaddr));
3064                 pAt = strchr(msg->cm_fields[eAuthor], '@');
3065                 if (pAt != NULL) {
3066                         CM_CutFieldAt(msg, eAuthor, pAt - msg->cm_fields[eAuthor]);
3067                 }
3068         }
3069         else {
3070                 msg->cm_fields[eAuthor] = strdup("Citadel");
3071         }
3072
3073         if (!IsEmptyStr(fromaddr)) CM_SetField(msg, erFc822Addr, fromaddr, strlen(fromaddr));
3074         if (!IsEmptyStr(room)) CM_SetField(msg, eOriginalRoom, room, strlen(room));
3075         CM_SetField(msg, eNodeName, CtdlGetConfigStr("c_nodename"), strlen(CtdlGetConfigStr("c_nodename")));
3076         if (!IsEmptyStr(to)) {
3077                 CM_SetField(msg, eRecipient, to, strlen(to));
3078                 recp = validate_recipients(to, NULL, 0);
3079         }
3080         if (!IsEmptyStr(subject)) {
3081                 CM_SetField(msg, eMsgSubject, subject, strlen(subject));
3082         }
3083         if (!IsEmptyStr(text)) {
3084                 CM_SetField(msg, eMesageText, text, strlen(text));
3085         }
3086
3087         CtdlSubmitMsg(msg, recp, room, 0);
3088         CM_Free(msg);
3089         if (recp != NULL) free_recipients(recp);
3090 }
3091
3092 void flood_protect_quickie_message(const char *from,
3093                                    const char *fromaddr,
3094                                    const char *to,
3095                                    char *room,
3096                                    const char *text, 
3097                                    int format_type,
3098                                    const char *subject,
3099                                    int nCriterions,
3100                                    const char **CritStr,
3101                                    const long *CritStrLen,
3102                                    long ccid,
3103                                    long ioid,
3104                                    time_t NOW)
3105 {
3106         int i;
3107         u_char rawdigest[MD5_DIGEST_LEN];
3108         struct MD5Context md5context;
3109         StrBuf *guid;
3110         char timestamp[64];
3111         long tslen;
3112         static const time_t tsday = (8*60*60); /* just care for a day... */
3113         time_t seenstamp;
3114
3115         tslen = snprintf(timestamp, sizeof(timestamp), "%ld", tsday);
3116         MD5Init(&md5context);
3117
3118         for (i = 0; i < nCriterions; i++)
3119                 MD5Update(&md5context,
3120                           (const unsigned char*)CritStr[i], CritStrLen[i]);
3121         MD5Update(&md5context,
3122                   (const unsigned char*)timestamp, tslen);
3123         MD5Final(rawdigest, &md5context);
3124
3125         guid = NewStrBufPlain(NULL,
3126                               MD5_DIGEST_LEN * 2 + 12);
3127         StrBufHexEscAppend(guid, NULL, rawdigest, MD5_DIGEST_LEN);
3128         StrBufAppendBufPlain(guid, HKEY("_fldpt"), 0);
3129         if (StrLength(guid) > 40)
3130                 StrBufCutAt(guid, 40, NULL);
3131
3132         seenstamp = CheckIfAlreadySeen("FPAideMessage",
3133                                        guid,
3134                                        NOW,
3135                                        tsday,
3136                                        eUpdate,
3137                                        ccid,
3138                                        ioid);
3139         if ((seenstamp > 0) && (seenstamp < tsday))
3140         {
3141                 FreeStrBuf(&guid);
3142                 /* yes, we did. flood protection kicks in. */
3143                 syslog(LOG_DEBUG,
3144                        "not sending message again - %ld < %ld \n", seenstamp, tsday);
3145                 return;
3146         }
3147         else
3148         {
3149                 syslog(LOG_DEBUG,
3150                        "sending message. %ld >= %ld", seenstamp, tsday);
3151                 FreeStrBuf(&guid);
3152                 /* no, this message isn't sent recently; go ahead. */
3153                 quickie_message(from,
3154                                 fromaddr,
3155                                 to,
3156                                 room,
3157                                 text, 
3158                                 format_type,
3159                                 subject);
3160         }
3161 }
3162
3163
3164 /*
3165  * Back end function used by CtdlMakeMessage() and similar functions
3166  */
3167 StrBuf *CtdlReadMessageBodyBuf(char *terminator,        /* token signalling EOT */
3168                                long tlen,
3169                                size_t maxlen,           /* maximum message length */
3170                                StrBuf *exist,           /* if non-null, append to it;
3171                                                            exist is ALWAYS freed  */
3172                                int crlf,                /* CRLF newlines instead of LF */
3173                                int *sock                /* socket handle or 0 for this session's client socket */
3174         ) 
3175 {
3176         StrBuf *Message;
3177         StrBuf *LineBuf;
3178         int flushing = 0;
3179         int finished = 0;
3180         int dotdot = 0;
3181
3182         LineBuf = NewStrBufPlain(NULL, SIZ);
3183         if (exist == NULL) {
3184                 Message = NewStrBufPlain(NULL, 4 * SIZ);
3185         }
3186         else {
3187                 Message = NewStrBufDup(exist);
3188         }
3189
3190         /* Do we need to change leading ".." to "." for SMTP escaping? */
3191         if ((tlen == 1) && (*terminator == '.')) {
3192                 dotdot = 1;
3193         }
3194
3195         /* read in the lines of message text one by one */
3196         do {
3197                 if (sock != NULL) {
3198                         if ((CtdlSockGetLine(sock, LineBuf, 5) < 0) ||
3199                             (*sock == -1))
3200                                 finished = 1;
3201                 }
3202                 else {
3203                         if (CtdlClientGetLine(LineBuf) < 0) finished = 1;
3204                 }
3205                 if ((StrLength(LineBuf) == tlen) && 
3206                     (!strcmp(ChrPtr(LineBuf), terminator)))
3207                         finished = 1;
3208
3209                 if ( (!flushing) && (!finished) ) {
3210                         if (crlf) {
3211                                 StrBufAppendBufPlain(LineBuf, HKEY("\r\n"), 0);
3212                         }
3213                         else {
3214                                 StrBufAppendBufPlain(LineBuf, HKEY("\n"), 0);
3215                         }
3216                         
3217                         /* Unescape SMTP-style input of two dots at the beginning of the line */
3218                         if ((dotdot) &&
3219                             (StrLength(LineBuf) == 2) && 
3220                             (!strcmp(ChrPtr(LineBuf), "..")))
3221                         {
3222                                 StrBufCutLeft(LineBuf, 1);
3223                         }
3224                         
3225                         StrBufAppendBuf(Message, LineBuf, 0);
3226                 }
3227
3228                 /* if we've hit the max msg length, flush the rest */
3229                 if (StrLength(Message) >= maxlen) flushing = 1;
3230
3231         } while (!finished);
3232         FreeStrBuf(&LineBuf);
3233         return Message;
3234 }
3235
3236 void DeleteAsyncMsg(ReadAsyncMsg **Msg)
3237 {
3238         if (*Msg == NULL)
3239                 return;
3240         FreeStrBuf(&(*Msg)->MsgBuf);
3241
3242         free(*Msg);
3243         *Msg = NULL;
3244 }
3245
3246 ReadAsyncMsg *NewAsyncMsg(const char *terminator,       /* token signalling EOT */
3247                           long tlen,
3248                           size_t maxlen,                /* maximum message length */
3249                           size_t expectlen,             /* if we expect a message, how long should it be? */
3250                           StrBuf *exist,                /* if non-null, append to it;
3251                                                            exist is ALWAYS freed  */
3252                           long eLen,                    /* length of exist */
3253                           int crlf                      /* CRLF newlines instead of LF */
3254         )
3255 {
3256         ReadAsyncMsg *NewMsg;
3257
3258         NewMsg = (ReadAsyncMsg *)malloc(sizeof(ReadAsyncMsg));
3259         memset(NewMsg, 0, sizeof(ReadAsyncMsg));
3260
3261         if (exist == NULL) {
3262                 long len;
3263
3264                 if (expectlen == 0) {
3265                         len = 4 * SIZ;
3266                 }
3267                 else {
3268                         len = expectlen + 10;
3269                 }
3270                 NewMsg->MsgBuf = NewStrBufPlain(NULL, len);
3271         }
3272         else {
3273                 NewMsg->MsgBuf = NewStrBufDup(exist);
3274         }
3275         /* Do we need to change leading ".." to "." for SMTP escaping? */
3276         if ((tlen == 1) && (*terminator == '.')) {
3277                 NewMsg->dodot = 1;
3278         }
3279
3280         NewMsg->terminator = terminator;
3281         NewMsg->tlen = tlen;
3282
3283         NewMsg->maxlen = maxlen;
3284
3285         NewMsg->crlf = crlf;
3286
3287         return NewMsg;
3288 }
3289
3290 /*
3291  * Back end function used by CtdlMakeMessage() and similar functions
3292  */
3293 eReadState CtdlReadMessageBodyAsync(AsyncIO *IO)
3294 {
3295         ReadAsyncMsg *ReadMsg;
3296         int MsgFinished = 0;
3297         eReadState Finished = eMustReadMore;
3298
3299 #ifdef BIGBAD_IODBG
3300         char fn [SIZ];
3301         FILE *fd;
3302         const char *pch = ChrPtr(IO->SendBuf.Buf);
3303         const char *pchh = IO->SendBuf.ReadWritePointer;
3304         long nbytes;
3305         
3306         if (pchh == NULL)
3307                 pchh = pch;
3308         
3309         nbytes = StrLength(IO->SendBuf.Buf) - (pchh - pch);
3310         snprintf(fn, SIZ, "/tmp/foolog_ev_%s.%d",
3311                  ((CitContext*)(IO->CitContext))->ServiceName,
3312                  IO->SendBuf.fd);
3313         
3314         fd = fopen(fn, "a+");
3315         if (fd == NULL) {
3316                 syslog(LOG_EMERG, "failed to open file %s: %s", fn, strerror(errno));
3317                 cit_backtrace();
3318                 exit(1);
3319         }
3320 #endif
3321
3322         ReadMsg = IO->ReadMsg;
3323
3324         /* read in the lines of message text one by one */
3325         do {
3326                 Finished = StrBufChunkSipLine(IO->IOBuf, &IO->RecvBuf);
3327                 
3328                 switch (Finished) {
3329                 case eMustReadMore: /// read new from socket... 
3330 #ifdef BIGBAD_IODBG
3331                         if (IO->RecvBuf.ReadWritePointer != NULL) {
3332                                 nbytes = StrLength(IO->RecvBuf.Buf) - (IO->RecvBuf.ReadWritePointer - ChrPtr(IO->RecvBuf.Buf));
3333                                 fprintf(fd, "Read; Line unfinished: %ld Bytes still in buffer [", nbytes);
3334                                 
3335                                 fwrite(IO->RecvBuf.ReadWritePointer, nbytes, 1, fd);
3336                         
3337                                 fprintf(fd, "]\n");
3338                         } else {
3339                                 fprintf(fd, "BufferEmpty! \n");
3340                         }
3341                         fclose(fd);
3342 #endif
3343                         return Finished;
3344                     break;
3345                 case eBufferNotEmpty: /* shouldn't happen... */
3346                 case eReadSuccess: /// done for now...
3347                     break;
3348                 case eReadFail: /// WHUT?
3349                     ///todo: shut down! 
3350                         break;
3351                 }
3352             
3353
3354                 if ((StrLength(IO->IOBuf) == ReadMsg->tlen) && 
3355                     (!strcmp(ChrPtr(IO->IOBuf), ReadMsg->terminator))) {
3356                         MsgFinished = 1;
3357 #ifdef BIGBAD_IODBG
3358                         fprintf(fd, "found Terminator; Message Size: %d\n", StrLength(ReadMsg->MsgBuf));
3359 #endif
3360                 }
3361                 else if (!ReadMsg->flushing) {
3362
3363 #ifdef BIGBAD_IODBG
3364                         fprintf(fd, "Read Line: [%d][%s]\n", StrLength(IO->IOBuf), ChrPtr(IO->IOBuf));
3365 #endif
3366
3367                         /* Unescape SMTP-style input of two dots at the beginning of the line */
3368                         if ((ReadMsg->dodot) &&
3369                             (StrLength(IO->IOBuf) == 2) &&  /* TODO: do we just unescape lines with two dots or any line? */
3370                             (!strcmp(ChrPtr(IO->IOBuf), "..")))
3371                         {
3372 #ifdef BIGBAD_IODBG
3373                                 fprintf(fd, "UnEscaped!\n");
3374 #endif
3375                                 StrBufCutLeft(IO->IOBuf, 1);
3376                         }
3377
3378                         if (ReadMsg->crlf) {
3379                                 StrBufAppendBufPlain(IO->IOBuf, HKEY("\r\n"), 0);
3380                         }
3381                         else {
3382                                 StrBufAppendBufPlain(IO->IOBuf, HKEY("\n"), 0);
3383                         }
3384
3385                         StrBufAppendBuf(ReadMsg->MsgBuf, IO->IOBuf, 0);
3386                 }
3387
3388                 /* if we've hit the max msg length, flush the rest */
3389                 if (StrLength(ReadMsg->MsgBuf) >= ReadMsg->maxlen) ReadMsg->flushing = 1;
3390
3391         } while (!MsgFinished);
3392
3393 #ifdef BIGBAD_IODBG
3394         fprintf(fd, "Done with reading; %s.\n, ",
3395                 (MsgFinished)?"Message Finished": "FAILED");
3396         fclose(fd);
3397 #endif
3398         if (MsgFinished)
3399                 return eReadSuccess;
3400         else 
3401                 return eReadFail;
3402 }
3403
3404
3405 /*
3406  * Back end function used by CtdlMakeMessage() and similar functions
3407  */
3408 char *CtdlReadMessageBody(char *terminator,     /* token signalling EOT */
3409                           long tlen,
3410                           size_t maxlen,                /* maximum message length */
3411                           StrBuf *exist,                /* if non-null, append to it;
3412                                                    exist is ALWAYS freed  */
3413                           int crlf,             /* CRLF newlines instead of LF */
3414                           int *sock             /* socket handle or 0 for this session's client socket */
3415         ) 
3416 {
3417         StrBuf *Message;
3418
3419         Message = CtdlReadMessageBodyBuf(terminator,
3420                                          tlen,
3421                                          maxlen,
3422                                          exist,
3423                                          crlf,
3424                                          sock);
3425         if (Message == NULL)
3426                 return NULL;
3427         else
3428                 return SmashStrBuf(&Message);
3429 }
3430
3431 struct CtdlMessage *CtdlMakeMessage(
3432         struct ctdluser *author,        /* author's user structure */
3433         char *recipient,                /* NULL if it's not mail */
3434         char *recp_cc,                  /* NULL if it's not mail */
3435         char *room,                     /* room where it's going */
3436         int type,                       /* see MES_ types in header file */
3437         int format_type,                /* variformat, plain text, MIME... */
3438         char *fake_name,                /* who we're masquerading as */
3439         char *my_email,                 /* which of my email addresses to use (empty is ok) */
3440         char *subject,                  /* Subject (optional) */
3441         char *supplied_euid,            /* ...or NULL if this is irrelevant */
3442         char *preformatted_text,        /* ...or NULL to read text from client */
3443         char *references                /* Thread references */
3444 )
3445 {
3446         return CtdlMakeMessageLen(
3447                 author, /* author's user structure */
3448                 recipient,              /* NULL if it's not mail */
3449                 (recipient)?strlen(recipient) : 0,
3450                 recp_cc,                        /* NULL if it's not mail */
3451                 (recp_cc)?strlen(recp_cc): 0,
3452                 room,                   /* room where it's going */
3453                 (room)?strlen(room): 0,
3454                 type,                   /* see MES_ types in header file */
3455                 format_type,            /* variformat, plain text, MIME... */
3456                 fake_name,              /* who we're masquerading as */
3457                 (fake_name)?strlen(fake_name): 0,
3458                 my_email,                       /* which of my email addresses to use (empty is ok) */
3459                 (my_email)?strlen(my_email): 0,
3460                 subject,                        /* Subject (optional) */
3461                 (subject)?strlen(subject): 0,
3462                 supplied_euid,          /* ...or NULL if this is irrelevant */
3463                 (supplied_euid)?strlen(supplied_euid):0,
3464                 preformatted_text,      /* ...or NULL to read text from client */
3465                 (preformatted_text)?strlen(preformatted_text) : 0,
3466                 references,             /* Thread references */
3467                 (references)?strlen(references):0);
3468
3469 }
3470
3471 /*
3472  * Build a binary message to be saved on disk.
3473  * (NOTE: if you supply 'preformatted_text', the buffer you give it
3474  * will become part of the message.  This means you are no longer
3475  * responsible for managing that memory -- it will be freed along with
3476  * the rest of the fields when CM_Free() is called.)
3477  */
3478
3479 struct CtdlMessage *CtdlMakeMessageLen(
3480         struct ctdluser *author,        /* author's user structure */
3481         char *recipient,                /* NULL if it's not mail */
3482         long rcplen,
3483         char *recp_cc,                  /* NULL if it's not mail */
3484         long cclen,
3485         char *room,                     /* room where it's going */
3486         long roomlen,
3487         int type,                       /* see MES_ types in header file */
3488         int format_type,                /* variformat, plain text, MIME... */
3489         char *fake_name,                /* who we're masquerading as */
3490         long fnlen,
3491         char *my_email,                 /* which of my email addresses to use (empty is ok) */
3492         long myelen,
3493         char *subject,                  /* Subject (optional) */
3494         long subjlen,
3495         char *supplied_euid,            /* ...or NULL if this is irrelevant */
3496         long euidlen,
3497         char *preformatted_text,        /* ...or NULL to read text from client */
3498         long textlen,
3499         char *references,               /* Thread references */
3500         long reflen
3501         )
3502 {
3503         struct CitContext *CCC = CC;
3504         /* Don't confuse the poor folks if it's not routed mail. * /
3505            char dest_node[256] = "";*/
3506         long blen;
3507         char buf[1024];
3508         struct CtdlMessage *msg;
3509         StrBuf *FakeAuthor;
3510         StrBuf *FakeEncAuthor = NULL;
3511
3512         msg = malloc(sizeof(struct CtdlMessage));
3513         memset(msg, 0, sizeof(struct CtdlMessage));
3514         msg->cm_magic = CTDLMESSAGE_MAGIC;
3515         msg->cm_anon_type = type;
3516         msg->cm_format_type = format_type;
3517
3518         if (recipient != NULL) rcplen = striplt(recipient);
3519         if (recp_cc != NULL) cclen = striplt(recp_cc);
3520
3521         /* Path or Return-Path */
3522         if (myelen > 0) {
3523                 CM_SetField(msg, eMessagePath, my_email, myelen);
3524         }
3525         else if (!IsEmptyStr(author->fullname)) {
3526                 CM_SetField(msg, eMessagePath, author->fullname, strlen(author->fullname));
3527         }
3528         convert_spaces_to_underscores(msg->cm_fields[eMessagePath]);
3529
3530         blen = snprintf(buf, sizeof buf, "%ld", (long)time(NULL));
3531         CM_SetField(msg, eTimestamp, buf, blen);
3532
3533         if (fnlen > 0) {
3534                 FakeAuthor = NewStrBufPlain (fake_name, fnlen);
3535         }
3536         else {
3537                 FakeAuthor = NewStrBufPlain (author->fullname, -1);
3538         }
3539         StrBufRFC2047encode(&FakeEncAuthor, FakeAuthor);
3540         CM_SetAsFieldSB(msg, eAuthor, &FakeEncAuthor);
3541         FreeStrBuf(&FakeAuthor);
3542
3543         if (!!IsEmptyStr(CCC->room.QRname)) {
3544                 if (CCC->room.QRflags & QR_MAILBOX) {           /* room */
3545                         CM_SetField(msg, eOriginalRoom, &CCC->room.QRname[11], strlen(&CCC->room.QRname[11]));
3546                 }
3547                 else {
3548                         CM_SetField(msg, eOriginalRoom, CCC->room.QRname, strlen(CCC->room.QRname));
3549                 }
3550         }
3551
3552         CM_SetField(msg, eNodeName, CtdlGetConfigStr("c_nodename"), strlen(CtdlGetConfigStr("c_nodename")));
3553         CM_SetField(msg, eHumanNode, CtdlGetConfigStr("c_humannode"), strlen(CtdlGetConfigStr("c_humannode")));
3554
3555         if (rcplen > 0) {
3556                 CM_SetField(msg, eRecipient, recipient, rcplen);
3557         }
3558         if (cclen > 0) {
3559                 CM_SetField(msg, eCarbonCopY, recp_cc, cclen);
3560         }
3561
3562         if (myelen > 0) {
3563                 CM_SetField(msg, erFc822Addr, my_email, myelen);
3564         }
3565         else if ( (author == &CCC->user) && (!IsEmptyStr(CCC->cs_inet_email)) ) {
3566                 CM_SetField(msg, erFc822Addr, CCC->cs_inet_email, strlen(CCC->cs_inet_email));
3567         }
3568
3569         if (subject != NULL) {
3570                 long length;
3571                 length = striplt(subject);
3572                 if (length > 0) {
3573                         long i;
3574                         long IsAscii;
3575                         IsAscii = -1;
3576                         i = 0;
3577                         while ((subject[i] != '\0') &&
3578                                (IsAscii = isascii(subject[i]) != 0 ))
3579                                 i++;
3580                         if (IsAscii != 0)
3581                                 CM_SetField(msg, eMsgSubject, subject, subjlen);
3582                         else /* ok, we've got utf8 in the string. */
3583                         {
3584                                 char *rfc2047Subj;
3585                                 rfc2047Subj = rfc2047encode(subject, length);
3586                                 CM_SetAsField(msg, eMsgSubject, &rfc2047Subj, strlen(rfc2047Subj));
3587                         }
3588
3589                 }
3590         }
3591
3592         if (euidlen > 0) {
3593                 CM_SetField(msg, eExclusiveID, supplied_euid, euidlen);
3594         }
3595
3596         if (reflen > 0) {
3597                 CM_SetField(msg, eWeferences, references, reflen);
3598         }
3599
3600         if (preformatted_text != NULL) {
3601                 CM_SetField(msg, eMesageText, preformatted_text, textlen);
3602         }
3603         else {
3604                 StrBuf *MsgBody;
3605                 MsgBody = CtdlReadMessageBodyBuf(HKEY("000"), CtdlGetConfigLong("c_maxmsglen"), NULL, 0, 0);
3606                 if (MsgBody != NULL) {
3607                         CM_SetAsFieldSB(msg, eMesageText, &MsgBody);
3608                 }
3609         }
3610
3611         return(msg);
3612 }
3613
3614
3615
3616
3617 /*
3618  * API function to delete messages which match a set of criteria
3619  * (returns the actual number of messages deleted)
3620  */
3621 int CtdlDeleteMessages(const char *room_name,           /* which room */
3622                        long *dmsgnums,          /* array of msg numbers to be deleted */
3623                        int num_dmsgnums,        /* number of msgs to be deleted, or 0 for "any" */
3624                        char *content_type       /* or "" for any.  regular expressions expected. */
3625         )
3626 {
3627         struct CitContext *CCC = CC;
3628         struct ctdlroom qrbuf;
3629         struct cdbdata *cdbfr;
3630         long *msglist = NULL;
3631         long *dellist = NULL;
3632         int num_msgs = 0;
3633         int i, j;
3634         int num_deleted = 0;
3635         int delete_this;
3636         struct MetaData smi;
3637         regex_t re;
3638         regmatch_t pm;
3639         int need_to_free_re = 0;
3640
3641         if (content_type) if (!IsEmptyStr(content_type)) {
3642                         regcomp(&re, content_type, 0);
3643                         need_to_free_re = 1;
3644                 }
3645         MSG_syslog(LOG_DEBUG, " CtdlDeleteMessages(%s, %d msgs, %s)\n",
3646                    room_name, num_dmsgnums, content_type);
3647
3648         /* get room record, obtaining a lock... */
3649         if (CtdlGetRoomLock(&qrbuf, room_name) != 0) {
3650                 MSG_syslog(LOG_ERR, " CtdlDeleteMessages(): Room <%s> not found\n",
3651                            room_name);
3652                 if (need_to_free_re) regfree(&re);
3653                 return (0);     /* room not found */
3654         }
3655         cdbfr = cdb_fetch(CDB_MSGLISTS, &qrbuf.QRnumber, sizeof(long));
3656
3657         if (cdbfr != NULL) {
3658                 dellist = malloc(cdbfr->len);
3659                 msglist = (long *) cdbfr->ptr;
3660                 cdbfr->ptr = NULL;      /* CtdlDeleteMessages() now owns this memory */
3661                 num_msgs = cdbfr->len / sizeof(long);
3662                 cdb_free(cdbfr);
3663         }
3664         if (num_msgs > 0) {
3665                 int have_contenttype = (content_type != NULL) && !IsEmptyStr(content_type);
3666                 int have_delmsgs = (num_dmsgnums == 0) || (dmsgnums == NULL);
3667                 int have_more_del = 1;
3668
3669                 num_msgs = sort_msglist(msglist, num_msgs);
3670                 if (num_dmsgnums > 1)
3671                         num_dmsgnums = sort_msglist(dmsgnums, num_dmsgnums);
3672 /*
3673                 {
3674                         StrBuf *dbg = NewStrBuf();
3675                         for (i = 0; i < num_dmsgnums; i++)
3676                                 StrBufAppendPrintf(dbg, ", %ld", dmsgnums[i]);
3677                         MSG_syslog(LOG_DEBUG, " Deleting before: %s", ChrPtr(dbg));
3678                         FreeStrBuf(&dbg);
3679                 }
3680 */
3681                 i = 0; j = 0;
3682                 while ((i < num_msgs) && (have_more_del)) {
3683                         delete_this = 0x00;
3684
3685                         /* Set/clear a bit for each criterion */
3686
3687                         /* 0 messages in the list or a null list means that we are
3688                          * interested in deleting any messages which meet the other criteria.
3689                          */
3690                         if (have_delmsgs) {
3691                                 delete_this |= 0x01;
3692                         }
3693                         else {
3694                                 while ((i < num_msgs) && (msglist[i] < dmsgnums[j])) i++;
3695
3696                                 if (i >= num_msgs)
3697                                         continue;
3698
3699                                 if (msglist[i] == dmsgnums[j]) {
3700                                         delete_this |= 0x01;
3701                                 }
3702                                 j++;
3703                                 have_more_del = (j < num_dmsgnums);
3704                         }
3705
3706                         if (have_contenttype) {
3707                                 GetMetaData(&smi, msglist[i]);
3708                                 if (regexec(&re, smi.meta_content_type, 1, &pm, 0) == 0) {
3709                                         delete_this |= 0x02;
3710                                 }
3711                         } else {
3712                                 delete_this |= 0x02;
3713                         }
3714
3715                         /* Delete message only if all bits are set */
3716                         if (delete_this == 0x03) {
3717                                 dellist[num_deleted++] = msglist[i];
3718                                 msglist[i] = 0L;
3719                         }
3720                         i++;
3721                 }
3722 /*
3723                 {
3724                         StrBuf *dbg = NewStrBuf();
3725                         for (i = 0; i < num_deleted; i++)
3726                                 StrBufAppendPrintf(dbg, ", %ld", dellist[i]);
3727                         MSG_syslog(LOG_DEBUG, " Deleting: %s", ChrPtr(dbg));
3728                         FreeStrBuf(&dbg);
3729                 }
3730 */
3731                 num_msgs = sort_msglist(msglist, num_msgs);
3732                 cdb_store(CDB_MSGLISTS, &qrbuf.QRnumber, (int)sizeof(long),
3733                           msglist, (int)(num_msgs * sizeof(long)));
3734
3735                 if (num_msgs > 0)
3736                         qrbuf.QRhighest = msglist[num_msgs - 1];
3737                 else
3738                         qrbuf.QRhighest = 0;
3739         }
3740         CtdlPutRoomLock(&qrbuf);
3741
3742         /* Go through the messages we pulled out of the index, and decrement
3743          * their reference counts by 1.  If this is the only room the message
3744          * was in, the reference count will reach zero and the message will
3745          * automatically be deleted from the database.  We do this in a
3746          * separate pass because there might be plug-in hooks getting called,
3747          * and we don't want that happening during an S_ROOMS critical
3748          * section.
3749          */
3750         if (num_deleted) {
3751                 for (i=0; i<num_deleted; ++i) {
3752                         PerformDeleteHooks(qrbuf.QRname, dellist[i]);
3753                 }
3754                 AdjRefCountList(dellist, num_deleted, -1);
3755         }
3756         /* Now free the memory we used, and go away. */
3757         if (msglist != NULL) free(msglist);
3758         if (dellist != NULL) free(dellist);
3759         MSG_syslog(LOG_DEBUG, " %d message(s) deleted.\n", num_deleted);
3760         if (need_to_free_re) regfree(&re);
3761         return (num_deleted);
3762 }
3763
3764
3765
3766
3767 /*
3768  * GetMetaData()  -  Get the supplementary record for a message
3769  */
3770 void GetMetaData(struct MetaData *smibuf, long msgnum)
3771 {
3772
3773         struct cdbdata *cdbsmi;
3774         long TheIndex;
3775
3776         memset(smibuf, 0, sizeof(struct MetaData));
3777         smibuf->meta_msgnum = msgnum;
3778         smibuf->meta_refcount = 1;      /* Default reference count is 1 */
3779
3780         /* Use the negative of the message number for its supp record index */
3781         TheIndex = (0L - msgnum);
3782
3783         cdbsmi = cdb_fetch(CDB_MSGMAIN, &TheIndex, sizeof(long));
3784         if (cdbsmi == NULL) {
3785                 return;         /* record not found; go with defaults */
3786         }
3787         memcpy(smibuf, cdbsmi->ptr,
3788                ((cdbsmi->len > sizeof(struct MetaData)) ?
3789                 sizeof(struct MetaData) : cdbsmi->len));
3790         cdb_free(cdbsmi);
3791         return;
3792 }
3793
3794
3795 /*
3796  * PutMetaData()  -  (re)write supplementary record for a message
3797  */
3798 void PutMetaData(struct MetaData *smibuf)
3799 {
3800         long TheIndex;
3801
3802         /* Use the negative of the message number for the metadata db index */
3803         TheIndex = (0L - smibuf->meta_msgnum);
3804
3805         cdb_store(CDB_MSGMAIN,
3806                   &TheIndex, (int)sizeof(long),
3807                   smibuf, (int)sizeof(struct MetaData));
3808
3809 }
3810
3811 /*
3812  * AdjRefCount  -  submit an adjustment to the reference count for a message.
3813  *                 (These are just queued -- we actually process them later.)
3814  */
3815 void AdjRefCount(long msgnum, int incr)
3816 {
3817         struct CitContext *CCC = CC;
3818         struct arcq new_arcq;
3819         int rv = 0;
3820
3821         MSG_syslog(LOG_DEBUG, "AdjRefCount() msg %ld ref count delta %+d\n", msgnum, incr);
3822
3823         begin_critical_section(S_SUPPMSGMAIN);
3824         if (arcfp == NULL) {
3825                 arcfp = fopen(file_arcq, "ab+");
3826                 chown(file_arcq, CTDLUID, (-1));
3827                 chmod(file_arcq, 0600);
3828         }
3829         end_critical_section(S_SUPPMSGMAIN);
3830
3831         /* msgnum < 0 means that we're trying to close the file */
3832         if (msgnum < 0) {
3833                 MSGM_syslog(LOG_DEBUG, "Closing the AdjRefCount queue file\n");
3834                 begin_critical_section(S_SUPPMSGMAIN);
3835                 if (arcfp != NULL) {
3836                         fclose(arcfp);
3837                         arcfp = NULL;
3838                 }
3839                 end_critical_section(S_SUPPMSGMAIN);
3840                 return;
3841         }
3842
3843         /*
3844          * If we can't open the queue, perform the operation synchronously.
3845          */
3846         if (arcfp == NULL) {
3847                 TDAP_AdjRefCount(msgnum, incr);
3848                 return;
3849         }
3850
3851         new_arcq.arcq_msgnum = msgnum;
3852         new_arcq.arcq_delta = incr;
3853         rv = fwrite(&new_arcq, sizeof(struct arcq), 1, arcfp);
3854         if (rv == -1) {
3855                 MSG_syslog(LOG_EMERG, "Couldn't write Refcount Queue File %s: %s\n",
3856                            file_arcq,
3857                            strerror(errno));
3858         }
3859         fflush(arcfp);
3860
3861         return;
3862 }
3863
3864 void AdjRefCountList(long *msgnum, long nmsg, int incr)
3865 {
3866         struct CitContext *CCC = CC;
3867         long i, the_size, offset;
3868         struct arcq *new_arcq;
3869         int rv = 0;
3870
3871         MSG_syslog(LOG_DEBUG, "AdjRefCountList() msg %ld ref count delta %+d\n", nmsg, incr);
3872
3873         begin_critical_section(S_SUPPMSGMAIN);
3874         if (arcfp == NULL) {
3875                 arcfp = fopen(file_arcq, "ab+");
3876                 chown(file_arcq, CTDLUID, (-1));
3877                 chmod(file_arcq, 0600);
3878         }
3879         end_critical_section(S_SUPPMSGMAIN);
3880
3881         /*
3882          * If we can't open the queue, perform the operation synchronously.
3883          */
3884         if (arcfp == NULL) {
3885                 for (i = 0; i < nmsg; i++)
3886                         TDAP_AdjRefCount(msgnum[i], incr);
3887                 return;
3888         }
3889
3890         the_size = sizeof(struct arcq) * nmsg;
3891         new_arcq = malloc(the_size);
3892         for (i = 0; i < nmsg; i++) {
3893                 new_arcq[i].arcq_msgnum = msgnum[i];
3894                 new_arcq[i].arcq_delta = incr;
3895         }
3896         rv = 0;
3897         offset = 0;
3898         while ((rv >= 0) && (offset < the_size))
3899         {
3900                 rv = fwrite(new_arcq + offset, 1, the_size - offset, arcfp);
3901                 if (rv == -1) {
3902                         MSG_syslog(LOG_EMERG, "Couldn't write Refcount Queue File %s: %s\n",
3903                                    file_arcq,
3904                                    strerror(errno));
3905                 }
3906                 else {
3907                         offset += rv;
3908                 }
3909         }
3910         free(new_arcq);
3911         fflush(arcfp);
3912
3913         return;
3914 }
3915
3916
3917 /*
3918  * TDAP_ProcessAdjRefCountQueue()
3919  *
3920  * Process the queue of message count adjustments that was created by calls
3921  * to AdjRefCount() ... by reading the queue and calling TDAP_AdjRefCount()
3922  * for each one.  This should be an "off hours" operation.
3923  */
3924 int TDAP_ProcessAdjRefCountQueue(void)
3925 {
3926         struct CitContext *CCC = CC;
3927         char file_arcq_temp[PATH_MAX];
3928         int r;
3929         FILE *fp;
3930         struct arcq arcq_rec;
3931         int num_records_processed = 0;
3932
3933         snprintf(file_arcq_temp, sizeof file_arcq_temp, "%s.%04x", file_arcq, rand());
3934
3935         begin_critical_section(S_SUPPMSGMAIN);
3936         if (arcfp != NULL) {
3937                 fclose(arcfp);
3938                 arcfp = NULL;
3939         }
3940
3941         r = link(file_arcq, file_arcq_temp);
3942         if (r != 0) {
3943                 MSG_syslog(LOG_CRIT, "%s: %s\n", file_arcq_temp, strerror(errno));
3944                 end_critical_section(S_SUPPMSGMAIN);
3945                 return(num_records_processed);
3946         }
3947
3948         unlink(file_arcq);
3949         end_critical_section(S_SUPPMSGMAIN);
3950
3951         fp = fopen(file_arcq_temp, "rb");
3952         if (fp == NULL) {
3953                 MSG_syslog(LOG_CRIT, "%s: %s\n", file_arcq_temp, strerror(errno));
3954                 return(num_records_processed);
3955         }
3956
3957         while (fread(&arcq_rec, sizeof(struct arcq), 1, fp) == 1) {
3958                 TDAP_AdjRefCount(arcq_rec.arcq_msgnum, arcq_rec.arcq_delta);
3959                 ++num_records_processed;
3960         }
3961
3962         fclose(fp);
3963         r = unlink(file_arcq_temp);
3964         if (r != 0) {
3965                 MSG_syslog(LOG_CRIT, "%s: %s\n", file_arcq_temp, strerror(errno));
3966         }
3967
3968         return(num_records_processed);
3969 }
3970
3971
3972
3973 /*
3974  * TDAP_AdjRefCount  -  adjust the reference count for a message.
3975  *                      This one does it "for real" because it's called by
3976  *                      the autopurger function that processes the queue
3977  *                      created by AdjRefCount().   If a message's reference
3978  *                      count becomes zero, we also delete the message from
3979  *                      disk and de-index it.
3980  */
3981 void TDAP_AdjRefCount(long msgnum, int incr)
3982 {
3983         struct CitContext *CCC = CC;
3984
3985         struct MetaData smi;
3986         long delnum;
3987
3988         /* This is a *tight* critical section; please keep it that way, as
3989          * it may get called while nested in other critical sections.  
3990          * Complicating this any further will surely cause deadlock!
3991          */
3992         begin_critical_section(S_SUPPMSGMAIN);
3993         GetMetaData(&smi, msgnum);
3994         smi.meta_refcount += incr;
3995         PutMetaData(&smi);
3996         end_critical_section(S_SUPPMSGMAIN);
3997         MSG_syslog(LOG_DEBUG, "TDAP_AdjRefCount() msg %ld ref count delta %+d, is now %d\n",
3998                    msgnum, incr, smi.meta_refcount
3999                 );
4000
4001         /* If the reference count is now zero, delete the message
4002          * (and its supplementary record as well).
4003          */
4004         if (smi.meta_refcount == 0) {
4005                 MSG_syslog(LOG_DEBUG, "Deleting message <%ld>\n", msgnum);
4006                 
4007                 /* Call delete hooks with NULL room to show it has gone altogether */
4008                 PerformDeleteHooks(NULL, msgnum);
4009
4010                 /* Remove from message base */
4011                 delnum = msgnum;
4012                 cdb_delete(CDB_MSGMAIN, &delnum, (int)sizeof(long));
4013                 cdb_delete(CDB_BIGMSGS, &delnum, (int)sizeof(long));
4014
4015                 /* Remove metadata record */
4016                 delnum = (0L - msgnum);
4017                 cdb_delete(CDB_MSGMAIN, &delnum, (int)sizeof(long));
4018         }
4019
4020 }
4021
4022 /*
4023  * Write a generic object to this room
4024  *
4025  * Note: this could be much more efficient.  Right now we use two temporary
4026  * files, and still pull the message into memory as with all others.
4027  */
4028 void CtdlWriteObject(char *req_room,                    /* Room to stuff it in */
4029                      char *content_type,                /* MIME type of this object */
4030                      char *raw_message,         /* Data to be written */
4031                      off_t raw_length,          /* Size of raw_message */
4032                      struct ctdluser *is_mailbox,       /* Mailbox room? */
4033                      int is_binary,                     /* Is encoding necessary? */
4034                      int is_unique,                     /* Del others of this type? */
4035                      unsigned int flags         /* Internal save flags */
4036         )
4037 {
4038         struct CitContext *CCC = CC;
4039         struct ctdlroom qrbuf;
4040         char roomname[ROOMNAMELEN];
4041         struct CtdlMessage *msg;
4042         StrBuf *encoded_message = NULL;
4043
4044         if (is_mailbox != NULL) {
4045                 CtdlMailboxName(roomname, sizeof roomname, is_mailbox, req_room);
4046         }
4047         else {
4048                 safestrncpy(roomname, req_room, sizeof(roomname));
4049         }
4050
4051         MSG_syslog(LOG_DEBUG, "Raw length is %ld\n", (long)raw_length);
4052
4053         if (is_binary) {
4054                 encoded_message = NewStrBufPlain(NULL, (size_t) (((raw_length * 134) / 100) + 4096 ) );
4055         }
4056         else {
4057                 encoded_message = NewStrBufPlain(NULL, (size_t)(raw_length + 4096));
4058         }
4059
4060         StrBufAppendBufPlain(encoded_message, HKEY("Content-type: "), 0);
4061         StrBufAppendBufPlain(encoded_message, content_type, -1, 0);
4062         StrBufAppendBufPlain(encoded_message, HKEY("\n"), 0);
4063
4064         if (is_binary) {
4065                 StrBufAppendBufPlain(encoded_message, HKEY("Content-transfer-encoding: base64\n\n"), 0);
4066         }
4067         else {
4068                 StrBufAppendBufPlain(encoded_message, HKEY("Content-transfer-encoding: 7bit\n\n"), 0);
4069         }
4070
4071         if (is_binary) {
4072                 StrBufBase64Append(encoded_message, NULL, raw_message, raw_length, 0);
4073         }
4074         else {
4075                 StrBufAppendBufPlain(encoded_message, raw_message, raw_length, 0);
4076         }
4077
4078         MSGM_syslog(LOG_DEBUG, "Allocating\n");
4079         msg = malloc(sizeof(struct CtdlMessage));
4080         memset(msg, 0, sizeof(struct CtdlMessage));
4081         msg->cm_magic = CTDLMESSAGE_MAGIC;
4082         msg->cm_anon_type = MES_NORMAL;
4083         msg->cm_format_type = 4;
4084         CM_SetField(msg, eAuthor, CCC->user.fullname, strlen(CCC->user.fullname));
4085         CM_SetField(msg, eOriginalRoom, req_room, strlen(req_room));
4086         CM_SetField(msg, eNodeName, CtdlGetConfigStr("c_nodename"), strlen(CtdlGetConfigStr("c_nodename")));
4087         CM_SetField(msg, eHumanNode, CtdlGetConfigStr("c_humannode"), strlen(CtdlGetConfigStr("c_humannode")));
4088         msg->cm_flags = flags;
4089         
4090         CM_SetAsFieldSB(msg, eMesageText, &encoded_message);
4091
4092         /* Create the requested room if we have to. */
4093         if (CtdlGetRoom(&qrbuf, roomname) != 0) {
4094                 CtdlCreateRoom(roomname, 
4095                                ( (is_mailbox != NULL) ? 5 : 3 ),
4096                                "", 0, 1, 0, VIEW_BBS);
4097         }
4098         /* If the caller specified this object as unique, delete all
4099          * other objects of this type that are currently in the room.
4100          */
4101         if (is_unique) {
4102                 MSG_syslog(LOG_DEBUG, "Deleted %d other msgs of this type\n",
4103                            CtdlDeleteMessages(roomname, NULL, 0, content_type)
4104                         );
4105         }
4106         /* Now write the data */
4107         CtdlSubmitMsg(msg, NULL, roomname, 0);
4108         CM_Free(msg);
4109 }
4110
4111
4112
4113 /*****************************************************************************/
4114 /*                      MODULE INITIALIZATION STUFF                          */
4115 /*****************************************************************************/
4116 void SetMessageDebugEnabled(const int n)
4117 {
4118         MessageDebugEnabled = n;
4119 }
4120 CTDL_MODULE_INIT(msgbase)
4121 {
4122         if (!threading) {
4123                 CtdlRegisterDebugFlagHook(HKEY("messages"), SetMessageDebugEnabled, &MessageDebugEnabled);
4124         }
4125
4126         /* return our Subversion id for the Log */
4127         return "msgbase";
4128 }