2023-01-30 16:27:06 +03:00
package message
// todo: allow more invalid content-type values, we now stop parsing on: empty media type (eg "content-type: ; name=..."), empty value for property (eg "charset=", missing quotes for characters that should be quoted (eg boundary containing "=" but without quotes), duplicate properties (two charsets), empty pairs (eg "text/html;;").
// todo: should we be forgiving when closing boundary in multipart message is missing? seems like spam messages do this...
// todo: should we allow base64 messages where a line starts with a space? and possibly more whitespace. is happening in messages. coreutils base64 accepts it, encoding/base64 does not.
// todo: handle comments in headers?
// todo: should we just always store messages with \n instead of \r\n? \r\n seems easier for use with imap.
// todo: can use a cleanup
import (
"bufio"
"bytes"
"encoding/base64"
"errors"
"fmt"
"io"
2024-02-08 16:49:01 +03:00
"log/slog"
2023-01-30 16:27:06 +03:00
"mime"
"mime/quotedprintable"
"net/mail"
"net/textproto"
"strings"
"time"
use Go's mail.ReadMessage instead of textproto.ReadMIMEHeaders and decode RFC 2047 charsets in subject header when parsing message
as the recent Go patch release showed, textproto.ReadMIMEHeaders is parsing
http headers, strictly. too strict for email message headers. valid headers,
e.g. with a slash in them, were rejected by textproto.ReadMIMEHeaders.
the functions in Go's mail package handle RFC 2047 charset-encoded words in
address headers. it can do that because we tell it those headers are addresses,
where such encodings are valid. but that encoding isn't valid in all places in
all headers. for other cases, we must decode explicitly, such as for the
subject header.
with this change, some messages that could not be parsed before can now be
parsed (where headers were previously rejected for being invalid). and the
subject of parsed messages could now be properly decoded. you could run "mox
ensureparsed -all <account>" (while mox isn't running) to force reparsing all
messages. mox needs a subcommand to reparse while running...
it wasn't much of a problem before, because imap email clients typically do
their own parsing (of headers, including subject decoding) again. but with the
upcoming webmail client, any wrong parsing quickly reveals itself.
2023-08-01 10:50:26 +03:00
"golang.org/x/text/encoding/ianaindex"
2023-01-30 16:27:06 +03:00
"github.com/mjl-/mox/mlog"
"github.com/mjl-/mox/smtp"
)
2023-12-05 23:13:57 +03:00
// Pedantic enables stricter parsing.
var Pedantic bool
2023-01-30 16:27:06 +03:00
var (
ErrBadContentType = errors . New ( "bad content-type" )
)
var (
errNotMultipart = errors . New ( "not a multipart message" )
errFirstBoundCloses = errors . New ( "first boundary cannot be finishing boundary" )
errLineTooLong = errors . New ( "line too long" )
errMissingBoundaryParam = errors . New ( "missing/empty boundary content-type parameter" )
errMissingClosingBoundary = errors . New ( "eof without closing boundary" )
2023-08-11 15:07:49 +03:00
errBareLF = errors . New ( "invalid bare line feed" )
errBareCR = errors . New ( "invalid bare carriage return" )
2023-01-30 16:27:06 +03:00
errUnexpectedEOF = errors . New ( "unexpected eof" )
)
// If set, during tests, attempts to reparse a part will cause an error, because sequentially reading parts should not lead to reparsing.
var enforceSequential bool
// Part represents a whole mail message, or a part of a multipart message. It
// is designed to handle IMAP requirements efficiently.
type Part struct {
BoundaryOffset int64 // Offset in message where bound starts. -1 for top-level message.
HeaderOffset int64 // Offset in message file where header starts.
BodyOffset int64 // Offset in message file where body starts.
EndOffset int64 // Where body of part ends. Set when part is fully read.
RawLineCount int64 // Number of lines in raw, undecoded, body of part. Set when part is fully read.
DecodedSize int64 // Number of octets when decoded. If this is a text mediatype, lines ending only in LF are changed end in CRLF and DecodedSize reflects that.
MediaType string // From Content-Type, upper case. E.g. "TEXT". Can be empty because content-type may be absent. In this case, the part may be treated as TEXT/PLAIN.
MediaSubType string // From Content-Type, upper case. E.g. "PLAIN".
ContentTypeParams map [ string ] string // E.g. holds "boundary" for multipart messages. Has lower-case keys, and original case values.
ContentID string
ContentDescription string
ContentTransferEncoding string // In upper case.
Envelope * Envelope // Email message headers. Not for non-message parts.
Parts [ ] Part // Parts if this is a multipart.
// Only for message/rfc822 and message/global. This part may have a buffer as
// backing io.ReaderAt, because a message/global can have a non-identity
// content-transfer-encoding. This part has a nil parent.
Message * Part
r io . ReaderAt
header textproto . MIMEHeader // Parsed header.
nextBoundOffset int64 // If >= 0, the offset where the next part header starts. We can set this when a user fully reads each part.
lastBoundOffset int64 // Start of header of last/previous part. Used to skip a part if ParseNextPart is called and nextBoundOffset is -1.
parent * Part // Parent part, for getting bound from, and setting nextBoundOffset when a part has finished reading. Only for subparts, not top-level parts.
bound [ ] byte // Only set if valid multipart with boundary, includes leading --, excludes \r\n.
2023-08-15 09:25:56 +03:00
strict bool // If set, valid crlf line endings are verified when reading body.
2023-01-30 16:27:06 +03:00
}
add webmail
it was far down on the roadmap, but implemented earlier, because it's
interesting, and to help prepare for a jmap implementation. for jmap we need to
implement more client-like functionality than with just imap. internal data
structures need to change. jmap has lots of other requirements, so it's already
a big project. by implementing a webmail now, some of the required data
structure changes become clear and can be made now, so the later jmap
implementation can do things similarly to the webmail code. the webmail
frontend and webmail are written together, making their interface/api much
smaller and simpler than jmap.
one of the internal changes is that we now keep track of per-mailbox
total/unread/unseen/deleted message counts and mailbox sizes. keeping this
data consistent after any change to the stored messages (through the code base)
is tricky, so mox now has a consistency check that verifies the counts are
correct, which runs only during tests, each time an internal account reference
is closed. we have a few more internal "changes" that are propagated for the
webmail frontend (that imap doesn't have a way to propagate on a connection),
like changes to the special-use flags on mailboxes, and used keywords in a
mailbox. more changes that will be required have revealed themselves while
implementing the webmail, and will be implemented next.
the webmail user interface is modeled after the mail clients i use or have
used: thunderbird, macos mail, mutt; and webmails i normally only use for
testing: gmail, proton, yahoo, outlook. a somewhat technical user is assumed,
but still the goal is to make this webmail client easy to use for everyone. the
user interface looks like most other mail clients: a list of mailboxes, a
search bar, a message list view, and message details. there is a top/bottom and
a left/right layout for the list/message view, default is automatic based on
screen size. the panes can be resized by the user. buttons for actions are just
text, not icons. clicking a button briefly shows the shortcut for the action in
the bottom right, helping with learning to operate quickly. any text that is
underdotted has a title attribute that causes more information to be displayed,
e.g. what a button does or a field is about. to highlight potential phishing
attempts, any text (anywhere in the webclient) that switches unicode "blocks"
(a rough approximation to (language) scripts) within a word is underlined
orange. multiple messages can be selected with familiar ui interaction:
clicking while holding control and/or shift keys. keyboard navigation works
with arrows/page up/down and home/end keys, and also with a few basic vi-like
keys for list/message navigation. we prefer showing the text instead of
html (with inlined images only) version of a message. html messages are shown
in an iframe served from an endpoint with CSP headers to prevent dangerous
resources (scripts, external images) from being loaded. the html is also
sanitized, with javascript removed. a user can choose to load external
resources (e.g. images for tracking purposes).
the frontend is just (strict) typescript, no external frameworks. all
incoming/outgoing data is typechecked, both the api request parameters and
response types, and the data coming in over SSE. the types and checking code
are generated with sherpats, which uses the api definitions generated by
sherpadoc based on the Go code. so types from the backend are automatically
propagated to the frontend. since there is no framework to automatically
propagate properties and rerender components, changes coming in over the SSE
connection are propagated explicitly with regular function calls. the ui is
separated into "views", each with a "root" dom element that is added to the
visible document. these views have additional functions for getting changes
propagated, often resulting in the view updating its (internal) ui state (dom).
we keep the frontend compilation simple, it's just a few typescript files that
get compiled (combined and types stripped) into a single js file, no additional
runtime code needed or complicated build processes used. the webmail is served
is served from a compressed, cachable html file that includes style and the
javascript, currently just over 225kb uncompressed, under 60kb compressed (not
minified, including comments). we include the generated js files in the
repository, to keep Go's easily buildable self-contained binaries.
authentication is basic http, as with the account and admin pages. most data
comes in over one long-term SSE connection to the backend. api requests signal
which mailbox/search/messages are requested over the SSE connection. fetching
individual messages, and making changes, are done through api calls. the
operations are similar to imap, so some code has been moved from package
imapserver to package store. the future jmap implementation will benefit from
these changes too. more functionality will probably be moved to the store
package in the future.
the quickstart enables webmail on the internal listener by default (for new
installs). users can enable it on the public listener if they want to. mox
localserve enables it too. to enable webmail on existing installs, add settings
like the following to the listeners in mox.conf, similar to AccountHTTP(S):
WebmailHTTP:
Enabled: true
WebmailHTTPS:
Enabled: true
special thanks to liesbeth, gerben, andrii for early user feedback.
there is plenty still to do, see the list at the top of webmail/webmail.ts.
feedback welcome as always.
2023-08-07 22:57:03 +03:00
// todo: have all Content* fields in Part?
// todo: make Address contain a type Localpart and dns.Domain?
// todo: if we ever make a major change and reparse all parts, switch to lower-case values if not too troublesome.
2023-01-30 16:27:06 +03:00
// Envelope holds the basic/common message headers as used in IMAP4.
type Envelope struct {
Date time . Time
implement message threading in backend and webmail
we match messages to their parents based on the "references" and "in-reply-to"
headers (requiring the same base subject), and in absense of those headers we
also by only base subject (against messages received max 4 weeks ago).
we store a threadid with messages. all messages in a thread have the same
threadid. messages also have a "thread parent ids", which holds all id's of
parent messages up to the thread root. then there is "thread missing link",
which is set when a referenced immediate parent wasn't found (but possibly
earlier ancestors can still be found and will be in thread parent ids".
threads can be muted: newly delivered messages are automatically marked as
read/seen. threads can be marked as collapsed: if set, the webmail collapses
the thread to a single item in the basic threading view (default is to expand
threads). the muted and collapsed fields are copied from their parent on
message delivery.
the threading is implemented in the webmail. the non-threading mode still works
as before. the new default threading mode "unread" automatically expands only
the threads with at least one unread (not seen) meessage. the basic threading
mode "on" expands all threads except when explicitly collapsed (as saved in the
thread collapsed field). new shortcuts for navigation/interaction threads have
been added, e.g. go to previous/next thread root, toggle collapse/expand of
thread (or double click), toggle mute of thread. some previous shortcuts have
changed, see the help for details.
the message threading are added with an explicit account upgrade step,
automatically started when an account is opened. the upgrade is done in the
background because it will take too long for large mailboxes to block account
operations. the upgrade takes two steps: 1. updating all message records in the
database to add a normalized message-id and thread base subject (with "re:",
"fwd:" and several other schemes stripped). 2. going through all messages in
the database again, reading the "references" and "in-reply-to" headers from
disk, and matching against their parents. this second step is also done at the
end of each import of mbox/maildir mailboxes. new deliveries are matched
immediately against other existing messages, currently no attempt is made to
rematch previously delivered messages (which could be useful for related
messages being delivered out of order).
the threading is not yet exposed over imap.
2023-09-13 09:51:50 +03:00
Subject string // Q/B-word-decoded.
2023-01-30 16:27:06 +03:00
From [ ] Address
Sender [ ] Address
ReplyTo [ ] Address
To [ ] Address
CC [ ] Address
BCC [ ] Address
InReplyTo string
MessageID string
}
// Address as used in From and To headers.
type Address struct {
Name string // Free-form name for display in mail applications.
2024-03-08 23:08:40 +03:00
User string // Localpart, encoded as string. Must be parsed before using as Localpart.
2023-01-30 16:27:06 +03:00
Host string // Domain in ASCII.
}
// Parse reads the headers of the mail message and returns a part.
// A part provides access to decoded and raw contents of a message and its multiple parts.
2023-08-15 09:25:56 +03:00
//
// If strict is set, fewer attempts are made to continue parsing when errors are
// encountered, such as with invalid content-type headers or bare carriage returns.
2023-12-05 15:35:58 +03:00
func Parse ( elog * slog . Logger , strict bool , r io . ReaderAt ) ( Part , error ) {
log := mlog . New ( "message" , elog )
2023-08-15 09:25:56 +03:00
return newPart ( log , strict , r , 0 , nil )
2023-01-30 16:27:06 +03:00
}
// EnsurePart parses a part as with Parse, but ensures a usable part is always
// returned, even if error is non-nil. If a parse error occurs, the message is
// returned as application/octet-stream, and headers can still be read if they
// were valid.
2023-08-15 09:25:56 +03:00
//
// If strict is set, fewer attempts are made to continue parsing when errors are
// encountered, such as with invalid content-type headers or bare carriage returns.
2023-12-05 15:35:58 +03:00
func EnsurePart ( elog * slog . Logger , strict bool , r io . ReaderAt , size int64 ) ( Part , error ) {
log := mlog . New ( "message" , elog )
p , err := Parse ( log . Logger , strict , r )
2023-01-30 16:27:06 +03:00
if err == nil {
2023-12-05 15:35:58 +03:00
err = p . Walk ( log . Logger , nil )
2023-01-30 16:27:06 +03:00
}
if err != nil {
2023-03-12 17:16:01 +03:00
np , err2 := fallbackPart ( p , r , size )
2023-01-30 16:27:06 +03:00
if err2 != nil {
err = err2
}
2023-03-12 17:16:01 +03:00
p = np
2023-01-30 16:27:06 +03:00
}
return p , err
}
2023-03-12 17:16:01 +03:00
func fallbackPart ( p Part , r io . ReaderAt , size int64 ) ( Part , error ) {
np := Part {
HeaderOffset : p . HeaderOffset ,
BodyOffset : p . BodyOffset ,
EndOffset : size ,
MediaType : "APPLICATION" ,
MediaSubType : "OCTET-STREAM" ,
ContentTypeParams : p . ContentTypeParams ,
ContentID : p . ContentID ,
ContentDescription : p . ContentDescription ,
ContentTransferEncoding : p . ContentTransferEncoding ,
Envelope : p . Envelope ,
// We don't keep:
// - BoundaryOffset: irrelevant for top-level message.
// - RawLineCount and DecodedSize: set below.
// - Parts: we are not treating this as a multipart message.
}
np . SetReaderAt ( r )
// By reading body, the number of lines and decoded size will be set.
_ , err := io . Copy ( io . Discard , np . Reader ( ) )
return np , err
}
2023-01-30 16:27:06 +03:00
// SetReaderAt sets r as reader for this part and all its sub parts, recursively.
// No reader is set for any Message subpart, see SetMessageReaderAt.
func ( p * Part ) SetReaderAt ( r io . ReaderAt ) {
if r == nil {
panic ( "nil reader" )
}
p . r = r
for i := range p . Parts {
pp := & p . Parts [ i ]
pp . SetReaderAt ( r )
}
}
// SetMessageReaderAt sets a reader on p.Message, which must be non-nil.
func ( p * Part ) SetMessageReaderAt ( ) error {
// todo: if p.Message does not contain any non-identity content-transfer-encoding, we should set an offsetReader of p.Message, recursively.
buf , err := io . ReadAll ( p . Reader ( ) )
if err != nil {
return err
}
p . Message . SetReaderAt ( bytes . NewReader ( buf ) )
return nil
}
// Walk through message, decoding along the way, and collecting mime part offsets and sizes, and line counts.
2023-12-05 15:35:58 +03:00
func ( p * Part ) Walk ( elog * slog . Logger , parent * Part ) error {
log := mlog . New ( "message" , elog )
2023-01-30 16:27:06 +03:00
if len ( p . bound ) == 0 {
if p . MediaType == "MESSAGE" && ( p . MediaSubType == "RFC822" || p . MediaSubType == "GLOBAL" ) {
// todo: don't read whole submessage in memory...
buf , err := io . ReadAll ( p . Reader ( ) )
if err != nil {
return err
}
2023-03-12 17:16:01 +03:00
br := bytes . NewReader ( buf )
2023-12-05 15:35:58 +03:00
mp , err := Parse ( log . Logger , p . strict , br )
2023-01-30 16:27:06 +03:00
if err != nil {
return fmt . Errorf ( "parsing embedded message: %w" , err )
}
2023-12-05 15:35:58 +03:00
if err := mp . Walk ( log . Logger , nil ) ; err != nil {
2023-03-12 17:16:01 +03:00
// If this is a DSN and we are not in pedantic mode, accept unexpected end of
// message. This is quite common because MTA's sometimes just truncate the original
// message in a place that makes the message invalid.
2023-12-05 23:13:57 +03:00
if errors . Is ( err , errUnexpectedEOF ) && ! Pedantic && parent != nil && len ( parent . Parts ) >= 3 && p == & parent . Parts [ 2 ] && parent . MediaType == "MULTIPART" && parent . MediaSubType == "REPORT" {
2023-03-12 17:16:01 +03:00
mp , err = fallbackPart ( mp , br , int64 ( len ( buf ) ) )
if err != nil {
return fmt . Errorf ( "parsing invalid embedded message: %w" , err )
}
} else {
return fmt . Errorf ( "parsing parts of embedded message: %w" , err )
}
2023-01-30 16:27:06 +03:00
}
// todo: if mp does not contain any non-identity content-transfer-encoding, we should set an offsetReader of p.r on mp, recursively.
p . Message = & mp
return nil
}
_ , err := io . Copy ( io . Discard , p . Reader ( ) )
return err
}
for {
2023-12-05 15:35:58 +03:00
pp , err := p . ParseNextPart ( log . Logger )
2023-01-30 16:27:06 +03:00
if err == io . EOF {
return nil
}
if err != nil {
return err
}
2023-12-05 15:35:58 +03:00
if err := pp . Walk ( log . Logger , p ) ; err != nil {
2023-01-30 16:27:06 +03:00
return err
}
}
}
// String returns a debugging representation of the part.
func ( p * Part ) String ( ) string {
return fmt . Sprintf ( "&Part{%s/%s offsets %d/%d/%d/%d lines %d decodedsize %d next %d last %d bound %q parts %v}" , p . MediaType , p . MediaSubType , p . BoundaryOffset , p . HeaderOffset , p . BodyOffset , p . EndOffset , p . RawLineCount , p . DecodedSize , p . nextBoundOffset , p . lastBoundOffset , p . bound , p . Parts )
}
// newPart parses a new part, which can be the top-level message.
// offset is the bound offset for parts, and the start of message for top-level messages. parent indicates if this is a top-level message or sub-part.
// If an error occurs, p's exported values can still be relevant. EnsurePart uses these values.
2023-12-05 15:35:58 +03:00
func newPart ( log mlog . Log , strict bool , r io . ReaderAt , offset int64 , parent * Part ) ( p Part , rerr error ) {
2023-01-30 16:27:06 +03:00
if r == nil {
panic ( "nil reader" )
}
p = Part {
BoundaryOffset : - 1 ,
EndOffset : - 1 ,
r : r ,
parent : parent ,
2023-08-15 09:25:56 +03:00
strict : strict ,
2023-01-30 16:27:06 +03:00
}
2023-08-15 09:25:56 +03:00
b := & bufAt { strict : strict , r : r , offset : offset }
2023-01-30 16:27:06 +03:00
if parent != nil {
p . BoundaryOffset = offset
if line , _ , err := b . ReadLine ( true ) ; err != nil {
return p , err
} else if match , finish := checkBound ( line , parent . bound ) ; ! match {
return p , fmt . Errorf ( "missing bound" )
} else if finish {
return p , fmt . Errorf ( "new part for closing boundary" )
}
}
// Collect header.
p . HeaderOffset = b . offset
p . BodyOffset = b . offset
hb := & bytes . Buffer { }
for {
line , _ , err := b . ReadLine ( true )
2023-08-11 15:07:49 +03:00
if err == io . EOF {
// No body is valid.
break
}
2023-01-30 16:27:06 +03:00
if err != nil {
2023-08-11 15:07:49 +03:00
return p , fmt . Errorf ( "reading header line: %w" , err )
2023-01-30 16:27:06 +03:00
}
hb . Write ( line )
if len ( line ) == 2 {
break // crlf
}
}
p . BodyOffset = b . offset
2023-08-11 15:07:49 +03:00
// Don't attempt to parse empty header, mail.ReadMessage doesn't like it.
if p . HeaderOffset == p . BodyOffset {
p . header = textproto . MIMEHeader { }
} else {
h , err := parseHeader ( hb )
if err != nil {
return p , fmt . Errorf ( "parsing header: %w" , err )
}
p . header = h
2023-01-30 16:27:06 +03:00
}
2023-08-11 15:07:49 +03:00
ct := p . header . Get ( "Content-Type" )
2023-01-30 16:27:06 +03:00
mt , params , err := mime . ParseMediaType ( ct )
if err != nil && ct != "" {
2023-12-05 23:13:57 +03:00
if Pedantic || strict {
2023-08-15 09:25:56 +03:00
return p , fmt . Errorf ( "%w: %s: %q" , ErrBadContentType , err , ct )
}
// Try parsing just a content-type, ignoring parameters.
// ../rfc/2045:628
ct = strings . TrimSpace ( strings . SplitN ( ct , ";" , 2 ) [ 0 ] )
t := strings . SplitN ( ct , "/" , 2 )
isToken := func ( s string ) bool {
const separators = ` ()<>@,;:\\"/[]?= ` // ../rfc/2045:663
for _ , c := range s {
if c < 0x20 || c >= 0x80 || strings . ContainsRune ( separators , c ) {
return false
}
}
return len ( s ) > 0
}
// We cannot recover content-type of multipart, we won't have a boundary.
if len ( t ) == 2 && isToken ( t [ 0 ] ) && ! strings . EqualFold ( t [ 0 ] , "multipart" ) && isToken ( t [ 1 ] ) {
p . MediaType = strings . ToUpper ( t [ 0 ] )
p . MediaSubType = strings . ToUpper ( t [ 1 ] )
} else {
p . MediaType = "APPLICATION"
p . MediaSubType = "OCTET-STREAM"
}
2023-12-05 18:06:50 +03:00
log . Debugx ( "malformed content-type, attempting to recover and continuing" , err ,
slog . String ( "contenttype" , p . header . Get ( "Content-Type" ) ) ,
slog . String ( "mediatype" , p . MediaType ) ,
slog . String ( "mediasubtype" , p . MediaSubType ) )
2023-08-15 09:25:56 +03:00
} else if mt != "" {
2023-01-30 16:27:06 +03:00
t := strings . SplitN ( strings . ToUpper ( mt ) , "/" , 2 )
if len ( t ) != 2 {
2023-12-05 23:13:57 +03:00
if Pedantic || strict {
2023-08-15 09:25:56 +03:00
return p , fmt . Errorf ( "bad content-type: %q (content-type %q)" , mt , ct )
}
2023-12-05 15:35:58 +03:00
log . Debug ( "malformed media-type, ignoring and continuing" , slog . String ( "type" , mt ) )
2023-08-15 09:25:56 +03:00
p . MediaType = "APPLICATION"
p . MediaSubType = "OCTET-STREAM"
} else {
p . MediaType = t [ 0 ]
p . MediaSubType = t [ 1 ]
p . ContentTypeParams = params
2023-01-30 16:27:06 +03:00
}
}
2023-08-11 15:07:49 +03:00
p . ContentID = p . header . Get ( "Content-Id" )
p . ContentDescription = p . header . Get ( "Content-Description" )
p . ContentTransferEncoding = strings . ToUpper ( p . header . Get ( "Content-Transfer-Encoding" ) )
2023-01-30 16:27:06 +03:00
if parent == nil {
2023-08-15 09:25:56 +03:00
p . Envelope , err = parseEnvelope ( log , mail . Header ( p . header ) )
2023-01-30 16:27:06 +03:00
if err != nil {
return p , err
}
}
if p . MediaType == "MULTIPART" {
s := params [ "boundary" ]
if s == "" {
return p , errMissingBoundaryParam
}
p . bound = append ( [ ] byte ( "--" ) , s ... )
// Discard preamble, before first boundary.
for {
line , _ , err := b . PeekLine ( true )
if err != nil {
return p , fmt . Errorf ( "parsing line for part preamble: %w" , err )
}
// Line only needs boundary prefix, not exact match. ../rfc/2046:1103
// Well, for compatibility, we require whitespace after the boundary. Because some
// software use the same boundary but with text appended for sub parts.
if match , finish := checkBound ( line , p . bound ) ; match {
if finish {
return p , errFirstBoundCloses
}
break
}
b . ReadLine ( true )
}
p . nextBoundOffset = b . offset
p . lastBoundOffset = b . offset
}
return p , nil
}
// Header returns the parsed header of this part.
func ( p * Part ) Header ( ) ( textproto . MIMEHeader , error ) {
if p . header != nil {
return p . header , nil
}
2023-08-11 15:07:49 +03:00
if p . HeaderOffset == p . BodyOffset {
p . header = textproto . MIMEHeader { }
return p . header , nil
}
2023-01-30 16:27:06 +03:00
h , err := parseHeader ( p . HeaderReader ( ) )
p . header = h
return h , err
}
// HeaderReader returns a reader for the header section of this part, including ending bare CRLF.
func ( p * Part ) HeaderReader ( ) io . Reader {
return io . NewSectionReader ( p . r , p . HeaderOffset , p . BodyOffset - p . HeaderOffset )
}
2023-08-11 15:07:49 +03:00
// parse a header, only call this on non-empty input (even though that is a valid header).
2023-01-30 16:27:06 +03:00
func parseHeader ( r io . Reader ) ( textproto . MIMEHeader , error ) {
use Go's mail.ReadMessage instead of textproto.ReadMIMEHeaders and decode RFC 2047 charsets in subject header when parsing message
as the recent Go patch release showed, textproto.ReadMIMEHeaders is parsing
http headers, strictly. too strict for email message headers. valid headers,
e.g. with a slash in them, were rejected by textproto.ReadMIMEHeaders.
the functions in Go's mail package handle RFC 2047 charset-encoded words in
address headers. it can do that because we tell it those headers are addresses,
where such encodings are valid. but that encoding isn't valid in all places in
all headers. for other cases, we must decode explicitly, such as for the
subject header.
with this change, some messages that could not be parsed before can now be
parsed (where headers were previously rejected for being invalid). and the
subject of parsed messages could now be properly decoded. you could run "mox
ensureparsed -all <account>" (while mox isn't running) to force reparsing all
messages. mox needs a subcommand to reparse while running...
it wasn't much of a problem before, because imap email clients typically do
their own parsing (of headers, including subject decoding) again. but with the
upcoming webmail client, any wrong parsing quickly reveals itself.
2023-08-01 10:50:26 +03:00
// We read using mail.ReadMessage instead of textproto.ReadMIMEHeaders because the
// first handles email messages properly, while the second only works for HTTP
// headers.
var zero textproto . MIMEHeader
2023-08-14 16:40:27 +03:00
// We read the header and add the optional \r\n header/body separator. If the \r\n
// is missing, parsing with Go <1.21 results in an EOF error.
// todo: directly parse from reader r when Go 1.20 is no longer supported.
buf , err := io . ReadAll ( r )
if err != nil {
return zero , err
}
if bytes . HasSuffix ( buf , [ ] byte ( "\r\n" ) ) && ! bytes . HasSuffix ( buf , [ ] byte ( "\r\n\r\n" ) ) {
buf = append ( buf , "\r\n" ... )
}
msg , err := mail . ReadMessage ( bytes . NewReader ( buf ) )
use Go's mail.ReadMessage instead of textproto.ReadMIMEHeaders and decode RFC 2047 charsets in subject header when parsing message
as the recent Go patch release showed, textproto.ReadMIMEHeaders is parsing
http headers, strictly. too strict for email message headers. valid headers,
e.g. with a slash in them, were rejected by textproto.ReadMIMEHeaders.
the functions in Go's mail package handle RFC 2047 charset-encoded words in
address headers. it can do that because we tell it those headers are addresses,
where such encodings are valid. but that encoding isn't valid in all places in
all headers. for other cases, we must decode explicitly, such as for the
subject header.
with this change, some messages that could not be parsed before can now be
parsed (where headers were previously rejected for being invalid). and the
subject of parsed messages could now be properly decoded. you could run "mox
ensureparsed -all <account>" (while mox isn't running) to force reparsing all
messages. mox needs a subcommand to reparse while running...
it wasn't much of a problem before, because imap email clients typically do
their own parsing (of headers, including subject decoding) again. but with the
upcoming webmail client, any wrong parsing quickly reveals itself.
2023-08-01 10:50:26 +03:00
if err != nil {
return zero , err
}
return textproto . MIMEHeader ( msg . Header ) , nil
}
var wordDecoder = mime . WordDecoder {
CharsetReader : func ( charset string , r io . Reader ) ( io . Reader , error ) {
switch strings . ToLower ( charset ) {
case "" , "us-ascii" , "utf-8" :
return r , nil
}
enc , _ := ianaindex . MIME . Encoding ( charset )
if enc == nil {
enc , _ = ianaindex . IANA . Encoding ( charset )
}
if enc == nil {
return r , fmt . Errorf ( "unknown charset %q" , charset )
}
return enc . NewDecoder ( ) . Reader ( r ) , nil
} ,
2023-01-30 16:27:06 +03:00
}
2023-12-05 15:35:58 +03:00
func parseEnvelope ( log mlog . Log , h mail . Header ) ( * Envelope , error ) {
2023-01-30 16:27:06 +03:00
date , _ := h . Date ( )
2023-07-01 18:25:10 +03:00
// We currently marshal this field to JSON. But JSON cannot represent all
// time.Time. Time zone of 24:00 was seen in the wild. We won't try for extreme
// years, but we can readjust timezones.
// todo: remove this once we no longer store using json.
_ , offset := date . Zone ( )
if date . Year ( ) > 9999 {
date = time . Time { }
} else if offset <= - 24 * 3600 || offset >= 24 * 3600 {
date = time . Unix ( date . Unix ( ) , 0 ) . UTC ( )
}
use Go's mail.ReadMessage instead of textproto.ReadMIMEHeaders and decode RFC 2047 charsets in subject header when parsing message
as the recent Go patch release showed, textproto.ReadMIMEHeaders is parsing
http headers, strictly. too strict for email message headers. valid headers,
e.g. with a slash in them, were rejected by textproto.ReadMIMEHeaders.
the functions in Go's mail package handle RFC 2047 charset-encoded words in
address headers. it can do that because we tell it those headers are addresses,
where such encodings are valid. but that encoding isn't valid in all places in
all headers. for other cases, we must decode explicitly, such as for the
subject header.
with this change, some messages that could not be parsed before can now be
parsed (where headers were previously rejected for being invalid). and the
subject of parsed messages could now be properly decoded. you could run "mox
ensureparsed -all <account>" (while mox isn't running) to force reparsing all
messages. mox needs a subcommand to reparse while running...
it wasn't much of a problem before, because imap email clients typically do
their own parsing (of headers, including subject decoding) again. but with the
upcoming webmail client, any wrong parsing quickly reveals itself.
2023-08-01 10:50:26 +03:00
subject := h . Get ( "Subject" )
if s , err := wordDecoder . DecodeHeader ( subject ) ; err == nil {
subject = s
}
2023-01-30 16:27:06 +03:00
env := & Envelope {
date ,
use Go's mail.ReadMessage instead of textproto.ReadMIMEHeaders and decode RFC 2047 charsets in subject header when parsing message
as the recent Go patch release showed, textproto.ReadMIMEHeaders is parsing
http headers, strictly. too strict for email message headers. valid headers,
e.g. with a slash in them, were rejected by textproto.ReadMIMEHeaders.
the functions in Go's mail package handle RFC 2047 charset-encoded words in
address headers. it can do that because we tell it those headers are addresses,
where such encodings are valid. but that encoding isn't valid in all places in
all headers. for other cases, we must decode explicitly, such as for the
subject header.
with this change, some messages that could not be parsed before can now be
parsed (where headers were previously rejected for being invalid). and the
subject of parsed messages could now be properly decoded. you could run "mox
ensureparsed -all <account>" (while mox isn't running) to force reparsing all
messages. mox needs a subcommand to reparse while running...
it wasn't much of a problem before, because imap email clients typically do
their own parsing (of headers, including subject decoding) again. but with the
upcoming webmail client, any wrong parsing quickly reveals itself.
2023-08-01 10:50:26 +03:00
subject ,
2023-08-15 09:25:56 +03:00
parseAddressList ( log , h , "from" ) ,
parseAddressList ( log , h , "sender" ) ,
parseAddressList ( log , h , "reply-to" ) ,
parseAddressList ( log , h , "to" ) ,
parseAddressList ( log , h , "cc" ) ,
parseAddressList ( log , h , "bcc" ) ,
2023-01-30 16:27:06 +03:00
h . Get ( "In-Reply-To" ) ,
h . Get ( "Message-Id" ) ,
}
return env , nil
}
2023-12-05 15:35:58 +03:00
func parseAddressList ( log mlog . Log , h mail . Header , k string ) [ ] Address {
2023-08-16 17:22:00 +03:00
// todo: possibly work around ios mail generating incorrect q-encoded "phrases" with unencoded double quotes? ../rfc/2047:382
2023-01-30 16:27:06 +03:00
l , err := h . AddressList ( k )
if err != nil {
return nil
}
var r [ ] Address
for _ , a := range l {
// todo: parse more fully according to ../rfc/5322:959
var user , host string
addr , err := smtp . ParseAddress ( a . Address )
if err != nil {
2023-12-05 15:35:58 +03:00
log . Infox ( "parsing address (continuing)" , err , slog . Any ( "address" , a . Address ) )
2023-01-30 16:27:06 +03:00
} else {
user = addr . Localpart . String ( )
host = addr . Domain . ASCII
}
r = append ( r , Address { a . Name , user , host } )
}
return r
}
// ParseNextPart parses the next (sub)part of this multipart message.
// ParseNextPart returns io.EOF and a nil part when there are no more parts.
2023-08-11 15:07:49 +03:00
// Only used for initial parsing of message. Once parsed, use p.Parts.
2023-12-05 15:35:58 +03:00
func ( p * Part ) ParseNextPart ( elog * slog . Logger ) ( * Part , error ) {
log := mlog . New ( "message" , elog )
2023-01-30 16:27:06 +03:00
if len ( p . bound ) == 0 {
return nil , errNotMultipart
}
if p . nextBoundOffset == - 1 {
if enforceSequential {
panic ( "access not sequential" )
}
// Set nextBoundOffset by fully reading the last part.
2023-08-15 09:25:56 +03:00
last , err := newPart ( log , p . strict , p . r , p . lastBoundOffset , p )
2023-01-30 16:27:06 +03:00
if err != nil {
return nil , err
}
if _ , err := io . Copy ( io . Discard , last . RawReader ( ) ) ; err != nil {
return nil , err
}
if p . nextBoundOffset == - 1 {
return nil , fmt . Errorf ( "internal error: reading part did not set nextBoundOffset" )
}
}
2023-08-15 09:25:56 +03:00
b := & bufAt { strict : p . strict , r : p . r , offset : p . nextBoundOffset }
2023-01-30 16:27:06 +03:00
// todo: should we require a crlf on final closing bound? we don't require it because some message/rfc822 don't have a crlf after their closing boundary, so those messages don't end in crlf.
line , crlf , err := b . ReadLine ( false )
if err != nil {
return nil , err
}
if match , finish := checkBound ( line , p . bound ) ; ! match {
return nil , fmt . Errorf ( "expected bound, got %q" , line )
} else if finish {
// Read any trailing data.
if p . parent != nil {
for {
line , _ , err := b . PeekLine ( false )
if err != nil {
break
}
if match , _ := checkBound ( line , p . parent . bound ) ; match {
break
}
b . ReadLine ( false )
}
if p . parent . lastBoundOffset == p . BoundaryOffset {
p . parent . nextBoundOffset = b . offset
}
}
p . EndOffset = b . offset
return nil , io . EOF
} else if ! crlf {
return nil , fmt . Errorf ( "non-finishing bound without crlf: %w" , errUnexpectedEOF )
}
boundOffset := p . nextBoundOffset
p . lastBoundOffset = boundOffset
p . nextBoundOffset = - 1
2023-08-15 09:25:56 +03:00
np , err := newPart ( log , p . strict , p . r , boundOffset , p )
2023-01-30 16:27:06 +03:00
if err != nil {
return nil , err
}
p . Parts = append ( p . Parts , np )
return & p . Parts [ len ( p . Parts ) - 1 ] , nil
}
2024-03-04 18:40:27 +03:00
// IsDSN returns whether the MIME structure of the part is a DSN.
func ( p * Part ) IsDSN ( ) bool {
return p . MediaType == "MULTIPART" &&
p . MediaSubType == "REPORT" &&
len ( p . Parts ) >= 2 &&
p . Parts [ 1 ] . MediaType == "MESSAGE" &&
( p . Parts [ 1 ] . MediaSubType == "DELIVERY-STATUS" || p . Parts [ 1 ] . MediaSubType == "GLOBAL-DELIVERY-STATUS" )
}
2023-01-30 16:27:06 +03:00
// Reader returns a reader for the decoded body content.
func ( p * Part ) Reader ( ) io . Reader {
return p . bodyReader ( p . RawReader ( ) )
}
2023-12-12 17:47:26 +03:00
// ReaderUTF8OrBinary returns a reader for the decoded body content, transformed to
2023-07-28 23:15:23 +03:00
// utf-8 for known mime/iana encodings (only if they aren't us-ascii or utf-8
// already). For unknown or missing character sets/encodings, the original reader
// is returned.
func ( p * Part ) ReaderUTF8OrBinary ( ) io . Reader {
2023-12-05 23:13:57 +03:00
return DecodeReader ( p . ContentTypeParams [ "charset" ] , p . Reader ( ) )
2023-07-28 23:15:23 +03:00
}
2023-01-30 16:27:06 +03:00
func ( p * Part ) bodyReader ( r io . Reader ) io . Reader {
r = newDecoder ( p . ContentTransferEncoding , r )
if p . MediaType == "TEXT" {
return & textReader { p , bufio . NewReader ( r ) , 0 , false }
}
return & countReader { p , r , 0 }
}
// countReader is an io.Reader that passes Reads to the underlying reader.
// when eof is read, it sets p.DecodedSize to the number of bytes returned.
type countReader struct {
p * Part
r io . Reader
count int64
}
func ( cr * countReader ) Read ( buf [ ] byte ) ( int , error ) {
n , err := cr . r . Read ( buf )
if n >= 0 {
cr . count += int64 ( n )
}
if err == io . EOF {
cr . p . DecodedSize = cr . count
}
return n , err
}
// textReader is an io.Reader that ensures all lines return end in CRLF.
// when eof is read from the underlying reader, it sets p.DecodedSize.
type textReader struct {
p * Part
r * bufio . Reader
count int64
prevcr bool // If previous byte returned was a CR.
}
func ( tr * textReader ) Read ( buf [ ] byte ) ( int , error ) {
o := 0
for o < len ( buf ) {
c , err := tr . r . ReadByte ( )
if err != nil {
tr . count += int64 ( o )
tr . p . DecodedSize = tr . count
return o , err
}
if c == '\n' && ! tr . prevcr {
buf [ o ] = '\r'
o ++
tr . prevcr = true
tr . r . UnreadByte ( )
continue
}
buf [ o ] = c
tr . prevcr = c == '\r'
o ++
}
tr . count += int64 ( o )
return o , nil
}
func newDecoder ( cte string , r io . Reader ) io . Reader {
// ../rfc/2045:775
switch cte {
case "BASE64" :
return base64 . NewDecoder ( base64 . StdEncoding , r )
case "QUOTED-PRINTABLE" :
return quotedprintable . NewReader ( r )
}
return r
}
// RawReader returns a reader for the raw, undecoded body content. E.g. with
// quoted-printable or base64 content intact.
// Fully reading a part helps its parent part find its next part efficiently.
func ( p * Part ) RawReader ( ) io . Reader {
if p . r == nil {
panic ( "missing reader" )
}
if p . EndOffset >= 0 {
2023-08-15 09:25:56 +03:00
return & crlfReader { strict : p . strict , r : io . NewSectionReader ( p . r , p . BodyOffset , p . EndOffset - p . BodyOffset ) }
2023-01-30 16:27:06 +03:00
}
p . RawLineCount = 0
if p . parent == nil {
2023-08-15 10:14:34 +03:00
return & offsetReader { p , p . BodyOffset , p . strict , true , false , 0 }
2023-01-30 16:27:06 +03:00
}
2023-08-15 09:25:56 +03:00
return & boundReader { p : p , b : & bufAt { strict : p . strict , r : p . r , offset : p . BodyOffset } , prevlf : true }
}
// crlfReader verifies there are no bare newlines and optionally no bare carriage returns.
type crlfReader struct {
r io . Reader
strict bool
prevcr bool
}
func ( r * crlfReader ) Read ( buf [ ] byte ) ( int , error ) {
n , err := r . r . Read ( buf )
if err == nil || err == io . EOF {
for _ , b := range buf [ : n ] {
if b == '\n' && ! r . prevcr {
err = errBareLF
break
2023-12-05 23:13:57 +03:00
} else if b != '\n' && r . prevcr && ( r . strict || Pedantic ) {
2023-08-15 09:25:56 +03:00
err = errBareCR
break
}
r . prevcr = b == '\r'
}
}
return n , err
2023-01-30 16:27:06 +03:00
}
// bufAt is a buffered reader on an underlying ReaderAt.
2023-08-11 15:07:49 +03:00
// bufAt verifies that lines end with crlf.
2023-01-30 16:27:06 +03:00
type bufAt struct {
2023-08-11 15:07:49 +03:00
offset int64 // Offset in r currently consumed, i.e. not including any buffered data.
2023-01-30 16:27:06 +03:00
2023-08-15 09:25:56 +03:00
strict bool
2023-01-30 16:27:06 +03:00
r io . ReaderAt
buf [ ] byte // Buffered data.
nbuf int // Valid bytes in buf.
scratch [ ] byte
}
2023-08-15 10:14:34 +03:00
// Messages should not have lines longer than 78+2 bytes, and must not have
// lines longer than 998+2 bytes. But in practice they have longer lines. We
// have a higher limit, but for when parsing with strict we check for the 1000
// bytes limit.
// ../rfc/5321:3512
2023-01-30 16:27:06 +03:00
const maxLineLength = 8 * 1024
2023-08-15 10:14:34 +03:00
func ( b * bufAt ) maxLineLength ( ) int {
2023-12-05 23:13:57 +03:00
if b . strict || Pedantic {
2023-08-15 10:14:34 +03:00
return 1000
}
return maxLineLength
}
2023-01-30 16:27:06 +03:00
// ensure makes sure b.nbuf is up to maxLineLength, unless eof is encountered.
func ( b * bufAt ) ensure ( ) error {
for _ , c := range b . buf [ : b . nbuf ] {
if c == '\n' {
return nil
}
}
if b . scratch == nil {
2023-08-15 10:14:34 +03:00
b . scratch = make ( [ ] byte , b . maxLineLength ( ) )
2023-01-30 16:27:06 +03:00
}
if b . buf == nil {
2023-08-15 10:14:34 +03:00
b . buf = make ( [ ] byte , b . maxLineLength ( ) )
2023-01-30 16:27:06 +03:00
}
2023-08-15 10:14:34 +03:00
for b . nbuf < b . maxLineLength ( ) {
2023-01-30 16:27:06 +03:00
n , err := b . r . ReadAt ( b . buf [ b . nbuf : ] , b . offset + int64 ( b . nbuf ) )
if n > 0 {
b . nbuf += n
}
if err != nil && err != io . EOF || err == io . EOF && b . nbuf + n == 0 {
return err
}
if n == 0 || err == io . EOF {
break
}
}
return nil
}
// ReadLine reads a line until \r\n is found, returning the line including \r\n.
2023-08-11 15:07:49 +03:00
// If not found, or a bare \n is encountered, or a bare \r is enountered in pedantic mode, ReadLine returns an error.
2023-01-30 16:27:06 +03:00
func ( b * bufAt ) ReadLine ( requirecrlf bool ) ( buf [ ] byte , crlf bool , err error ) {
return b . line ( true , requirecrlf )
}
func ( b * bufAt ) PeekLine ( requirecrlf bool ) ( buf [ ] byte , crlf bool , err error ) {
return b . line ( false , requirecrlf )
}
func ( b * bufAt ) line ( consume , requirecrlf bool ) ( buf [ ] byte , crlf bool , err error ) {
if err := b . ensure ( ) ; err != nil {
return nil , false , err
}
for i , c := range b . buf [ : b . nbuf ] {
if c == '\n' {
2023-08-11 15:07:49 +03:00
// Should have seen a \r, which should have been handled below.
return nil , false , errBareLF
2023-01-30 16:27:06 +03:00
}
if c != '\r' {
continue
}
i ++
if i >= b . nbuf || b . buf [ i ] != '\n' {
2023-12-05 23:13:57 +03:00
if b . strict || Pedantic {
2023-08-11 15:07:49 +03:00
return nil , false , errBareCR
}
continue
2023-01-30 16:27:06 +03:00
}
b . scratch = b . scratch [ : i + 1 ]
copy ( b . scratch , b . buf [ : i + 1 ] )
if consume {
copy ( b . buf , b . buf [ i + 1 : ] )
b . offset += int64 ( i + 1 )
b . nbuf -= i + 1
}
return b . scratch , true , nil
}
2023-08-15 10:14:34 +03:00
if b . nbuf >= b . maxLineLength ( ) {
2023-01-30 16:27:06 +03:00
return nil , false , errLineTooLong
}
if requirecrlf {
return nil , false , errUnexpectedEOF
}
b . scratch = b . scratch [ : b . nbuf ]
copy ( b . scratch , b . buf [ : b . nbuf ] )
if consume {
b . offset += int64 ( b . nbuf )
b . nbuf = 0
}
return b . scratch , false , nil
}
// PeekByte returns the next unread byte, or an error.
func ( b * bufAt ) PeekByte ( ) ( byte , error ) {
if err := b . ensure ( ) ; err != nil {
return 0 , err
}
if b . nbuf == 0 {
return 0 , io . EOF
}
return b . buf [ 0 ] , nil
}
2023-08-11 15:07:49 +03:00
// offsetReader reads from p.r starting from offset, and RawLineCount on p.
// offsetReader validates lines end with \r\n.
2023-01-30 16:27:06 +03:00
type offsetReader struct {
2023-08-15 10:14:34 +03:00
p * Part
offset int64
strict bool
prevlf bool
prevcr bool
linelength int
2023-01-30 16:27:06 +03:00
}
func ( r * offsetReader ) Read ( buf [ ] byte ) ( int , error ) {
n , err := r . p . r . ReadAt ( buf , r . offset )
if n > 0 {
r . offset += int64 ( n )
2023-08-15 10:14:34 +03:00
max := maxLineLength
2023-12-05 23:13:57 +03:00
if r . strict || Pedantic {
2023-08-15 10:14:34 +03:00
max = 1000
}
2023-01-30 16:27:06 +03:00
for _ , c := range buf [ : n ] {
2023-08-11 15:07:49 +03:00
if r . prevlf {
2023-01-30 16:27:06 +03:00
r . p . RawLineCount ++
}
2023-08-11 15:07:49 +03:00
if err == nil || err == io . EOF {
if c == '\n' && ! r . prevcr {
err = errBareLF
2023-12-05 23:13:57 +03:00
} else if c != '\n' && r . prevcr && ( r . strict || Pedantic ) {
2023-08-11 15:07:49 +03:00
err = errBareCR
}
}
r . prevlf = c == '\n'
r . prevcr = c == '\r'
2023-08-15 10:14:34 +03:00
r . linelength ++
if c == '\n' {
r . linelength = 0
} else if r . linelength > max && err == nil {
err = errLineTooLong
}
2023-01-30 16:27:06 +03:00
}
}
if err == io . EOF {
r . p . EndOffset = r . offset
}
return n , err
}
var crlf = [ ] byte ( "\r\n" )
// boundReader is a reader that stops at a closing multipart boundary.
2023-08-11 15:07:49 +03:00
// boundReader ensures lines end with crlf through its use of bufAt.
2023-01-30 16:27:06 +03:00
type boundReader struct {
2023-08-11 15:07:49 +03:00
p * Part
b * bufAt
buf [ ] byte // Data from previous line, to be served first.
nbuf int // Number of valid bytes in buf.
crlf [ ] byte // Possible crlf, to be returned if we do not yet encounter a boundary.
prevlf bool // If last char returned was a newline. For counting lines.
2023-01-30 16:27:06 +03:00
}
func ( b * boundReader ) Read ( buf [ ] byte ) ( count int , rerr error ) {
origBuf := buf
defer func ( ) {
if count > 0 {
for _ , c := range origBuf [ : count ] {
2023-08-11 15:07:49 +03:00
if b . prevlf {
2023-01-30 16:27:06 +03:00
b . p . RawLineCount ++
}
2023-08-11 15:07:49 +03:00
b . prevlf = c == '\n'
2023-01-30 16:27:06 +03:00
}
}
} ( )
for {
// Read data from earlier line.
if b . nbuf > 0 {
n := b . nbuf
if n > len ( buf ) {
n = len ( buf )
}
copy ( buf , b . buf [ : n ] )
copy ( b . buf , b . buf [ n : ] )
buf = buf [ n : ]
b . nbuf -= n
count += n
if b . nbuf > 0 {
break
}
}
// Look at next line. If it is a boundary, we are done and won't serve the crlf from the last line.
line , _ , err := b . b . PeekLine ( false )
if match , _ := checkBound ( line , b . p . parent . bound ) ; match {
b . p . EndOffset = b . b . offset - int64 ( len ( b . crlf ) )
if b . p . parent . lastBoundOffset == b . p . BoundaryOffset {
b . p . parent . nextBoundOffset = b . b . offset
} else if enforceSequential {
panic ( "access not sequential" )
}
return count , io . EOF
}
if err == io . EOF {
err = errMissingClosingBoundary
}
if err != nil && err != io . EOF {
return count , err
}
if len ( b . crlf ) > 0 {
n := len ( b . crlf )
if n > len ( buf ) {
n = len ( buf )
}
copy ( buf , b . crlf [ : n ] )
count += n
buf = buf [ n : ]
b . crlf = b . crlf [ n : ]
}
if len ( buf ) == 0 {
break
}
line , _ , err = b . b . ReadLine ( true )
if err != nil {
// Could be an unexpected end of the part.
return 0 , err
}
b . crlf = crlf // crlf will be read next time, but not if a boundary follows.
n := len ( line ) - 2
line = line [ : n ]
if n > len ( buf ) {
n = len ( buf )
}
copy ( buf , line [ : n ] )
count += n
buf = buf [ n : ]
line = line [ n : ]
if len ( line ) > 0 {
if b . buf == nil {
2023-08-15 10:14:34 +03:00
b . buf = make ( [ ] byte , b . b . maxLineLength ( ) )
2023-01-30 16:27:06 +03:00
}
copy ( b . buf , line )
b . nbuf = len ( line )
}
}
return count , nil
}
func checkBound ( line , bound [ ] byte ) ( bool , bool ) {
if ! bytes . HasPrefix ( line , bound ) {
return false , false
}
line = line [ len ( bound ) : ]
if bytes . HasPrefix ( line , [ ] byte ( "--" ) ) {
return true , true
}
if len ( line ) == 0 {
return true , false
}
c := line [ 0 ]
switch c {
case ' ' , '\t' , '\r' , '\n' :
return true , false
}
return false , false
}