2 """An RFC 2821 smtp proxy.
4 Usage: %(program)s [options] [localhost:localport [remotehost:remoteport]]
10 This program generally tries to setuid `nobody', unless this flag is
11 set. The setuid call will fail if this program is not run as root (in
12 which case, use this flag).
16 Print the version number and exit.
20 Use `classname' as the concrete SMTP proxy class. Uses `PureProxy' by
25 Turn on debugging prints.
29 Print this message and exit.
31 Version: %(__version__)s
33 If localhost is not given then `localhost' is used, and if localport is not
34 given then 8025 is used. If remotehost is not given then `localhost' is used,
35 and if remoteport is not given, then 25 is used.
41 # This file implements the minimal SMTP protocol as defined in RFC 821. It
42 # has a hierarchy of classes which implement the backend functionality for the
43 # smtpd. A number of classes are provided:
45 # SMTPServer - the base class for the backend. Raises NotImplementedError
46 # if you try to use it.
48 # DebuggingServer - simply prints each message it receives on stdout.
50 # PureProxy - Proxies all messages to a real smtpd which does final
51 # delivery. One known problem with this class is that it doesn't handle
52 # SMTP errors from the backend server at all. This should be fixed
53 # (contributions are welcome!).
55 # MailmanProxy - An experimental hack to work with GNU Mailman
56 # <www.list.org>. Using this server as your real incoming smtpd, your
57 # mailhost will automatically recognize and accept mail destined to Mailman
58 # lists when those lists are created. Every message not destined for a list
59 # gets forwarded to a real backend smtpd, as with PureProxy. Again, errors
60 # are not handled correctly yet.
62 # Please note that this script requires Python 2.0
64 # Author: Barry Warsaw <barry@python.org>
68 # - support mailbox delivery
71 # - handle error codes from the backend smtpd
82 __all__
= ["SMTPServer","DebuggingServer","PureProxy","MailmanProxy"]
85 __version__
= 'Python SMTP proxy version 0.2'
89 def write(self
, msg
): pass
93 DEBUGSTREAM
= Devnull()
100 def usage(code
, msg
=''):
101 print >> sys
.stderr
, __doc__
% globals()
103 print >> sys
.stderr
, msg
108 class SMTPChannel(asynchat
.async_chat
):
112 def __init__(self
, server
, conn
, addr
):
113 asynchat
.async_chat
.__init
__(self
, conn
)
114 self
.__server
= server
118 self
.__state
= self
.COMMAND
120 self
.__mailfrom
= None
123 self
.__fqdn
= socket
.getfqdn()
124 self
.__peer
= conn
.getpeername()
125 print >> DEBUGSTREAM
, 'Peer:', repr(self
.__peer
)
126 self
.push('220 %s %s' % (self
.__fqdn
, __version__
))
127 self
.set_terminator('\r\n')
129 # Overrides base class for convenience
131 asynchat
.async_chat
.push(self
, msg
+ '\r\n')
133 # Implementation of base class abstract method
134 def collect_incoming_data(self
, data
):
135 self
.__line
.append(data
)
137 # Implementation of base class abstract method
138 def found_terminator(self
):
139 line
= EMPTYSTRING
.join(self
.__line
)
140 print >> DEBUGSTREAM
, 'Data:', repr(line
)
142 if self
.__state
== self
.COMMAND
:
144 self
.push('500 Error: bad syntax')
149 command
= line
.upper()
152 command
= line
[:i
].upper()
153 arg
= line
[i
+1:].strip()
154 method
= getattr(self
, 'smtp_' + command
, None)
156 self
.push('502 Error: command "%s" not implemented' % command
)
161 if self
.__state
!= self
.DATA
:
162 self
.push('451 Internal confusion')
164 # Remove extraneous carriage returns and de-transparency according
165 # to RFC 821, Section 4.5.2.
167 for text
in line
.split('\r\n'):
168 if text
and text
[0] == '.':
169 data
.append(text
[1:])
172 self
.__data
= NEWLINE
.join(data
)
173 status
= self
.__server
.process_message(self
.__peer
,
178 self
.__mailfrom
= None
179 self
.__state
= self
.COMMAND
180 self
.set_terminator('\r\n')
186 # SMTP and ESMTP commands
187 def smtp_HELO(self
, arg
):
189 self
.push('501 Syntax: HELO hostname')
192 self
.push('503 Duplicate HELO/EHLO')
194 self
.__greeting
= arg
195 self
.push('250 %s' % self
.__fqdn
)
197 def smtp_NOOP(self
, arg
):
199 self
.push('501 Syntax: NOOP')
203 def smtp_QUIT(self
, arg
):
206 self
.close_when_done()
209 def __getaddr(self
, keyword
, arg
):
211 keylen
= len(keyword
)
212 if arg
[:keylen
].upper() == keyword
:
213 address
= arg
[keylen
:].strip()
216 elif address
[0] == '<' and address
[-1] == '>' and address
!= '<>':
217 # Addresses can be in the form <person@dom.com> but watch out
218 # for null address, e.g. <>
219 address
= address
[1:-1]
222 def smtp_MAIL(self
, arg
):
223 print >> DEBUGSTREAM
, '===> MAIL', arg
224 address
= self
.__getaddr
('FROM:', arg
)
226 self
.push('501 Syntax: MAIL FROM:<address>')
229 self
.push('503 Error: nested MAIL command')
231 self
.__mailfrom
= address
232 print >> DEBUGSTREAM
, 'sender:', self
.__mailfrom
235 def smtp_RCPT(self
, arg
):
236 print >> DEBUGSTREAM
, '===> RCPT', arg
237 if not self
.__mailfrom
:
238 self
.push('503 Error: need MAIL command')
240 address
= self
.__getaddr
('TO:', arg
)
242 self
.push('501 Syntax: RCPT TO: <address>')
244 self
.__rcpttos
.append(address
)
245 print >> DEBUGSTREAM
, 'recips:', self
.__rcpttos
248 def smtp_RSET(self
, arg
):
250 self
.push('501 Syntax: RSET')
252 # Resets the sender, recipients, and data, but not the greeting
253 self
.__mailfrom
= None
256 self
.__state
= self
.COMMAND
259 def smtp_DATA(self
, arg
):
260 if not self
.__rcpttos
:
261 self
.push('503 Error: need RCPT command')
264 self
.push('501 Syntax: DATA')
266 self
.__state
= self
.DATA
267 self
.set_terminator('\r\n.\r\n')
268 self
.push('354 End data with <CR><LF>.<CR><LF>')
272 class SMTPServer(asyncore
.dispatcher
):
273 def __init__(self
, localaddr
, remoteaddr
):
274 self
._localaddr
= localaddr
275 self
._remoteaddr
= remoteaddr
276 asyncore
.dispatcher
.__init
__(self
)
277 self
.create_socket(socket
.AF_INET
, socket
.SOCK_STREAM
)
278 # try to re-use a server port if possible
279 self
.set_reuse_addr()
282 print >> DEBUGSTREAM
, \
283 '%s started at %s\n\tLocal addr: %s\n\tRemote addr:%s' % (
284 self
.__class
__.__name
__, time
.ctime(time
.time()),
285 localaddr
, remoteaddr
)
287 def handle_accept(self
):
288 conn
, addr
= self
.accept()
289 print >> DEBUGSTREAM
, 'Incoming connection from %s' % repr(addr
)
290 channel
= SMTPChannel(self
, conn
, addr
)
292 # API for "doing something useful with the message"
293 def process_message(self
, peer
, mailfrom
, rcpttos
, data
):
294 """Override this abstract method to handle messages from the client.
296 peer is a tuple containing (ipaddr, port) of the client that made the
297 socket connection to our smtp port.
299 mailfrom is the raw address the client claims the message is coming
302 rcpttos is a list of raw addresses the client wishes to deliver the
305 data is a string containing the entire full text of the message,
306 headers (if supplied) and all. It has been `de-transparencied'
307 according to RFC 821, Section 4.5.2. In other words, a line
308 containing a `.' followed by other text has had the leading dot
311 This function should return None, for a normal `250 Ok' response;
312 otherwise it returns the desired response string in RFC 821 format.
315 raise NotImplementedError
319 class DebuggingServer(SMTPServer
):
320 # Do something with the gathered message
321 def process_message(self
, peer
, mailfrom
, rcpttos
, data
):
323 lines
= data
.split('\n')
324 print '---------- MESSAGE FOLLOWS ----------'
327 if inheaders
and not line
:
328 print 'X-Peer:', peer
[0]
331 print '------------ END MESSAGE ------------'
335 class PureProxy(SMTPServer
):
336 def process_message(self
, peer
, mailfrom
, rcpttos
, data
):
337 lines
= data
.split('\n')
338 # Look for the last header
344 lines
.insert(i
, 'X-Peer: %s' % peer
[0])
345 data
= NEWLINE
.join(lines
)
346 refused
= self
._deliver
(mailfrom
, rcpttos
, data
)
347 # TBD: what to do with refused addresses?
348 print >> DEBUGSTREAM
, 'we got some refusals:', refused
350 def _deliver(self
, mailfrom
, rcpttos
, data
):
355 s
.connect(self
._remoteaddr
[0], self
._remoteaddr
[1])
357 refused
= s
.sendmail(mailfrom
, rcpttos
, data
)
360 except smtplib
.SMTPRecipientsRefused
, e
:
361 print >> DEBUGSTREAM
, 'got SMTPRecipientsRefused'
362 refused
= e
.recipients
363 except (socket
.error
, smtplib
.SMTPException
), e
:
364 print >> DEBUGSTREAM
, 'got', e
.__class
__
365 # All recipients were refused. If the exception had an associated
366 # error code, use it. Otherwise,fake it with a non-triggering
368 errcode
= getattr(e
, 'smtp_code', -1)
369 errmsg
= getattr(e
, 'smtp_error', 'ignore')
371 refused
[r
] = (errcode
, errmsg
)
376 class MailmanProxy(PureProxy
):
377 def process_message(self
, peer
, mailfrom
, rcpttos
, data
):
378 from cStringIO
import StringIO
379 from Mailman
import Utils
380 from Mailman
import Message
381 from Mailman
import MailList
382 # If the message is to a Mailman mailing list, then we'll invoke the
383 # Mailman script directly, without going through the real smtpd.
384 # Otherwise we'll forward it to the local proxy for disposition.
387 local
= rcpt
.lower().split('@')[0]
388 # We allow the following variations on the theme
395 parts
= local
.split('-')
403 if not Utils
.list_exists(listname
) or command
not in (
404 '', 'admin', 'owner', 'request', 'join', 'leave'):
406 listnames
.append((rcpt
, listname
, command
))
407 # Remove all list recipients from rcpttos and forward what we're not
408 # going to take care of ourselves. Linear removal should be fine
409 # since we don't expect a large number of recipients.
410 for rcpt
, listname
, command
in listnames
:
412 # If there's any non-list destined recipients left,
413 print >> DEBUGSTREAM
, 'forwarding recips:', ' '.join(rcpttos
)
415 refused
= self
._deliver
(mailfrom
, rcpttos
, data
)
416 # TBD: what to do with refused addresses?
417 print >> DEBUGSTREAM
, 'we got refusals:', refused
418 # Now deliver directly to the list commands
421 msg
= Message
.Message(s
)
422 # These headers are required for the proper execution of Mailman. All
423 # MTAs in existance seem to add these if the original message doesn't
425 if not msg
.getheader('from'):
426 msg
['From'] = mailfrom
427 if not msg
.getheader('date'):
428 msg
['Date'] = time
.ctime(time
.time())
429 for rcpt
, listname
, command
in listnames
:
430 print >> DEBUGSTREAM
, 'sending message to', rcpt
431 mlist
= mlists
.get(listname
)
433 mlist
= MailList
.MailList(listname
, lock
=0)
434 mlists
[listname
] = mlist
435 # dispatch on the type of command
438 msg
.Enqueue(mlist
, tolist
=1)
439 elif command
== 'admin':
440 msg
.Enqueue(mlist
, toadmin
=1)
441 elif command
== 'owner':
442 msg
.Enqueue(mlist
, toowner
=1)
443 elif command
== 'request':
444 msg
.Enqueue(mlist
, torequest
=1)
445 elif command
in ('join', 'leave'):
446 # TBD: this is a hack!
447 if command
== 'join':
448 msg
['Subject'] = 'subscribe'
450 msg
['Subject'] = 'unsubscribe'
451 msg
.Enqueue(mlist
, torequest
=1)
457 classname
= 'PureProxy'
464 opts
, args
= getopt
.getopt(
465 sys
.argv
[1:], 'nVhc:d',
466 ['class=', 'nosetuid', 'version', 'help', 'debug'])
467 except getopt
.error
, e
:
471 for opt
, arg
in opts
:
472 if opt
in ('-h', '--help'):
474 elif opt
in ('-V', '--version'):
475 print >> sys
.stderr
, __version__
477 elif opt
in ('-n', '--nosetuid'):
479 elif opt
in ('-c', '--class'):
480 options
.classname
= arg
481 elif opt
in ('-d', '--debug'):
482 DEBUGSTREAM
= sys
.stderr
484 # parse the rest of the arguments
486 localspec
= 'localhost:8025'
487 remotespec
= 'localhost:25'
490 remotespec
= 'localhost:25'
495 usage(1, 'Invalid arguments: %s' % COMMASPACE
.join(args
))
497 # split into host/port pairs
498 i
= localspec
.find(':')
500 usage(1, 'Bad local spec: %s' % localspec
)
501 options
.localhost
= localspec
[:i
]
503 options
.localport
= int(localspec
[i
+1:])
505 usage(1, 'Bad local port: %s' % localspec
)
506 i
= remotespec
.find(':')
508 usage(1, 'Bad remote spec: %s' % remotespec
)
509 options
.remotehost
= remotespec
[:i
]
511 options
.remoteport
= int(remotespec
[i
+1:])
513 usage(1, 'Bad remote port: %s' % remotespec
)
518 if __name__
== '__main__':
519 options
= parseargs()
525 print >> sys
.stderr
, \
526 'Cannot import module "pwd"; try running with -n option.'
528 nobody
= pwd
.getpwnam('nobody')[2]
532 if e
.errno
!= errno
.EPERM
: raise
533 print >> sys
.stderr
, \
534 'Cannot setuid "nobody"; try running with -n option.'
536 classname
= options
.classname
538 lastdot
= classname
.rfind(".")
539 mod
= __import__(classname
[:lastdot
], globals(), locals(), [""])
540 classname
= classname
[lastdot
+1:]
542 import __main__
as mod
543 class_
= getattr(mod
, classname
)
544 proxy
= class_((options
.localhost
, options
.localport
),
545 (options
.remotehost
, options
.remoteport
))
548 except KeyboardInterrupt: