1package imapserver
2
3import (
4 "cmp"
5 "fmt"
6 "log/slog"
7 "maps"
8 "net/textproto"
9 "slices"
10 "strings"
11 "time"
12
13 "github.com/mjl-/bstore"
14
15 "github.com/mjl-/mox/message"
16 "github.com/mjl-/mox/store"
17)
18
19// If last search output was this long ago, we write an untagged inprogress
20// response. Changed during tests. ../rfc/9585:109
21var inProgressPeriod = time.Duration(10 * time.Second)
22
23// ESEARCH allows searching multiple mailboxes, referenced through mailbox filters
24// borrowed from the NOTIFY extension. Unlike the regular extended SEARCH/UID
25// SEARCH command that always returns an ESEARCH response, the ESEARCH command only
26// returns ESEARCH responses when there were matches in a mailbox.
27//
28// ../rfc/7377:159
29func (c *conn) cmdEsearch(tag, cmd string, p *parser) {
30 c.cmdxSearch(true, true, tag, cmd, p)
31}
32
33// Search returns messages matching criteria specified in parameters.
34//
35// State: Selected for SEARCH and UID SEARCH, Authenticated or selectd for ESEARCH.
36func (c *conn) cmdxSearch(isUID, isE bool, tag, cmd string, p *parser) {
37 // Command: ../rfc/9051:3716 ../rfc/7377:159 ../rfc/6237:142 ../rfc/4731:31 ../rfc/4466:354 ../rfc/3501:2723
38 // Examples: ../rfc/9051:3986 ../rfc/7377:385 ../rfc/6237:323 ../rfc/4731:153 ../rfc/3501:2975
39 // Syntax: ../rfc/9051:6918 ../rfc/7377:462 ../rfc/6237:403 ../rfc/4466:611 ../rfc/3501:4954
40
41 // We will respond with ESEARCH instead of SEARCH if "RETURN" is present or for IMAP4rev2 or for isE (ESEARCH command).
42 var eargs map[string]bool // Options except SAVE. Nil means old-style SEARCH response.
43 var save bool // For SAVE option. Kept separately for easier handling of MIN/MAX later.
44
45 if c.enabled[capIMAP4rev2] || isE {
46 eargs = map[string]bool{}
47 }
48
49 // The ESEARCH command has various ways to specify which mailboxes are to be
50 // searched. We parse and gather the request first, and evaluate them to mailboxes
51 // after parsing, when we start and have a DB transaction.
52 type mailboxSpec struct {
53 Kind string
54 Args []string
55 }
56 var mailboxSpecs []mailboxSpec
57
58 // ../rfc/7377:468
59 if isE && p.take(" IN (") {
60 for {
61 mbs := mailboxSpec{}
62 mbs.Kind = p.xtakelist("SELECTED", "INBOXES", "PERSONAL", "SUBSCRIBED", "SUBTREE-ONE", "SUBTREE", "MAILBOXES")
63 switch mbs.Kind {
64 case "SUBTREE", "SUBTREE-ONE", "MAILBOXES":
65 p.xtake(" ")
66 if p.take("(") {
67 for {
68 mbs.Args = append(mbs.Args, p.xmailbox())
69 if !p.take(" ") {
70 break
71 }
72 }
73 p.xtake(")")
74 } else {
75 mbs.Args = []string{p.xmailbox()}
76 }
77 }
78 mailboxSpecs = append(mailboxSpecs, mbs)
79
80 if !p.take(" ") {
81 break
82 }
83 }
84 p.xtake(")")
85 // We are not parsing the scope-options since there aren't any defined yet. ../rfc/7377:469
86 }
87 // ../rfc/9051:6967
88 if p.take(" RETURN (") {
89 eargs = map[string]bool{}
90
91 for !p.take(")") {
92 if len(eargs) > 0 || save {
93 p.xspace()
94 }
95 if w, ok := p.takelist("MIN", "MAX", "ALL", "COUNT", "SAVE"); ok {
96 if w == "SAVE" {
97 save = true
98 } else {
99 eargs[w] = true
100 }
101 } else {
102 // ../rfc/4466:378 ../rfc/9051:3745
103 xsyntaxErrorf("ESEARCH result option %q not supported", w)
104 }
105 }
106 }
107 // ../rfc/4731:149 ../rfc/9051:3737
108 if eargs != nil && len(eargs) == 0 && !save {
109 eargs["ALL"] = true
110 }
111
112 // If UTF8=ACCEPT is enabled, we should not accept any charset. We are a bit more
113 // relaxed (reasonable?) and still allow US-ASCII and UTF-8. ../rfc/6855:198
114 if p.take(" CHARSET ") {
115 charset := strings.ToUpper(p.xastring())
116 if charset != "US-ASCII" && charset != "UTF-8" {
117 // ../rfc/3501:2771 ../rfc/9051:3836
118 xusercodeErrorf("BADCHARSET", "only US-ASCII and UTF-8 supported")
119 }
120 }
121 p.xspace()
122 sk := &searchKey{
123 searchKeys: []searchKey{*p.xsearchKey()},
124 }
125 for !p.empty() {
126 p.xspace()
127 sk.searchKeys = append(sk.searchKeys, *p.xsearchKey())
128 }
129
130 // Even in case of error, we ensure search result is changed.
131 if save {
132 c.searchResult = []store.UID{}
133 }
134
135 // We gather word and not-word searches from the top-level, turn them
136 // into a WordSearch for a more efficient search.
137 // todo optimize: also gather them out of AND searches.
138 var textWords, textNotWords, bodyWords, bodyNotWords []string
139 n := 0
140 for _, xsk := range sk.searchKeys {
141 switch xsk.op {
142 case "BODY":
143 bodyWords = append(bodyWords, xsk.astring)
144 continue
145 case "TEXT":
146 textWords = append(textWords, xsk.astring)
147 continue
148 case "NOT":
149 switch xsk.searchKey.op {
150 case "BODY":
151 bodyNotWords = append(bodyNotWords, xsk.searchKey.astring)
152 continue
153 case "TEXT":
154 textNotWords = append(textNotWords, xsk.searchKey.astring)
155 continue
156 }
157 }
158 sk.searchKeys[n] = xsk
159 n++
160 }
161 // We may be left with an empty but non-nil sk.searchKeys, which is important for
162 // matching.
163 sk.searchKeys = sk.searchKeys[:n]
164 var bodySearch, textSearch *store.WordSearch
165 if len(bodyWords) > 0 || len(bodyNotWords) > 0 {
166 ws := store.PrepareWordSearch(bodyWords, bodyNotWords)
167 bodySearch = &ws
168 }
169 if len(textWords) > 0 || len(textNotWords) > 0 {
170 ws := store.PrepareWordSearch(textWords, textNotWords)
171 textSearch = &ws
172 }
173
174 // Note: we only hold the account rlock for verifying the mailbox at the start.
175 c.account.RLock()
176 runlock := c.account.RUnlock
177 // Note: in a defer because we replace it below.
178 defer func() {
179 runlock()
180 }()
181
182 // If we only have a MIN and/or MAX, we can stop processing as soon as we
183 // have those matches.
184 var min1, max1 int
185 if eargs["MIN"] {
186 min1 = 1
187 }
188 if eargs["MAX"] {
189 max1 = 1
190 }
191
192 // We'll have one Result per mailbox we are searching. For regular (UID) SEARCH
193 // commands, we'll have just one, for the selected mailbox.
194 type Result struct {
195 Mailbox store.Mailbox
196 MaxModSeq store.ModSeq
197 UIDs []store.UID
198 }
199 var results []Result
200
201 // We periodically send an untagged OK with INPROGRESS code while searching, to let
202 // clients doing slow searches know we're still working.
203 inProgressLast := time.Now()
204 // Only respond with tag if it can't be confused as end of response code. ../rfc/9585:122
205 inProgressTag := "nil"
206 if !strings.Contains(tag, "]") {
207 inProgressTag = dquote(tag).pack(c)
208 }
209
210 c.xdbread(func(tx *bstore.Tx) {
211 // Gather mailboxes to operate on. Usually just the selected mailbox. But with the
212 // ESEARCH command, we may be searching multiple.
213 var mailboxes []store.Mailbox
214 if len(mailboxSpecs) > 0 {
215 // While gathering, we deduplicate mailboxes. ../rfc/7377:312
216 m := map[int64]store.Mailbox{}
217 for _, mbs := range mailboxSpecs {
218 switch mbs.Kind {
219 case "SELECTED":
220 // ../rfc/7377:306
221 if c.state != stateSelected {
222 xsyntaxErrorf("cannot use ESEARCH with selected when state is not selected")
223 }
224
225 mb := c.xmailboxID(tx, c.mailboxID) // Validate.
226 m[mb.ID] = mb
227
228 case "INBOXES":
229 // Inbox and everything below. And we look at destinations and rulesets. We all
230 // mailboxes from the destinations, and all from the rulesets except when
231 // ListAllowDomain is non-empty.
232 // ../rfc/5465:822
233 q := bstore.QueryTx[store.Mailbox](tx)
234 q.FilterEqual("Expunged", false)
235 q.FilterGreaterEqual("Name", "Inbox")
236 q.SortAsc("Name")
237 for mb, err := range q.All() {
238 xcheckf(err, "list mailboxes")
239 if mb.Name != "Inbox" && !strings.HasPrefix(mb.Name, "Inbox/") {
240 break
241 }
242 m[mb.ID] = mb
243 }
244
245 conf, _ := c.account.Conf()
246 for _, dest := range conf.Destinations {
247 if dest.Mailbox != "" && dest.Mailbox != "Inbox" {
248 mb, err := c.account.MailboxFind(tx, dest.Mailbox)
249 xcheckf(err, "find mailbox from destination")
250 if mb != nil {
251 m[mb.ID] = *mb
252 }
253 }
254
255 for _, rs := range dest.Rulesets {
256 if rs.ListAllowDomain != "" || rs.Mailbox == "" {
257 continue
258 }
259
260 mb, err := c.account.MailboxFind(tx, rs.Mailbox)
261 xcheckf(err, "find mailbox from ruleset")
262 if mb != nil {
263 m[mb.ID] = *mb
264 }
265 }
266 }
267
268 case "PERSONAL":
269 // All mailboxes in the personal namespace. Which is all mailboxes for us.
270 // ../rfc/5465:817
271 for mb, err := range bstore.QueryTx[store.Mailbox](tx).FilterEqual("Expunged", false).All() {
272 xcheckf(err, "list mailboxes")
273 m[mb.ID] = mb
274 }
275
276 case "SUBSCRIBED":
277 // Mailboxes that are subscribed. Will typically be same as personal, since we
278 // subscribe to all mailboxes. But user can manage subscriptions differently.
279 // ../rfc/5465:831
280 for mb, err := range bstore.QueryTx[store.Mailbox](tx).FilterEqual("Expunged", false).All() {
281 xcheckf(err, "list mailboxes")
282 if err := tx.Get(&store.Subscription{Name: mb.Name}); err == nil {
283 m[mb.ID] = mb
284 } else if err != bstore.ErrAbsent {
285 xcheckf(err, "lookup subscription for mailbox")
286 }
287 }
288
289 case "SUBTREE", "SUBTREE-ONE":
290 // The mailbox name itself, and children. ../rfc/5465:847
291 // SUBTREE is arbitrarily deep, SUBTREE-ONE is one level deeper than requested
292 // mailbox. The mailbox itself is included too ../rfc/7377:274
293
294 // We don't have to worry about loops. Mailboxes are not in the file system.
295 // ../rfc/7377:291
296
297 for _, name := range mbs.Args {
298 name = xcheckmailboxname(name, true)
299
300 one := mbs.Kind == "SUBTREE-ONE"
301 var ntoken int
302 if one {
303 ntoken = len(strings.Split(name, "/"))
304 }
305
306 q := bstore.QueryTx[store.Mailbox](tx)
307 q.FilterEqual("Expunged", false)
308 q.FilterGreaterEqual("Name", name)
309 q.SortAsc("Name")
310 for mb, err := range q.All() {
311 xcheckf(err, "list mailboxes")
312 if mb.Name != name && !strings.HasPrefix(mb.Name, name+"/") {
313 break
314 }
315 if !one || mb.Name == name || len(strings.Split(mb.Name, "/")) == ntoken+1 {
316 m[mb.ID] = mb
317 }
318 }
319 }
320
321 case "MAILBOXES":
322 // Just the specified mailboxes. ../rfc/5465:853
323 for _, name := range mbs.Args {
324 name = xcheckmailboxname(name, true)
325
326 // If a mailbox doesn't exist, we don't treat it as an error. Seems reasonable
327 // giving we are searching. Messages may not exist. And likewise for the mailbox.
328 // Just results in no hits.
329 mb, err := c.account.MailboxFind(tx, name)
330 xcheckf(err, "looking up mailbox")
331 if mb != nil {
332 m[mb.ID] = *mb
333 }
334 }
335
336 default:
337 panic("missing case")
338 }
339 }
340 mailboxes = slices.Collect(maps.Values(m))
341 slices.SortFunc(mailboxes, func(a, b store.Mailbox) int {
342 return cmp.Compare(a.Name, b.Name)
343 })
344
345 // If no source mailboxes were specified (no mailboxSpecs), the selected mailbox is
346 // used below. ../rfc/7377:298
347 } else {
348 mb := c.xmailboxID(tx, c.mailboxID) // Validate.
349 mailboxes = []store.Mailbox{mb}
350 }
351
352 if save && !(len(mailboxes) == 1 && mailboxes[0].ID == c.mailboxID) {
353 // ../rfc/7377:319
354 xsyntaxErrorf("can only use SAVE on selected mailbox")
355 }
356
357 runlock()
358 runlock = func() {}
359
360 // Determine if search has a sequence set without search results. If so, we need
361 // sequence numbers for matching, and we must always go through the messages in
362 // forward order. No reverse search for MAX only.
363 needSeq := (len(mailboxes) > 1 || len(mailboxes) == 1 && mailboxes[0].ID != c.mailboxID) && sk.needSeq()
364
365 forward := eargs == nil || max1 == 0 || len(eargs) != 1 || needSeq
366 reverse := max1 == 1 && (len(eargs) == 1 || min1+max1 == len(eargs)) && !needSeq
367
368 // We set a worst-case "goal" of having gone through all messages in all mailboxes.
369 // Sometimes, we can be faster, when we only do a MIN and/or MAX query and we can
370 // stop early. We'll account for that as we go. For the selected mailbox, we'll
371 // only look at those the session has already seen.
372 goal := "nil"
373 var total uint32
374 for _, mb := range mailboxes {
375 if mb.ID == c.mailboxID {
376 total += uint32(len(c.uids))
377 } else {
378 total += uint32(mb.Total + mb.Deleted)
379 }
380 }
381 if total > 0 {
382 // Goal is always non-zero. ../rfc/9585:232
383 goal = fmt.Sprintf("%d", total)
384 }
385
386 var progress uint32
387 for _, mb := range mailboxes {
388 var lastUID store.UID
389
390 result := Result{Mailbox: mb}
391
392 msgCount := uint32(mb.MailboxCounts.Total + mb.MailboxCounts.Deleted)
393 if mb.ID == c.mailboxID {
394 msgCount = uint32(len(c.uids))
395 }
396
397 // Used for interpreting UID sets with a star, like "1:*" and "10:*". Only called
398 // for UIDs that are higher than the number, since "10:*" evaluates to "10:5" if 5
399 // is the highest UID, and UID 5-10 would all match.
400 var cachedHighestUID store.UID
401 highestUID := func() (store.UID, error) {
402 if cachedHighestUID > 0 {
403 return cachedHighestUID, nil
404 }
405
406 q := bstore.QueryTx[store.Message](tx)
407 q.FilterNonzero(store.Message{MailboxID: mb.ID})
408 q.FilterEqual("Expunged", false)
409 q.SortDesc("UID")
410 q.Limit(1)
411 m, err := q.Get()
412 cachedHighestUID = m.UID
413 return cachedHighestUID, err
414 }
415
416 progressOrig := progress
417
418 if forward {
419 // We track this for non-selected mailboxes. searchMatch will look the message
420 // sequence number for this session up if we are searching the selected mailbox.
421 var seq msgseq = 1
422
423 q := bstore.QueryTx[store.Message](tx)
424 q.FilterNonzero(store.Message{MailboxID: mb.ID})
425 q.FilterEqual("Expunged", false)
426 q.SortAsc("UID")
427 for m, err := range q.All() {
428 xcheckf(err, "list messages in mailbox")
429
430 // We track this for the "reverse" case, we'll stop before seeing lastUID.
431 lastUID = m.UID
432
433 if time.Since(inProgressLast) > inProgressPeriod {
434 c.xwritelinef("* OK [INPROGRESS (%s %d %s)] still searching", inProgressTag, progress, goal)
435 inProgressLast = time.Now()
436 }
437 progress++
438
439 if c.searchMatch(tx, msgCount, seq, m, *sk, bodySearch, textSearch, highestUID) {
440 result.UIDs = append(result.UIDs, m.UID)
441 result.MaxModSeq = max(result.MaxModSeq, m.ModSeq)
442 if min1 == 1 && min1+max1 == len(eargs) {
443 if !needSeq {
444 break
445 }
446 // We only need a MIN and a MAX, but we also need sequence numbers so we are
447 // walking through and collecting all UIDs. Correct for that, keeping only the MIN
448 // (first)
449 // and MAX (second).
450 if len(result.UIDs) == 3 {
451 result.UIDs[1] = result.UIDs[2]
452 result.UIDs = result.UIDs[:2]
453 }
454 }
455 }
456 seq++
457 }
458 }
459 // And reverse search for MAX if we have only MAX or MAX combined with MIN, and
460 // don't need sequence numbers. We just need a single match, then we stop.
461 if reverse {
462 q := bstore.QueryTx[store.Message](tx)
463 q.FilterNonzero(store.Message{MailboxID: mb.ID})
464 q.FilterEqual("Expunged", false)
465 q.FilterGreater("UID", lastUID)
466 q.SortDesc("UID")
467 for m, err := range q.All() {
468 xcheckf(err, "list messages in mailbox")
469
470 if time.Since(inProgressLast) > inProgressPeriod {
471 c.xwritelinef("* OK [INPROGRESS (%s %d %s)] still searching", inProgressTag, progress, goal)
472 inProgressLast = time.Now()
473 }
474 progress++
475
476 var seq msgseq // Filled in by searchMatch for messages in selected mailbox.
477 if c.searchMatch(tx, msgCount, seq, m, *sk, bodySearch, textSearch, highestUID) {
478 result.UIDs = append(result.UIDs, m.UID)
479 result.MaxModSeq = max(result.MaxModSeq, m.ModSeq)
480 break
481 }
482 }
483 }
484
485 // We could have finished searching the mailbox with fewer
486 mailboxProcessed := progress - progressOrig
487 mailboxTotal := uint32(mb.MailboxCounts.Total + mb.MailboxCounts.Deleted)
488 progress += max(0, mailboxTotal-mailboxProcessed)
489
490 results = append(results, result)
491 }
492 })
493
494 if eargs == nil {
495 // We'll only have a result for the one selected mailbox.
496 result := results[0]
497
498 // In IMAP4rev1, an untagged SEARCH response is required. ../rfc/3501:2728
499 if len(result.UIDs) == 0 {
500 c.xbwritelinef("* SEARCH")
501 }
502
503 // Old-style SEARCH response. We must spell out each number. So we may be splitting
504 // into multiple responses. ../rfc/9051:6809 ../rfc/3501:4833
505 for len(result.UIDs) > 0 {
506 n := len(result.UIDs)
507 if n > 100 {
508 n = 100
509 }
510 s := ""
511 for _, v := range result.UIDs[:n] {
512 if !isUID {
513 v = store.UID(c.xsequence(v))
514 }
515 s += " " + fmt.Sprintf("%d", v)
516 }
517
518 // Since we don't have the max modseq for the possibly partial uid range we're
519 // writing here within hand reach, we conveniently interpret the ambiguous "for all
520 // messages being returned" in ../rfc/7162:1107 as meaning over all lines that we
521 // write. And that clients only commit this value after they have seen the tagged
522 // end of the command. Appears to be recommended behaviour, ../rfc/7162:2323.
523 // ../rfc/7162:1077 ../rfc/7162:1101
524 var modseq string
525 if sk.hasModseq() {
526 // ../rfc/7162:2557
527 modseq = fmt.Sprintf(" (MODSEQ %d)", result.MaxModSeq.Client())
528 }
529
530 c.xbwritelinef("* SEARCH%s%s", s, modseq)
531 result.UIDs = result.UIDs[n:]
532 }
533 } else {
534 // New-style ESEARCH response syntax: ../rfc/9051:6546 ../rfc/4466:522
535
536 if save {
537 // ../rfc/9051:3784 ../rfc/5182:13
538 c.searchResult = results[0].UIDs
539 if sanityChecks {
540 checkUIDs(c.searchResult)
541 }
542 }
543
544 // No untagged ESEARCH response if nothing was requested. ../rfc/9051:4160
545 if len(eargs) > 0 {
546 for _, result := range results {
547 // For the ESEARCH command, we must not return a response if there were no matching
548 // messages. This is unlike the later IMAP4rev2, where an ESEARCH response must be
549 // sent if there were no matches. ../rfc/7377:243 ../rfc/9051:3775
550 if isE && len(result.UIDs) == 0 {
551 continue
552 }
553
554 // The tag was originally a string, became an astring in IMAP4rev2, better stick to
555 // string. ../rfc/4466:707 ../rfc/5259:1163 ../rfc/9051:7087
556 if isE {
557 fmt.Fprintf(c.xbw, `* ESEARCH (TAG "%s" MAILBOX %s UIDVALIDITY %d)`, tag, result.Mailbox.Name, result.Mailbox.UIDValidity)
558 } else {
559 fmt.Fprintf(c.xbw, `* ESEARCH (TAG "%s")`, tag)
560 }
561 if isUID {
562 fmt.Fprintf(c.xbw, " UID")
563 }
564
565 // NOTE: we are potentially converting UIDs to msgseq, but keep the store.UID type
566 // for convenience.
567 nums := result.UIDs
568 if !isUID {
569 // If searchResult is hanging on to the slice, we need to work on a copy.
570 if save {
571 nums = slices.Clone(nums)
572 }
573 for i, uid := range nums {
574 nums[i] = store.UID(c.xsequence(uid))
575 }
576 }
577
578 // If no matches, then no MIN/MAX response. ../rfc/4731:98 ../rfc/9051:3758
579 if eargs["MIN"] && len(nums) > 0 {
580 fmt.Fprintf(c.xbw, " MIN %d", nums[0])
581 }
582 if eargs["MAX"] && len(result.UIDs) > 0 {
583 fmt.Fprintf(c.xbw, " MAX %d", nums[len(nums)-1])
584 }
585 if eargs["COUNT"] {
586 fmt.Fprintf(c.xbw, " COUNT %d", len(nums))
587 }
588 if eargs["ALL"] && len(nums) > 0 {
589 fmt.Fprintf(c.xbw, " ALL %s", compactUIDSet(nums).String())
590 }
591
592 // Interaction between ESEARCH and CONDSTORE: ../rfc/7162:1211 ../rfc/4731:273
593 // Summary: send the highest modseq of the returned messages.
594 if sk.hasModseq() && len(nums) > 0 {
595 fmt.Fprintf(c.xbw, " MODSEQ %d", result.MaxModSeq.Client())
596 }
597
598 c.xbwritelinef("")
599 }
600 }
601 }
602
603 c.ok(tag, cmd)
604}
605
606type search struct {
607 c *conn
608 tx *bstore.Tx
609 msgCount uint32 // Number of messages in mailbox (or session when selected).
610 seq msgseq // Can be 0, for other mailboxes than selected in case of MAX.
611 m store.Message
612 mr *store.MsgReader
613 p *message.Part
614 highestUID func() (store.UID, error)
615}
616
617func (c *conn) searchMatch(tx *bstore.Tx, msgCount uint32, seq msgseq, m store.Message, sk searchKey, bodySearch, textSearch *store.WordSearch, highestUID func() (store.UID, error)) bool {
618 if m.MailboxID == c.mailboxID {
619 seq = c.sequence(m.UID)
620 if seq == 0 {
621 // Session has not yet seen this message, and is not expecting to get a result that
622 // includes it.
623 return false
624 }
625 }
626
627 s := search{c: c, tx: tx, msgCount: msgCount, seq: seq, m: m, highestUID: highestUID}
628 defer func() {
629 if s.mr != nil {
630 err := s.mr.Close()
631 c.xsanity(err, "closing messagereader")
632 s.mr = nil
633 }
634 }()
635 return s.match(sk, bodySearch, textSearch)
636}
637
638func (s *search) match(sk searchKey, bodySearch, textSearch *store.WordSearch) (match bool) {
639 match = s.match0(sk)
640 if match && bodySearch != nil {
641 if !s.xensurePart() {
642 match = false
643 return
644 }
645 var err error
646 match, err = bodySearch.MatchPart(s.c.log, s.p, false)
647 xcheckf(err, "search words in bodies")
648 }
649 if match && textSearch != nil {
650 if !s.xensurePart() {
651 match = false
652 return
653 }
654 var err error
655 match, err = textSearch.MatchPart(s.c.log, s.p, true)
656 xcheckf(err, "search words in headers and bodies")
657 }
658 return
659}
660
661// ensure message, reader and part are loaded. returns whether that was
662// successful.
663func (s *search) xensurePart() bool {
664 if s.mr != nil {
665 return s.p != nil
666 }
667
668 // Closed by searchMatch after all (recursive) search.match calls are finished.
669 s.mr = s.c.account.MessageReader(s.m)
670
671 if s.m.ParsedBuf == nil {
672 s.c.log.Error("missing parsed message")
673 return false
674 }
675 p, err := s.m.LoadPart(s.mr)
676 xcheckf(err, "load parsed message")
677 s.p = &p
678 return true
679}
680
681func (s *search) match0(sk searchKey) bool {
682 c := s.c
683
684 // Difference between sk.searchKeys nil and length 0 is important. Because we take
685 // out word/notword searches, the list may be empty but non-nil.
686 if sk.searchKeys != nil {
687 for _, ssk := range sk.searchKeys {
688 if !s.match0(ssk) {
689 return false
690 }
691 }
692 return true
693 } else if sk.seqSet != nil {
694 if sk.seqSet.searchResult {
695 // Interpreting search results on a mailbox that isn't selected during multisearch
696 // is likely a mistake. No mention about it in the RFC. ../rfc/7377:257
697 if s.m.MailboxID != c.mailboxID {
698 xuserErrorf("can only use search result with the selected mailbox")
699 }
700 return uidSearch(c.searchResult, s.m.UID) > 0
701 }
702 // For multisearch, we have arranged to have a seq for non-selected mailboxes too.
703 return sk.seqSet.containsSeqCount(s.seq, s.msgCount)
704 }
705
706 filterHeader := func(field, value string) bool {
707 lower := strings.ToLower(value)
708 h, err := s.p.Header()
709 if err != nil {
710 c.log.Debugx("parsing message header", err, slog.Any("uid", s.m.UID), slog.Int64("msgid", s.m.ID))
711 return false
712 }
713 for _, v := range h.Values(field) {
714 if strings.Contains(strings.ToLower(v), lower) {
715 return true
716 }
717 }
718 return false
719 }
720
721 // We handle ops by groups that need increasing details about the message.
722
723 switch sk.op {
724 case "ALL":
725 return true
726 case "NEW":
727 // We do not implement the RECENT flag, so messages cannot be NEW.
728 return false
729 case "OLD":
730 // We treat all messages as non-recent, so this means all messages.
731 return true
732 case "RECENT":
733 // We do not implement the RECENT flag. All messages are not recent.
734 return false
735 case "NOT":
736 return !s.match0(*sk.searchKey)
737 case "OR":
738 return s.match0(*sk.searchKey) || s.match0(*sk.searchKey2)
739 case "UID":
740 if sk.uidSet.searchResult && s.m.MailboxID != c.mailboxID {
741 // Interpreting search results on a mailbox that isn't selected during multisearch
742 // is likely a mistake. No mention about it in the RFC. ../rfc/7377:257
743 xuserErrorf("cannot use search result from another mailbox")
744 }
745 match, err := sk.uidSet.containsKnownUID(s.m.UID, c.searchResult, s.highestUID)
746 xcheckf(err, "checking for presence in uid set")
747 return match
748 }
749
750 // Parsed part.
751 if !s.xensurePart() {
752 return false
753 }
754
755 // Parsed message, basic info.
756 switch sk.op {
757 case "ANSWERED":
758 return s.m.Answered
759 case "DELETED":
760 return s.m.Deleted
761 case "FLAGGED":
762 return s.m.Flagged
763 case "KEYWORD":
764 kw := strings.ToLower(sk.atom)
765 switch kw {
766 case "$forwarded":
767 return s.m.Forwarded
768 case "$junk":
769 return s.m.Junk
770 case "$notjunk":
771 return s.m.Notjunk
772 case "$phishing":
773 return s.m.Phishing
774 case "$mdnsent":
775 return s.m.MDNSent
776 default:
777 return slices.Contains(s.m.Keywords, kw)
778 }
779 case "SEEN":
780 return s.m.Seen
781 case "UNANSWERED":
782 return !s.m.Answered
783 case "UNDELETED":
784 return !s.m.Deleted
785 case "UNFLAGGED":
786 return !s.m.Flagged
787 case "UNKEYWORD":
788 kw := strings.ToLower(sk.atom)
789 switch kw {
790 case "$forwarded":
791 return !s.m.Forwarded
792 case "$junk":
793 return !s.m.Junk
794 case "$notjunk":
795 return !s.m.Notjunk
796 case "$phishing":
797 return !s.m.Phishing
798 case "$mdnsent":
799 return !s.m.MDNSent
800 default:
801 return !slices.Contains(s.m.Keywords, kw)
802 }
803 case "UNSEEN":
804 return !s.m.Seen
805 case "DRAFT":
806 return s.m.Draft
807 case "UNDRAFT":
808 return !s.m.Draft
809 case "BEFORE", "ON", "SINCE":
810 skdt := sk.date.Format("2006-01-02")
811 rdt := s.m.Received.Format("2006-01-02")
812 switch sk.op {
813 case "BEFORE":
814 return rdt < skdt
815 case "ON":
816 return rdt == skdt
817 case "SINCE":
818 return rdt >= skdt
819 }
820 panic("missing case")
821 case "LARGER":
822 return s.m.Size > sk.number
823 case "SMALLER":
824 return s.m.Size < sk.number
825 case "MODSEQ":
826 // ../rfc/7162:1045
827 return s.m.ModSeq.Client() >= *sk.clientModseq
828 case "SAVEDBEFORE", "SAVEDON", "SAVEDSINCE":
829 // If we don't have a savedate for this message (for messages received before we
830 // implemented this feature), we use the "internal date" (received timestamp) of
831 // the message. ../rfc/8514:237
832 rt := s.m.Received
833 if s.m.SaveDate != nil {
834 rt = *s.m.SaveDate
835 }
836
837 skdt := sk.date.Format("2006-01-02")
838 rdt := rt.Format("2006-01-02")
839 switch sk.op {
840 case "SAVEDBEFORE":
841 return rdt < skdt
842 case "SAVEDON":
843 return rdt == skdt
844 case "SAVEDSINCE":
845 return rdt >= skdt
846 }
847 panic("missing case")
848 case "SAVEDATESUPPORTED":
849 // We return whether we have a savedate for this message. We support it on all
850 // mailboxes, but we only have this metadata from the time we implemented this
851 // feature.
852 return s.m.SaveDate != nil
853 case "OLDER":
854 // ../rfc/5032:76
855 seconds := int64(time.Since(s.m.Received) / time.Second)
856 return seconds >= sk.number
857 case "YOUNGER":
858 seconds := int64(time.Since(s.m.Received) / time.Second)
859 return seconds <= sk.number
860 }
861
862 if s.p == nil {
863 c.log.Info("missing parsed message, not matching", slog.Any("uid", s.m.UID), slog.Int64("msgid", s.m.ID))
864 return false
865 }
866
867 // Parsed message, more info.
868 switch sk.op {
869 case "BCC":
870 return filterHeader("Bcc", sk.astring)
871 case "BODY", "TEXT":
872 // We gathered word/notword searches from the top-level, but we can also get them
873 // nested.
874 // todo optimize: handle deeper nested word/not-word searches more efficiently.
875 headerToo := sk.op == "TEXT"
876 match, err := store.PrepareWordSearch([]string{sk.astring}, nil).MatchPart(s.c.log, s.p, headerToo)
877 xcheckf(err, "word search")
878 return match
879 case "CC":
880 return filterHeader("Cc", sk.astring)
881 case "FROM":
882 return filterHeader("From", sk.astring)
883 case "SUBJECT":
884 return filterHeader("Subject", sk.astring)
885 case "TO":
886 return filterHeader("To", sk.astring)
887 case "HEADER":
888 // ../rfc/9051:3895
889 lower := strings.ToLower(sk.astring)
890 h, err := s.p.Header()
891 if err != nil {
892 c.log.Errorx("parsing header for search", err, slog.Any("uid", s.m.UID), slog.Int64("msgid", s.m.ID))
893 return false
894 }
895 k := textproto.CanonicalMIMEHeaderKey(sk.headerField)
896 for _, v := range h.Values(k) {
897 if lower == "" || strings.Contains(strings.ToLower(v), lower) {
898 return true
899 }
900 }
901 return false
902 case "SENTBEFORE", "SENTON", "SENTSINCE":
903 if s.p.Envelope == nil || s.p.Envelope.Date.IsZero() {
904 return false
905 }
906 dt := s.p.Envelope.Date.Format("2006-01-02")
907 skdt := sk.date.Format("2006-01-02")
908 switch sk.op {
909 case "SENTBEFORE":
910 return dt < skdt
911 case "SENTON":
912 return dt == skdt
913 case "SENTSINCE":
914 return dt > skdt
915 }
916 panic("missing case")
917 }
918 panic(serverError{fmt.Errorf("missing case for search key op %q", sk.op)})
919}
920