1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 23 24 25 26 27 28 29 30 31 32 33 34 35 36 37 38 39 40 41 42 43 44 45 46 47 48 49 50 51 52 53 54 55 56 57 58 59 60 61 62 63 64 65 66 67 68 69 70 71 72 73 74 75 76 77 78 79 80 81 82 83 84 85 86 87 88 89 90 91 92 93 94 95 96 97 98 99 100 101 102 103 104 105 106 107 108 109 110 111 112 113 114 115 116 117 118 119 120 121 122 123 124 125 126 127 128 129 130 131 132 133 134 135 136 137 138 139 140 141 142 143 144 145 146 147 148 149 150 151 152 153 154 155 156 157 158 159 160 161 162 163 164 165 166 167 168 169 170 171 172 173 174 175 176 177 178 179 180 181 182 183 184 185 186 187 188 189 190 191 192 193 194 195 196 197 198 199 200 201 202 203 204 205 206 207 208 209 210 211 212 213 214 215 216 217 218 219 220 221 222 223 224 225 226 227 228 229 230 231 232 233 234 235 236 237 238 239 240 241 242 243 244 245 246 247 248 249 250 251 252 253 254 255 256 257 258 259 260 261 262 263 264 265 266 267 268 269 270 271 272 273 274 275 276 277 278 279 280 281 282 283 284 285 286 287 288 289 290 291 292 293 294 295 296 297 298 299
|
# frozen_string_literal: true
require 'mail/fields'
require 'mail/constants'
# encoding: utf-8
module Mail
# Provides a single class to call to create a new structured or unstructured
# field. Works out per RFC what field of field it is being given and returns
# the correct field of class back on new.
#
# ===Per RFC 2822
#
# 2.2. Header Fields
#
# Header fields are lines composed of a field name, followed by a colon
# (":"), followed by a field body, and terminated by CRLF. A field
# name MUST be composed of printable US-ASCII characters (i.e.,
# characters that have values between 33 and 126, inclusive), except
# colon. A field body may be composed of any US-ASCII characters,
# except for CR and LF. However, a field body may contain CRLF when
# used in header "folding" and "unfolding" as described in section
# 2.2.3. All field bodies MUST conform to the syntax described in
# sections 3 and 4 of this standard.
#
class Field
include Utilities
include Comparable
STRUCTURED_FIELDS = %w[ bcc cc content-description content-disposition
content-id content-location content-transfer-encoding
content-type date from in-reply-to keywords message-id
mime-version received references reply-to
resent-bcc resent-cc resent-date resent-from
resent-message-id resent-sender resent-to
return-path sender to ]
KNOWN_FIELDS = STRUCTURED_FIELDS + ['comments', 'subject']
FIELDS_MAP = {
"to" => ToField,
"cc" => CcField,
"bcc" => BccField,
"message-id" => MessageIdField,
"in-reply-to" => InReplyToField,
"references" => ReferencesField,
"subject" => SubjectField,
"comments" => CommentsField,
"keywords" => KeywordsField,
"date" => DateField,
"from" => FromField,
"sender" => SenderField,
"reply-to" => ReplyToField,
"resent-date" => ResentDateField,
"resent-from" => ResentFromField,
"resent-sender" => ResentSenderField,
"resent-to" => ResentToField,
"resent-cc" => ResentCcField,
"resent-bcc" => ResentBccField,
"resent-message-id" => ResentMessageIdField,
"return-path" => ReturnPathField,
"received" => ReceivedField,
"mime-version" => MimeVersionField,
"content-transfer-encoding" => ContentTransferEncodingField,
"content-description" => ContentDescriptionField,
"content-disposition" => ContentDispositionField,
"content-type" => ContentTypeField,
"content-id" => ContentIdField,
"content-location" => ContentLocationField,
}
FIELD_NAME_MAP = FIELDS_MAP.inject({}) do |map, (field, field_klass)|
map.update(field => field_klass::CAPITALIZED_FIELD)
end
# Generic Field Exception
class FieldError < StandardError
end
# Raised when a parsing error has occurred (ie, a StructuredField has tried
# to parse a field that is invalid or improperly written)
class ParseError < FieldError #:nodoc:
attr_accessor :element, :value, :reason
def initialize(element, value, reason)
@element = element
@value = to_utf8(value)
@reason = to_utf8(reason)
super("#{@element} can not parse |#{@value}|: #{@reason}")
end
private
def to_utf8(text)
if text.respond_to?(:force_encoding)
text.dup.force_encoding(Encoding::UTF_8)
else
text
end
end
end
class NilParseError < ParseError #:nodoc:
def initialize(element)
super element, nil, 'nil is invalid'
end
end
class IncompleteParseError < ParseError #:nodoc:
def initialize(element, original_text, unparsed_index)
parsed_text = to_utf8(original_text[0...unparsed_index])
super element, original_text, "Only able to parse up to #{parsed_text.inspect}"
end
end
# Raised when attempting to set a structured field's contents to an invalid syntax
class SyntaxError < FieldError #:nodoc:
end
class << self
# Parse a field from a raw header line:
#
# Mail::Field.parse("field-name: field data")
# # => #<Mail::Field …>
def parse(field, charset = nil)
name, value = split(field)
if name && value
new name, value, charset
end
end
def split(raw_field) #:nodoc:
if raw_field.index(Constants::COLON)
name, value = raw_field.split(Constants::COLON, 2)
name.rstrip!
if name =~ /\A#{Constants::FIELD_NAME}\z/
[ name.rstrip, value.strip ]
else
Kernel.warn "WARNING: Ignoring unparsable header #{raw_field.inspect}: invalid header name syntax: #{name.inspect}"
nil
end
else
raw_field.strip
end
rescue => error
warn "WARNING: Ignoring unparsable header #{raw_field.inspect}: #{error.class}: #{error.message}"
nil
end
end
attr_reader :unparsed_value
# Create a field by name and optional value:
#
# Mail::Field.new("field-name", "value")
# # => #<Mail::Field …>
#
# Values that aren't strings or arrays are coerced to Strings with `#to_s`.
#
# Mail::Field.new("field-name", 1234)
# # => #<Mail::Field …>
#
# Mail::Field.new('content-type', ['text', 'plain', {:charset => 'UTF-8'}])
# # => #<Mail::Field …>
def initialize(name, value = nil, charset = 'utf-8')
case
when name.index(COLON)
Kernel.warn 'Passing an unparsed header field to Mail::Field.new is deprecated and will be removed in Mail 2.8.0. Use Mail::Field.parse instead.'
@name, @unparsed_value = self.class.split(name)
@charset = Utilities.blank?(value) ? charset : value
when Utilities.blank?(value)
@name = name
@unparsed_value = nil
@charset = charset
else
@name = name
@unparsed_value = value
@charset = charset
end
@name = FIELD_NAME_MAP[@name.to_s.downcase] || @name
end
def field=(value)
@field = value
end
def field
@field ||= create_field(@name, @unparsed_value, @charset)
end
def name
@name
end
def value
field.value
end
def value=(val)
@field = create_field(name, val, @charset)
end
def to_s
field.to_s
end
def inspect
"#<#{self.class.name} 0x#{(object_id * 2).to_s(16)} #{instance_variables.map do |ivar|
"#{ivar}=#{instance_variable_get(ivar).inspect}"
end.join(" ")}>"
end
def update(name, value)
@field = create_field(name, value, @charset)
end
def same( other )
return false unless other.kind_of?(self.class)
match_to_s(other.name, self.name)
end
def ==( other )
return false unless other.kind_of?(self.class)
match_to_s(other.name, self.name) && match_to_s(other.value, self.value)
end
def responsible_for?( val )
name.to_s.casecmp(val.to_s) == 0
end
def <=>( other )
self.field_order_id <=> other.field_order_id
end
def field_order_id
@field_order_id ||= (FIELD_ORDER_LOOKUP[self.name.to_s.downcase] || 100)
end
def method_missing(name, *args, &block)
field.send(name, *args, &block)
end
if RUBY_VERSION >= '1.9.2'
def respond_to_missing?(method_name, include_private)
field.respond_to?(method_name, include_private) || super
end
else
def respond_to?(method_name, include_private = false)
field.respond_to?(method_name, include_private) || super
end
end
FIELD_ORDER = %w[ return-path received
resent-date resent-from resent-sender resent-to
resent-cc resent-bcc resent-message-id
date from sender reply-to to cc bcc
message-id in-reply-to references
subject comments keywords
mime-version content-type content-transfer-encoding
content-location content-disposition content-description ]
FIELD_ORDER_LOOKUP = Hash[FIELD_ORDER.each_with_index.to_a]
private
def create_field(name, value, charset)
new_field(name, value, charset)
rescue Mail::Field::ParseError => e
field = Mail::UnstructuredField.new(name, value)
field.errors << [name, value, e]
field
end
def new_field(name, value, charset)
value = unfold(value) if value.is_a?(String)
if klass = field_class_for(name)
klass.new(value, charset)
else
OptionalField.new(name, value, charset)
end
end
def field_class_for(name)
FIELDS_MAP[name.to_s.downcase]
end
# 2.2.3. Long Header Fields
#
# The process of moving from this folded multiple-line representation
# of a header field to its single line representation is called
# "unfolding". Unfolding is accomplished by simply removing any CRLF
# that is immediately followed by WSP. Each header field should be
# treated in its unfolded form for further syntactic and semantic
# evaluation.
def unfold(string)
string.gsub(/#{Constants::CRLF}(#{Constants::WSP})/m, '\1')
end
end
end
|