Как обойти проблему с Python smtpd? - PullRequest
1 голос
/ 14 апреля 2020

Я хочу сделать небольшой SMTP-сервер для тестирования, используя Python, поэтому я пробовал пример кода сервера

https://pymotw.com/2/smtpd/

import smtpd
import asyncore

class CustomSMTPServer(smtpd.SMTPServer):

def process_message(self, peer, mailfrom, rcpttos, data):
    print 'Receiving message from:', peer
    print 'Message addressed from:', mailfrom
    print 'Message addressed to  :', rcpttos
    print 'Message length        :', len(data)
    return

server = CustomSMTPServer(('127.0.0.1', 1025), None)

asyncore.loop()

Вместе с примером клиентского кода на той же странице:

import smtplib
import email.utils
from email.mime.text import MIMEText

# Create the message
msg = MIMEText('This is the body of the message.')
msg['To'] = email.utils.formataddr(('Recipient', 'recipient@example.com'))
msg['From'] = email.utils.formataddr(('Author', 'author@example.com'))
msg['Subject'] = 'Simple test message'

server = smtplib.SMTP('127.0.0.1', 1025)
server.set_debuglevel(True) # show communication with the server
try:
    server.sendmail('author@example.com', ['recipient@example.com'], msg.as_string())
finally:
    server.quit()

Однако, когда я пытаюсь запустить клиент, я получаю следующее на стороне сервера:

error: uncaptured python exception, closing channel <smtpd.SMTPChannel connected 127.0.0.1:38634 at 0x7fe28a901490> (<class 'TypeError'>:process_message() got an unexpected keyword argument 'mail_options' [/root/Python-3.8.1/Lib/asyncore.py|read|83] [/root/Python-3.8.1/Lib/asyncore.py|handle_read_event|420] [/root/Python-3.8.1/Lib/asynchat.py|handle_read|171] [/root/Python-3.8.1/Lib/smtpd.py|found_terminator|386])
^CTraceback (most recent call last):
  File "./mysmtpd.py", line 18, in <module>
asyncore.loop()
  File "/root/Python-3.8.1/Lib/asyncore.py", line 203, in loop
poll_fun(timeout, map)
  File "/root/Python-3.8.1/Lib/asyncore.py", line 144, in poll
r, w, e = select.select(r, w, e, timeout)
KeyboardInterrupt

Затем я нашел страницу с этой проблемой:

https://bugs.python.org/issue35837

и думаю, что это проблема, с которой я столкнулся.

Это Эта проблема еще не устранена, поэтому мне было интересно, есть ли что-то, что я могу изменить в примере клиентского кода, чтобы обойти проблему, описанную в этой проблеме?

Спасибо, Джим

...