flufl.bounce-3.0/0000775000175000017500000000000013051700115014211 5ustar barrybarry00000000000000flufl.bounce-3.0/setup.py0000664000175000017500000000241413051672602015735 0ustar barrybarry00000000000000from setup_helpers import description, get_version, require_python from setuptools import setup, find_packages require_python(0x30400f0) __version__ = get_version('flufl/bounce/__init__.py') setup( name='flufl.bounce', version=__version__, namespace_packages=['flufl'], packages=find_packages(), include_package_data=True, zip_safe=False, maintainer='Barry Warsaw', maintainer_email='barry@python.org', description=description('README.rst'), license='ASLv2', url='https://fluflbounce.readthedocs.io/en/latest/', download_url='https://pypi.python.org/pypi/flufl.bounce', install_requires=[ 'atpublic', 'zope.interface', ], classifiers=[ 'Development Status :: 5 - Production/Stable', 'Intended Audience :: Developers', 'License :: OSI Approved :: Apache Software License', 'Operating System :: POSIX', 'Operating System :: Microsoft :: Windows', 'Operating System :: MacOS :: MacOS X', 'Programming Language :: Python', 'Programming Language :: Python :: 3', 'Topic :: Software Development :: Libraries', 'Topic :: Communications :: Email', 'Topic :: Software Development :: Libraries :: Python Modules', ] ) flufl.bounce-3.0/flufl/0000775000175000017500000000000013051700115015321 5ustar barrybarry00000000000000flufl.bounce-3.0/flufl/__init__.py0000664000175000017500000000007013051672602017440 0ustar barrybarry00000000000000__import__('pkg_resources').declare_namespace(__name__) flufl.bounce-3.0/flufl/bounce/0000775000175000017500000000000013051700115016574 5ustar barrybarry00000000000000flufl.bounce-3.0/flufl/bounce/_scan.py0000664000175000017500000000437113051672602020247 0ustar barrybarry00000000000000import os import logging from flufl.bounce.interfaces import IBounceDetector from importlib import import_module from pkg_resources import resource_listdir from public import public log = logging.getLogger('flufl.bounce') def _find_detectors(package): missing = object() for filename in resource_listdir(package, ''): basename, extension = os.path.splitext(filename) if extension != '.py': continue module_name = '{}.{}'.format(package, basename) module = import_module(module_name) for name in getattr(module, '__all__', []): component = getattr(module, name, missing) if component is missing: log.error('skipping missing __all__ entry: {}'.format(name)) if IBounceDetector.implementedBy(component): yield component @public def scan_message(msg): """Detect the set of all permanently bouncing original recipients. :param msg: The bounce message. :type msg: `email.message.Message` :return: The set of detected original recipients. :rtype: set of strings """ permanent_failures = set() package = 'flufl.bounce._detectors' for detector_class in _find_detectors(package): log.info('Running detector: {}'.format(detector_class)) try: temporary, permanent = detector_class().process(msg) except Exception: log.exception('Exception in detector: {}'.format(detector_class)) raise permanent_failures.update(permanent) return permanent_failures @public def all_failures(msg): """Detect the set of all bouncing original recipients. :param msg: The bounce message. :type msg: `email.message.Message` :return: 2-tuple of the temporary failure set and permanent failure set. :rtype: (set of strings, set of string) """ temporary_failures = set() permanent_failures = set() package = 'flufl.bounce._detectors' for detector_class in _find_detectors(package): log.info('Running detector: {}'.format(detector_class)) temporary, permanent = detector_class().process(msg) temporary_failures.update(temporary) permanent_failures.update(permanent) return temporary_failures, permanent_failures flufl.bounce-3.0/flufl/bounce/__init__.py0000664000175000017500000000030413051672602020713 0ustar barrybarry00000000000000from ._scan import all_failures, scan_message from public import public __version__ = '3.0' public(__version__=__version__) public(all_failures=all_failures) public(scan_message=scan_message) flufl.bounce-3.0/flufl/bounce/docs/0000775000175000017500000000000013051700115017524 5ustar barrybarry00000000000000flufl.bounce-3.0/flufl/bounce/docs/__init__.py0000664000175000017500000000000013051154320021624 0ustar barrybarry00000000000000flufl.bounce-3.0/flufl/bounce/docs/using.rst0000664000175000017500000000513713051154320021412 0ustar barrybarry00000000000000============================== Using the flufl.bounce library ============================== The ``flufl.bounce`` library provides a set of heuristic detectors for discerning the original bouncing email address from a bounce message. It contains detectors for a wide variety of formats found in the wild over the last 15 years, as well as standard formats such as VERP_ and RFC 3464 (DSN_). It also provides an API for extension with your own detector formats. Basic usage =========== In the most basic form of use, you can just pass an email message to the top-level function, and get back a set of email addresses detected as bouncing. In Python 3, you should parse the message in binary (i.e. bytes) mode using say `email.message_from_bytes()`. You will get back a set of byte addresses. In Python 2, you should use `email.message_from_string()` to parse the message, and you will get back 8-bit strings. Here for example, is a simple DSN-like bounce message. `parse()` is the appropriate email parsing function described above. >>> msg = parse(b"""\ ... From: Mail Delivery Subsystem ... To: list-bounces@example.com ... Subject: Delivery Report ... MIME-Version: 1.0 ... Content-Type: multipart/report; report-type=delivery-status; ... boundary=AAA ... ... --AAA ... Content-Type: message/delivery-status ... ... Original-Recipient: rfc822;anne@example.com ... Action: failed ... ... Original-Recipient: rfc822;bart@example.com ... Action: delayed ... ... --AAA-- ... """) .. >>> def print_emails(recipients): ... if recipients is None: ... print('None') ... return ... if len(recipients) == 0: ... print('No addresses') ... for email in sorted(recipients): ... # Remove the Py3 extraneous b'' prefixes. ... if bytes is not str: ... email = repr(email)[2:-1] ... print(email) You can scan the bounce message object to get a set of all the email addresses that have permanent failures. >>> from flufl.bounce import scan_message >>> recipients = scan_message(msg) >>> print_emails(recipients) anne@example.com You can also get the set of all temporarily and permanent failures. >>> from flufl.bounce import all_failures >>> temporary, permanent = all_failures(msg) >>> print_emails(temporary) bart@example.com >>> print_emails(permanent) anne@example.com .. _VERP: http://en.wikipedia.org/wiki/Variable_envelope_return_path .. _DSN: http://www.faqs.org/rfcs/rfc3464.html flufl.bounce-3.0/flufl/bounce/interfaces.py0000664000175000017500000000264013051672602021304 0ustar barrybarry00000000000000"""Interfaces.""" from public import public from zope.interface import Interface # Constants for improved readability in detector classes. Use these like so: # # - to signal that no temporary or permanent failures were found: # `return NoFailures` # - to signal that no temporary failures, but some permanent failures were # found: # `return NoTemporaryFailures, my_permanent_failures` # - to signal that some temporary failures, but no permanent failures were # found: # `return my_temporary_failures, NoPermanentFailures` NoTemporaryFailures = NoPermanentFailures = () NoFailures = (NoTemporaryFailures, NoPermanentFailures) public(NoTemporaryFailures=NoTemporaryFailures) public(NoPermanentFailures=NoPermanentFailures) public(NoFailures=NoFailures) @public class IBounceDetector(Interface): """Detect a bounce in an email message.""" def process(self, msg): """Scan an email message looking for bounce addresses. :param msg: An email message. :type msg: `Message` :return: A 2-tuple of the detected temporary and permanent bouncing addresses. Both elements of the tuple are sets of string email addresses. Not all detectors can tell the difference between temporary and permanent failures, in which case, the addresses will be considered to be permanently bouncing. :rtype: (set of strings, set of string) """ flufl.bounce-3.0/flufl/bounce/NEWS.rst0000664000175000017500000000663713051677251020134 0ustar barrybarry00000000000000===================== NEWS for flufl.bounce ===================== 3.0 (2017-02-17) ================ * Drop Python 2 support. * Switch to the Apache Software License v2. * Fixed a bug where the Groupwise detector looks at more messages than it should. (LP: #1548983) * Update documentation links to point to fluflbounce.readthedocs.io. * Switch to the nose2 test runner. 2.3 (2014-08-18) ================ * Added recognition for a kundenserver.de warning to simplewarning.py. (LP: #1263247) * Stop using the deprecated `distribute` package in favor of the now-merged `setuptools` package. * Stop using the deprecated `flufl.enum` package in favor of the enum34 package (for Python 2) or built-in enum package (for Python 3). 2.2.1 (2013-06-21) ================== * Prune some artifacts unintentionally leaked into the release tarball. 2.2 (2013-06-20) ================ * Added recognition for a bogus Dovecot over-quota rejection sent as an MDN rather than a DSN. (LP: #693134) * Tweaked a simplematch regexp that didn't always work. (LP: #1079254) * Added recognition for bounces from mail.ru. Thanks to Andrey Rahmatullin. (LP: #1079249) * Fixed UnicodeDecodeError in qmail.py with non-ascii message. Thanks to Theo Spears. (LP: #1074592) * Added recognition for another Yahoo bounce format. Thanks to Mark Sapiro. (LP: #1157961) * Fix documentation bug. (LP: #1026403) * Document the zope.interface requirement. (LP: #1021383) 2.1.1 (2012-04-19) ================== * Add classifiers to setup.py and make the long description more compatible with the Cheeseshop. * Other changes to make the Cheeseshop page look nicer. (LP: #680136) * setup_helper.py version 2.1. 2.1 (2012-01-19) ================ * Fix TypeError thrown when None is returned by Caiwireless. Given by Paul Egan. (LP: #917720) 2.0 (2012-01-04) ================ * Port to Python 3 without the use of `2to3`. Switch to class decorator syntax for declaring that a class implements an interface. The functional form doesn't work for Python 3. * All returned addresses are bytes objects in Python 3 and 8-bit strings in Python 2 (no change there). * Add an additional in-the-wild example of a qmail bounce. Given by Mark Sapiro. * Export `all_failures` in the package's namespace. * Fix `python setup.py test` so that it runs all the tests exactly once. There seems to be no portable way to support that and unittest discovery (i.e. `python -m unittest discover`) and since the latter requires virtualenv, just disable it for now. (LP: #911399) * Add full copy of LGPLv3 to source tarball. (LP: #871961) 1.0.2 (2011-10-10) ================== * Fixed MANIFEST.in to exclude the .egg. 1.0.1 (2011-10-07) ================== * Fixed licenses. All code is LGPLv3. 1.0 (2011-08-22) ================ * Initial release. 0.91 (2011-07-15) ================= * Provide a nicer interface for detector modules. Instead of using the magic empty tuple returns, provide three convenience constants in the interfaces module: NoFailures, NoTemporaryFailures, and NoPermanentFailures. * Add logging support. Applications can initialize the `flufl.bounce` logger. The test suite does its own logging.basicConfig(), which can be influenced by the environment variable $FLUFL_LOGGING. See flufl/bounce/tests/helpers.py for details. 0.90 (2011-07-02) ================= * Initial refactoring from Mailman 3. flufl.bounce-3.0/flufl/bounce/tests/0000775000175000017500000000000013051700115017736 5ustar barrybarry00000000000000flufl.bounce-3.0/flufl/bounce/tests/__init__.py0000664000175000017500000000000013051154320022036 0ustar barrybarry00000000000000flufl.bounce-3.0/flufl/bounce/tests/data/0000775000175000017500000000000013051700115020647 5ustar barrybarry00000000000000flufl.bounce-3.0/flufl/bounce/tests/data/groupwise_01.txt0000664000175000017500000001135613051676163023761 0ustar barrybarry00000000000000From VM Fri Jul 20 14:14:47 2001 X-VM-v5-Data: ([nil nil nil nil nil nil nil nil nil] [nil "Friday" "20" "July" "2001" "11:09:00" "-0700" "System Administrator" "postmaster@mainex1.asu.edu" nil "93" "Undeliverable: [Mailman-Users] [ alexandria-Bugs-442987 ] mailman bug" "^From:" "mailman-users-admin@python.org" "mailman-users-admin@python.org" "7" nil nil nil nil nil] nil) Return-Path: Delivered-To: usery@wooz.org Received: from example.com (unknown [63.100.190.15]) by mail.wooz.org (Postfix) with ESMTP id 2193BD35F0 for ; Fri, 20 Jul 2001 14:11:42 -0400 (EDT) Received: from by example.com (CommuniGate Pro RULES 3.4) with RULES id 2267275; Fri, 20 Jul 2001 14:11:10 -0400 Received: from ns2.example.com ([63.100.190.2] verified) by example.com (CommuniGate Pro SMTP 3.4) with ESMTP id 2267274 for usery@mail.example.com; Fri, 20 Jul 2001 14:11:10 -0400 Received: from mail.python.org (mail.python.org [63.102.49.29]) by ns2.example.com (8.9.3/8.9.3) with ESMTP id OAA18755 for ; Fri, 20 Jul 2001 14:11:40 -0400 Received: from localhost.localdomain ([127.0.0.1] helo=mail.python.org) by mail.python.org with esmtp (Exim 3.21 #1) id 15NekX-00065F-00; Fri, 20 Jul 2001 14:11:41 -0400 Received: from [129.219.110.73] (helo=post2.inre.asu.edu) by mail.python.org with esmtp (Exim 3.21 #1) id 15Nejg-0005zp-00 for mailman-users-admin@python.org; Fri, 20 Jul 2001 14:10:48 -0400 Received: from conversion.post2.inre.asu.edu by asu.edu (PMDF V6.0-24 #47347) id <0GGS00E01AF3DP@asu.edu> for mailman-users-admin@python.org; Fri, 20 Jul 2001 11:09:03 -0700 (MST) Received: from mainex1.asu.edu (mainex1.asu.edu [129.219.10.200]) by asu.edu (PMDF V6.0-24 #47347) with ESMTP id <0GGS00E5WAF396@asu.edu> for mailman-users-admin@python.org; Fri, 20 Jul 2001 11:09:03 -0700 (MST) Received: by mainex1.asu.edu with Internet Mail Service (5.5.2653.19) id <3MQDQNK7>; Fri, 20 Jul 2001 11:09:02 -0700 Message-id: <803148826976D411ADA600B0D03D6E2806F867BF@mainex1.asu.edu> MIME-version: 1.0 Content-type: multipart/mixed; boundary="Boundary_(ID_T1d1xFzw5I4c8zjm3AkzoA)" Precedence: bulk List-Help: List-Post: List-Subscribe: , List-Id: Mailman mailing list management users List-Unsubscribe: , List-Archive: From: System Administrator Sender: mailman-users-owner@python.org To: mailman-users-admin@python.org Subject: Undeliverable: [Mailman-Users] [ alexandria-Bugs-442987 ] mailman bug Date: Fri, 20 Jul 2001 11:09:00 -0700 X-Autogenerated: Mirror X-Mirrored-by: X-Mailer: Internet Mail Service (5.5.2653.19) X-MS-Embedded-Report: X-BeenThere: mailman-users@python.org X-Mailman-Version: 2.0.5 (101270) This message is in MIME format. Since your mail reader does not understand this format, some or all of this message may not be legible. --Boundary_(ID_T1d1xFzw5I4c8zjm3AkzoA) Content-type: text/plain Your message To: mailman-users@python.org Subject: [Mailman-Users] [ alexandria-Bugs-442987 ] mailman bug Sent: Fri, 20 Jul 2001 08:53:08 -0700 did not reach the following recipient(s): userx@example.EDU on Fri, 20 Jul 2001 11:08:59 -0700 The recipient name is not recognized The MTS-ID of the original message is: c=us;a= ;p=arizona state un;l=MAINEX101072018083MQDQNKX MSEXCH:IMS:Arizona State University:MAIN:MAINEX1 0 (000C05A6) Unknown Recipient --Boundary_(ID_T1d1xFzw5I4c8zjm3AkzoA) Content-type: message/rfc822 Date: Fri, 20 Jul 2001 08:53:08 -0700 From: Marc MERLIN Subject: [Mailman-Users] [ alexandria-Bugs-442987 ] mailman bug To: mailman-users@python.org Message-id: <20010720085308.H17468@magic.example.org> MIME-version: 1.0 X-Mailer: Internet Mail Service (5.5.2653.19) Content-type: text/plain X-MS-Embedded-Report: List-Subscribe: , List-Unsubscribe: , List-Help: Anyone has a clue about this error? ------------------------------------------------------ Mailman-Users maillist - Mailman-Users@python.org http://mail.python.org/mailman/listinfo/mailman-users --Boundary_(ID_T1d1xFzw5I4c8zjm3AkzoA)-- flufl.bounce-3.0/flufl/bounce/tests/data/yahoo_03.txt0000664000175000017500000000366413051676163023061 0ustar barrybarry00000000000000Return-Path: Received: from mx04.mrf.mail.rcn.net ([207.172.4.53] [207.172.4.53]) by mta02.mrf.mail.rcn.net with ESMTP id <20020403141004.PXBK1795.mta02.mrf.mail.rcn.net@mx04.mrf.mail.rcn.net>; Wed, 3 Apr 2002 09:10:04 -0500 Received: from milliways.osl.iu.edu ([129.79.245.239]) by mx04.mrf.mail.rcn.net with esmtp (Exim 3.35 #5) id 16slSd-0006Tx-00 for david.abrahams@rcn.com; Wed, 03 Apr 2002 09:10:04 -0500 Received: from milliways.osl.iu.edu (localhost [127.0.0.1]) by milliways.osl.iu.edu (8.11.6/8.11.6/IUCS_2.44) with ESMTP id g33EA0A22345; Wed, 3 Apr 2002 09:10:00 -0500 Received: from mta545.mail.yahoo.com (mta545.mail.yahoo.com [216.136.131.27]) by milliways.osl.iu.edu (8.11.6/8.11.6/IUCS_2.44) with SMTP id g33E9DA22332 for ; Wed, 3 Apr 2002 09:09:13 -0500 Date: Wed, 3 Apr 2002 09:09:13 -0500 Message-Id: <200204031409.g33E9DA22332@milliways.osl.iu.edu> From: MAILER-DAEMON@yahoo.com To: boost-admin@lists.boost.org X-Loop: MAILER-DAEMON@yahoo.com Subject: Delivery failure Sender: boost-owner@lists.boost.org Errors-To: boost-owner@lists.boost.org X-BeenThere: boost@lists.boost.org X-Mailman-Version: 2.0.8 Precedence: bulk List-Help: List-Post: List-Subscribe: , List-Id: Boost mailing list List-Unsubscribe: , List-Archive: Message from yahoo.com. Unable to deliver message to the following address(es). : Sorry your message to userx@example.com cannot be delivered. This account has been disabled or discontinued. --- Original message follows. Message removed flufl.bounce-3.0/flufl/bounce/tests/data/llnl_01.txt0000664000175000017500000000727513051676163022703 0ustar barrybarry00000000000000From VM Mon May 28 12:27:07 2001 X-VM-v5-Data: ([nil nil nil nil nil nil nil nil nil] [nil "Sunday" "27" "May" "2001" "14:25:17" "-0700" "Automated response from LLNL postmaster" "postmaster@llnl.gov" nil "153" "FAILED MAIL to \"trotts1\" regarding \"[ANNOUNCE] wxPython 2.3.0\"" "^From:" nil nil "5" nil nil nil nil nil] nil) Return-Path: Delivered-To: usery@example.org Received: from example.com (unknown [63.100.190.15]) by mail.example.org (Postfix) with ESMTP id 307A8D38E0 for ; Sun, 27 May 2001 17:26:43 -0400 (EDT) Received: from by example.com (CommuniGate Pro RULES 3.4) with RULES id 1985528; Sun, 27 May 2001 17:27:06 -0400 Received: from ns2.example.com ([63.100.190.2] verified) by example.com (CommuniGate Pro SMTP 3.4) with ESMTP id 1985527 for usery@mail.example.com; Sun, 27 May 2001 17:27:06 -0400 Received: from mail.python.org (mail.python.org [63.102.49.29]) by ns2.example.com (8.9.3/8.9.3) with ESMTP id RAA21782 for ; Sun, 27 May 2001 17:26:42 -0400 Received: from localhost.localdomain ([127.0.0.1] helo=mail.python.org) by mail.python.org with esmtp (Exim 3.21 #1) id 15483f-000890-00 for usery@example.com; Sun, 27 May 2001 17:26:43 -0400 Received: from [128.115.41.100] (helo=pierce.llnl.gov) by mail.python.org with esmtp (Exim 3.21 #1) id 15482m-00086w-00 for python-announce-list-admin@python.org; Sun, 27 May 2001 17:25:48 -0400 Received: (from postmaster@localhost) by pierce.llnl.gov (8.8.8/LLNL-3.0.2/llnl.gov-5.1) id OAA03843; Sun, 27 May 2001 14:25:17 -0700 (PDT) Message-Id: <200105272125.OAA03843@pierce.llnl.gov> Precedence: bulk List-Help: List-Post: List-Subscribe: , List-Id: Announcement-only list for the Python programming language List-Unsubscribe: , List-Archive: From: postmaster@llnl.gov (Automated response from LLNL postmaster) Sender: python-announce-list-owner@python.org To: python-announce-list-admin@python.org Subject: FAILED MAIL to "trotts1" regarding "[ANNOUNCE] wxPython 2.3.0" Date: Sun, 27 May 2001 14:25:17 -0700 (PDT) X-Autogenerated: Mirror X-Mirrored-by: X-BeenThere: python-announce-list@python.org X-Mailman-Version: 2.0.5 (101270) The standard form of email address at LLNL is lastnameNumber@llnl.gov although individuals may choose an alternate email address. The address to which your message was addressed, user1@example.gov, did not exactly match an LLNL email address. The following locator information may be of help in finding another means of contacting "user1": Judy L. User +1 925-xxx-xxxx user4@example.gov L-149 Original message as received is as follows: ======================================================================== >Return-Path: >Received: from smtp-in-2.llnl.gov (smtp-in-2.llnl.gov [128.115.249.72]) by pierce.llnl.gov (8.8.8/LLNL-3.0.2/llnl.gov-5.1) with ESMTP id OAA03514 for ; Sun, 27 May 2001 14:21:25 -0700 (PDT) >Received: from mail.python.org (localhost [127.0.0.1]) by smtp-in-2.llnl.gov (8.9.3/8.9.3/LLNL-gateway-1.0) with ESMTP id OAA20597 for ; Sun, 27 May 2001 14:21:23 -0700 (PDT) flufl.bounce-3.0/flufl/bounce/tests/data/simple_12.txt0000664000175000017500000000141313051676163023221 0ustar barrybarry00000000000000Return-Path: Received: from rhine1.andrew.ac.jp ([202.48.128.57]) by sb7.songbird.com (8.12.11/8.12.11) with ESMTP id k2A0fwce026177 for ; Thu, 9 Mar 2006 16:42:03 -0800 Date: Fri, 10 Mar 2006 09:37:30 +0900 Message-Id: <10603100937.AA64750950@rhine1.andrew.ac.jp> Mime-Version: 1.0 Content-Type: text/plain; charset=us-ascii From: "Postmaster" Sender: To: Subject: Undeliverable Mail X-Mailer: X-SongbirdInformation: support@songbird.com for more information X-Songbird: Found to be clean X-Songbird-From: Invalid final delivery userid: userx@example.ac.jp Original message follows. Message removed flufl.bounce-3.0/flufl/bounce/tests/data/yahoo_06.txt0000664000175000017500000000447713051676163023067 0ustar barrybarry00000000000000Return-Path: Received: from mx04.mrf.mail.rcn.net ([207.172.4.53] [207.172.4.53]) by mta03.mrf.mail.rcn.net with ESMTP id <20020403160604.WVKA16695.mta03.mrf.mail.rcn.net@mx04.mrf.mail.rcn.net>; Wed, 3 Apr 2002 11:06:04 -0500 Received: from milliways.osl.iu.edu ([129.79.245.239]) by mx04.mrf.mail.rcn.net with esmtp (Exim 3.35 #5) id 16snGt-0005FB-00 for david.abrahams@rcn.com; Wed, 03 Apr 2002 11:06:04 -0500 Received: from milliways.osl.iu.edu (localhost [127.0.0.1]) by milliways.osl.iu.edu (8.11.6/8.11.6/IUCS_2.44) with ESMTP id g33G61A24869; Wed, 3 Apr 2002 11:06:01 -0500 Received: from mta593.mail.yahoo.com (mta593.mail.yahoo.com [216.136.224.181]) by milliways.osl.iu.edu (8.11.6/8.11.6/IUCS_2.44) with SMTP id g33G5lA24845 for ; Wed, 3 Apr 2002 11:05:47 -0500 Date: Wed, 3 Apr 2002 11:05:47 -0500 Message-Id: <200204031605.g33G5lA24845@milliways.osl.iu.edu> From: MAILER-DAEMON@yahoo.com To: boost-admin@lists.boost.org X-Loop: MAILER-DAEMON@yahoo.com Subject: Delivery failure Sender: boost-owner@lists.boost.org Errors-To: boost-owner@lists.boost.org X-BeenThere: boost@lists.boost.org X-Mailman-Version: 2.0.8 Precedence: bulk List-Help: List-Post: List-Subscribe: , List-Id: Boost mailing list List-Unsubscribe: , List-Archive: Message from yahoo.com. Unable to deliver message to the following address(es). : Sorry your message to userx@example.com cannot be delivered. This account has been disabled or discontinued. : Sorry your message to usery@example.com cannot be delivered. This account has been disabled or discontinued. : Sorry your message to userz@example.com cannot be delivered. This account has been disabled or discontinued. : Sorry your message to usera@example.com cannot be delivered. This account has been disabled or discontinued. --- Original message follows. Message removed flufl.bounce-3.0/flufl/bounce/tests/data/yahoo_10.txt0000664000175000017500000000203713051676163023050 0ustar barrybarry00000000000000Return-Path: Received: from mta163.mail.re2.yahoo.com (mta163.mail.re2.yahoo.com [206.190.36.159]) by sb7.songbird.com (8.12.11/8.12.11) with SMTP id k11HW3n6004452 for ; Wed, 1 Feb 2006 09:32:03 -0800 Date: Wed, 1 Feb 2006 09:32:03 -0800 Message-Id: <200602011732.k11HW3n6004452@sb7.songbird.com> From: MAILER-DAEMON@yahoo.com To: century-announce-bounces@grizz.org X-Loop: MAILER-DAEMON@yahoo.com Subject: Delivery failure X-SongbirdInformation: support@songbird.com for more information X-Songbird: Found to be clean X-Songbird-From: Message from yahoo.com. Unable to deliver message to the following address(es). : This user doesn't have a yahoo.com account (userx@example.com) [0] : Sorry your message to usery@example.com cannot be delivered. This account has been disabled or discontinued [#102]. : This user doesn't have a yahoo.com account (userz@example.com) [0] --- Original message follows. Message removed flufl.bounce-3.0/flufl/bounce/tests/data/simple_33.txt0000664000175000017500000000352013051676163023225 0ustar barrybarry00000000000000Return-Path: Received: from rs-so-b1.amenworld.com (rs-so-b1.amenworld.com [62.193.206.26]) by sb7.songbird.com (8.12.11.20060308/8.12.11) with ESMTP id kBH8s3Gg013386 for ; Sun, 17 Dec 2006 00:54:04 -0800 Received: from av2.amenworld.com (av2.amenworld.com [62.193.206.45]) by rs-so-b1.amenworld.com (Postfix) with ESMTP id A808154655 for ; Sun, 17 Dec 2006 09:55:47 +0100 (CET) Date: Sun, 17 Dec 2006 09:53:50 +0100 From: Mail Delivery System To: wed_ride-bounces@grizz.org Subject: Delivery status notification MIME-Version: 1.0 Content-Type: multipart/report; boundary="------------I305M09060309060P_699011663456300" Message-Id: <20061217085547.A808154655@rs-so-b1.amenworld.com> X-SongbirdInformation: support@songbird.com for more information X-Songbird: Clean X-Songbird-From: This is a multi-part message in MIME format. --------------I305M09060309060P_699011663456300 Content-Type: text/plain; charset=UTF-8; Content-Transfer-Encoding: 8bit ============================================================================ This is an automatically generated Delivery Status Notification. Delevery to the following recipients failed permanently: * userx@example.com ============================================================================ Technical details: SMTP:RCPT host 62.193.203.20: 553 5.3.0 ... No such user here ============================================================================ --------------I305M09060309060P_699011663456300 Content-Type: message/rfc822; charset=UFT-8; Content-Transfer-Encoding: 8bit Content-Disposition: attachment Message removed --------------I305M09060309060P_699011663456300-- flufl.bounce-3.0/flufl/bounce/tests/data/simple_36.txt0000664000175000017500000000123313051676163023227 0ustar barrybarry00000000000000X-MimeOLE: Produced By Microsoft Exchange V6.5 Content-class: urn:content-classes:message MIME-Version: 1.0 Content-Type: text/plain; charset="iso-8859-1" Content-Transfer-Encoding: quoted-printable Subject: Delivery Failure Date: Thu, 19 Feb 2009 16:19:28 -0800 Message-ID: <633706571685360000@mx10.lttf.com> X-MS-Has-Attach: X-MS-TNEF-Correlator: From: <"System Administrator"@example.com> To: Could not deliver message to the following recipient(s): Failed Recipient: userx@example.com Reason: Remote host said: 550 unknown user -- The header and top 20 lines of the message follows -- Message removed flufl.bounce-3.0/flufl/bounce/tests/data/__init__.py0000664000175000017500000000000013051154320022747 0ustar barrybarry00000000000000flufl.bounce-3.0/flufl/bounce/tests/data/simple_02.txt0000664000175000017500000000502613051676163023224 0ustar barrybarry00000000000000From VM Thu Feb 22 16:05:17 2001 Return-Path: Delivered-To: zzzzz@wwww.org Received: from digicool.com (host15.digitalcreations.d.subnet.rcn.com [208.59.6.15]) by mail.wwww.org (Postfix) with ESMTP id AD081D37AC for ; Thu, 22 Feb 2001 04:54:37 -0500 (EST) Received: from by digicool.com (CommuniGate Pro RULES 3.3.2) with RULES id 1498944; Thu, 22 Feb 2001 04:56:22 -0500 Received: from ns2.digicool.com ([216.164.72.2] verified) by digicool.com (CommuniGate Pro SMTP 3.3.2) with ESMTP id 1498943 for zzzzz@mail.digicool.com; Thu, 22 Feb 2001 04:56:22 -0500 Received: from mail.python.org (mail.python.org [63.102.49.29]) by ns2.digicool.com (8.9.3/8.9.3) with ESMTP id EAA15538 for ; Thu, 22 Feb 2001 04:54:14 -0500 Received: from localhost.localdomain ([127.0.0.1] helo=mail.python.org) by mail.python.org with esmtp (Exim 3.21 #1) id 14VsRz-0002Md-00 for zzzzz@digicool.com; Thu, 22 Feb 2001 04:54:15 -0500 Received: from [204.68.24.95] (helo=nm195.netaddress.usa.net) by mail.python.org with smtp (Exim 3.21 #1) id 14VsRh-0002K2-00 for python-list-admin@python.org; Thu, 22 Feb 2001 04:53:57 -0500 Received: (qmail 1169 invoked by uid 0); 22 Feb 2001 09:51:46 -0000 Message-ID: <20010222095146.1166.qmail@nm195.netaddress.usa.net> Precedence: bulk List-Help: List-Post: List-Subscribe: , List-Id: General discussion list for the Python programming language List-Unsubscribe: , List-Archive: From: MAILER-DAEMON@usa.net Sender: python-list-owner@python.org To: python-list-admin@python.org Subject: Processing Error Date: 22 Feb 2001 09:51:46 -0000 X-Autogenerated: Mirror X-Mirrored-by: X-BeenThere: python-list@python.org X-Mailman-Version: 2.0.1 (101270) Intended recipient: userx@example.net The following mail has been returned because it encountered an error while being processed. Please try to resend this message. A notice of this error has been reported to the POSTMASTER at USA.NET which will attempt to contact the intended recipient. --------RETURNED MAIL FOLLOWS-------- Message removed ---------END OF RETURNED MAIL-------- flufl.bounce-3.0/flufl/bounce/tests/data/simple_23.txt0000664000175000017500000000132413051676163023224 0ustar barrybarry00000000000000Return-Path: Received: from spock.dadoservice.it (ip-49-45.sn1.eutelia.it [62.94.49.45]) by sb7.songbird.com (8.12.11.20060308/8.12.11) with SMTP id k3H2DwGc027145 for ; Sun, 16 Apr 2006 19:13:58 -0700 Subject: Delivery failure From: postmaster@spock.dadoservice.it Message-Id: Date: Mon, 17 Apr 2006 04:07:34 +0200 To: gpc-talk-bounces@grizz.org X-SongbirdInformation: support@songbird.com for more information X-Songbird: Clean X-Songbird-From: Your message has encountered delivery problems to local user userx. (Originally addressed to userx@example.it) User not known Your message reads (in part): Message removed flufl.bounce-3.0/flufl/bounce/tests/data/simple_05.txt0000664000175000017500000000152613051676163023230 0ustar barrybarry00000000000000Return-Path: Received: from mta113.sbc.mail.mud.yahoo.com (mta113.sbc.mail.mud.yahoo.com [68.142.198.176]) by sb7.songbird.com (8.12.11/8.12.11) with SMTP id k11HTqgC004200 for ; Wed, 1 Feb 2006 09:29:52 -0800 Date: Wed, 1 Feb 2006 09:29:52 -0800 Message-Id: <200602011729.k11HTqgC004200@sb7.songbird.com> From: MAILER-DAEMON@sbcglobal.net To: century-announce-bounces@grizz.org X-Loop: MAILER-DAEMON@sbcglobal.net Subject: Delivery failure X-SongbirdInformation: support@songbird.com for more information X-Songbird: Found to be clean X-Songbird-From: Message from sbcglobal.net. Unable to deliver message to the following address(es). : This user doesn't have a sbcglobal.net account (userx@example.net) [-9] --- Original message follows. Message removed flufl.bounce-3.0/flufl/bounce/tests/data/sendmail_01.txt0000664000175000017500000000511013051676163023520 0ustar barrybarry00000000000000From VM Sat Oct 14 00:29:43 2000 Return-Path: Delivered-To: bxxxxx@mail.example.org Received: from ns1.example.com (unknown [208.185.174.104]) by mail.example.org (Postfix) with ESMTP id DF2B1D38CD for ; Sat, 14 Oct 2000 00:16:04 -0400 (EDT) Received: from dinsdale.python.org (dinsdale.cnri.reston.va.us [132.151.1.21]) by ns1.example.com (8.9.3/8.9.3) with ESMTP id VAA04124 for ; Fri, 13 Oct 2000 21:17:08 -0700 (PDT) (envelope-from mailman-users-admin@python.org) Received: from dinsdale.python.org (localhost [127.0.0.1]) by dinsdale.python.org (Postfix) with ESMTP id 46F711D08C for ; Sat, 14 Oct 2000 00:15:15 -0400 (EDT) Delivered-To: mailman-users-admin@python.org Received: from banzai.nfg.nl (banzai.nfg.nl [194.109.206.156]) by dinsdale.python.org (Postfix) with ESMTP id 201661D08C for ; Sat, 14 Oct 2000 00:14:45 -0400 (EDT) Received: from localhost (localhost) by banzai.nfg.nl (8.9.3/8.9.3/Debian 8.9.3-21) with internal id GAB17388; Sat, 14 Oct 2000 06:14:45 +0200 Message-Id: <200010140414.GAB17388@banzai.nfg.nl> Auto-Submitted: auto-generated (failure) Errors-To: mailman-users-owner@python.org Precedence: bulk List-Help: List-Post: List-Subscribe: , List-Id: Mailman mailing list management users List-Unsubscribe: , List-Archive: From: Mail Delivery Subsystem Sender: mailman-users-owner@python.org To: mailman-users-admin@python.org To: postmaster@banzai.nfg.nl Subject: Returned mail: Too many hops 26 (25 max): from mailman-users-admin@python.org via localhost, to zzzzz@nfg.nl Date: Sat, 14 Oct 2000 06:14:45 +0200 X-BeenThere: mailman-users@python.org X-Mailman-Version: 2.0beta6 The original message was received at Sat, 14 Oct 2000 06:14:45 +0200 from uucp@localhost ----- The following addresses had permanent fatal errors ----- zzzzz@shaft.coal.nl (expanded from: zzzzz@nfg.nl) ----- Transcript of session follows ----- 554 Too many hops 26 (25 max): from mailman-users-admin@python.org via localhost, to zzzzz@nfg.nl ----- Message header follows ----- Message header removed ----- Message body suppressed ----- flufl.bounce-3.0/flufl/bounce/tests/data/groupwise_03.txt0000664000175000017500000000515013051154320023740 0ustar barrybarry00000000000000Received: from courriel.lahavane.com (unknown [192.168.64.30]) by mercurio.lahavane.com (Postfix) with ESMTPS id 5703592626F for ; Tue, 23 Feb 2016 13:27:54 -0500 (CST) Received: from HRAJCARPETA (unknown [192.168.107.148]) by correo.yyyyy.cu (Postfix) with ESMTPA id 8DF8C126F6B for ; Tue, 23 Feb 2016 13:21:55 -0500 (CST) From: "Ivette" To: Subject: RE: Vuille - (PO28169) - IND Date: Tue, 23 Feb 2016 13:26:01 -0500 Message-ID: MIME-Version: 1.0 Content-Type: multipart/mixed; boundary="----=_NextPart_000_00C9_01D16E3D.BD956500" X-Mailer: Microsoft Office Outlook, Build 11.0.5510 Thread-Index: AdFuZ6XxOH+qH5H+R76f2odV/Vn8MQ== In-Reply-To: <1456018944.242038011550903.872471708902354@mercurio> X-MimeOLE: Produced By Microsoft MimeOLE V6.00.2900.2180 Disposition-Notification-To: "Ivette" This is a multi-part message in MIME format. ------=_NextPart_000_00C9_01D16E3D.BD956500 Content-Type: multipart/related; boundary="----=_NextPart_001_00CA_01D16E3D.BD956500" ------=_NextPart_001_00CA_01D16E3D.BD956500 Content-Type: multipart/alternative; boundary="----=_NextPart_002_00CB_01D16E3D.BD956500" ------=_NextPart_002_00CB_01D16E3D.BD956500 Content-Type: text/plain; charset="iso-8859-1" Content-Transfer-Encoding: quoted-printable Solicitudes de Reservas a: reservas@yyyyy.cu De: keKf29aH@xxxxx.com Enviado el: S=E1bado, 20 de Febrero de 2016 08:42 p.m. Para: Hotel Raquel Asunto: Fwd: (PO28169) - IND lorem et... ----------Mensaje original---------- Subject: (PO28169) - IND De: Yuselis Gomez Calero Para: Hotel Raquel,Monica Perez Ansean Date: Thu Feb 18 2016 15:31:20 GMT-0500 (CST) lorem et .... Saludos, Email : yyyy@xxxxx.com Cc: reservas@xxxxxx.cu ------=_NextPart_002_00CB_01D16E3D.BD956500 Content-Type: text/html; charset="iso-8859-1" Content-Transfer-Encoding: quoted-printable Removed part ------=_NextPart_002_00CB_01D16E3D.BD956500-- ------=_NextPart_001_00CA_01D16E3D.BD956500 Content-Type: image/jpeg; name="Hotel Raquel (19).jpg" Content-Transfer-Encoding: base64 Content-ID: <182512518@23022016-2BC4> [Removed part] ------=_NextPart_001_00CA_01D16E3D.BD956500-- ------=_NextPart_000_00C9_01D16E3D.BD956500 Content-Type: application/msword; name="pratt nc 34050.RTF" Content-Transfer-Encoding: base64 Content-Disposition: attachment; filename="pratt nc 34050.RTF" [Removed part] ------=_NextPart_000_00C9_01D16E3D.BD956500-- flufl.bounce-3.0/flufl/bounce/tests/data/qmail_04.txt0000664000175000017500000000173413051676163023042 0ustar barrybarry00000000000000Return-Path: Received: from mail47.messagelabs.com (mail47.messagelabs.com [216.82.240.163]) by sb7.songbird.com (8.12.11.20060308/8.12.11) with SMTP id k488M87l021192 for ; Mon, 8 May 2006 01:22:08 -0700 Message-Id: <200605080822.k488M87l021192@sb7.songbird.com> X-VirusChecked: Checked X-StarScan-Version: 5.5.9.1; banners=.,-,- Received: (qmail 25062 invoked for bounce); 8 May 2006 08:21:20 -0000 Date: 8 May 2006 08:21:19 -0000 From: MAILER-DAEMON@messagelabs.com To: gpc-talk-bounces@grizz.org Subject: failure notice X-SongbirdInformation: support@songbird.com for more information X-Songbird: Clean X-Songbird-From: This is the mail delivery agent at messagelabs.com. I was not able to deliver your message to the following addresses. : 59.154.33.7 does not like recipient. Remote host said: 550 userx@example.au... No such user --- Below this line is a copy of the message. Message removed flufl.bounce-3.0/flufl/bounce/tests/data/smtp32_02.txt0000664000175000017500000000462313051676163023065 0ustar barrybarry00000000000000From VM Wed May 30 01:59:29 2001 X-VM-v5-Data: ([nil nil nil nil nil nil nil nil nil] [nil "Tuesday" "29" "May" "2001" "20:19:37" "-0700" "Postmaster" "postmaster@launchpoint.net" nil "48" "Undeliverable Mail" "^From:" nil nil "5" nil nil nil nil nil] nil) Return-Path: Delivered-To: usery@example.org Received: from example.com (unknown [63.100.190.15]) by mail.example.org (Postfix) with ESMTP id 5BA95D35D7 for ; Tue, 29 May 2001 23:48:06 -0400 (EDT) Received: from by example.com (CommuniGate Pro RULES 3.4) with RULES id 1993021; Tue, 29 May 2001 23:48:38 -0400 Received: from ns2.example.com ([63.100.190.2] verified) by example.com (CommuniGate Pro SMTP 3.4) with ESMTP id 1993014 for usery@mail.example.com; Tue, 29 May 2001 23:47:17 -0400 Received: from mail.python.org (mail.python.org [63.102.49.29]) by ns2.example.com (8.9.3/8.9.3) with ESMTP id XAA05200 for ; Tue, 29 May 2001 23:46:46 -0400 Received: from localhost.localdomain ([127.0.0.1] helo=mail.python.org) by mail.python.org with esmtp (Exim 3.21 #1) id 154wwZ-0007Jf-00 for usery@example.com; Tue, 29 May 2001 23:46:47 -0400 Received: from [65.200.12.28] (helo=launchpoint.net) by mail.python.org with esmtp (Exim 3.21 #1) id 154wv7-0007H3-00 for python-list-admin@python.org; Tue, 29 May 2001 23:45:17 -0400 Message-Id: <10105292019.AA00136@launchpoint.net> Precedence: bulk List-Help: List-Post: List-Subscribe: , List-Id: General discussion list for the Python programming language List-Unsubscribe: , List-Archive: From: "Postmaster" Sender: python-list-owner@python.org To: Subject: Undeliverable Mail Date: Tue, 29 May 2001 20:19:37 -0700 X-Autogenerated: Mirror X-Mirrored-by: X-Mailer: X-BeenThere: python-list@python.org X-Mailman-Version: 2.0.5 (101270) Delivery failed 20 attempts: userx@example.com Original message follows. Message removed flufl.bounce-3.0/flufl/bounce/tests/data/simple_28.txt0000664000175000017500000000341413051676163023233 0ustar barrybarry00000000000000Return-Path: <> Received: from fg-out-1718.google.com (fg-out-1718.google.com [72.14.220.152]) by alan.rezo.net (Postfix) with ESMTP id 3909F3B0271 for ; Sun, 15 Jun 2008 01:26:23 +0200 (CEST) Received: by fg-out-1718.google.com with SMTP id l27so3405949fgb.11 for ; Sat, 14 Jun 2008 16:26:21 -0700 (PDT) DKIM-Signature: v=1; a=rsa-sha256; c=relaxed/relaxed; d=googlemail.com; s=gamma; h=domainkey-signature:received:received:message-id:from:to:subject :date; bh=BFkuUFhgu/6jTo35rSt+ExVUNbJkbG7m9ZSeWMMiYys=; b=iARaUItND8loi45qRlzvtfufPkNdALsDLbSkg2q1kT7kQ+4v0OXcW2oCV6u8r6c+Ty hOaxiihkqMqgFknPssT6kaYS/u1IWeuEQnSltFULpQNh+rpW4yHC1hxUQ1jP6NRH3hfB y3T3UN69T0sG9Szqe/1zVYEVPxAbdnJnygZ64= DomainKey-Signature: a=rsa-sha1; c=nofws; d=googlemail.com; s=gamma; h=message-id:from:to:subject:date; b=FZYhpgymcWTMdaReUBtWfMMdThgG3Lk2UyVlK9XjPB7pwvAoTS8+eXQnP1IOC+iYQ+ 2wkii49cJP1JmtmMJBDmAJ5Hhq34r5g8R8yQqx5iLvj7I7aLP4AnmGnhSxqb6LbM/CoF xqjobWv+LjVHXV1Cy2oo0//B0M2mWKAv2/xGE= Received: by 10.86.26.1 with SMTP id 1mr6414899fgz.49.1213485981022; Sat, 14 Jun 2008 16:26:21 -0700 (PDT) Received: by 10.86.26.1 with SMTP id 1mr8116260fgz.49; Sat, 14 Jun 2008 16:26:21 -0700 (PDT) Message-ID: <000e0cd25cf4d6b921044fa8b85f@googlemail.com> From: Mail Delivery Subsystem To: spip-commit-bounces@rezo.net Subject: Delivery Status Notification (Delay) Date: Sat, 14 Jun 2008 16:26:21 -0700 (PDT) This is an automatically generated Delivery Status Notification THIS IS A WARNING MESSAGE ONLY. YOU DO NOT NEED TO RESEND YOUR MESSAGE. Delivery to the following recipient has been delayed: userx@example.com Message will be retried for 2 more day(s) ----- Message header follows ----- Message removed flufl.bounce-3.0/flufl/bounce/tests/data/simple_39.txt0000664000175000017500000000235613051676163023241 0ustar barrybarry00000000000000Content-Type: text/plain; charset="utf-8" MIME-Version: 1.0 Auto-Submitted: auto-replied Date: Wed, 07 Nov 2012 10:47:34 +0400 From: Mail Delivery System Message-Id: Subject: =?utf-8?b?0JLQsNGI0LUg0YHQvtC+0LHRidC10L3QuNC1INC90LUg0LTQvtGB0YLQsNCy0LvQ?= =?utf-8?b?tdC90L4uIE1haWwgZmFpbHVyZS4=?= To: noreply@example.com Content-Transfer-Encoding: 8bit Это пиÑьмо Ñоздано автоматичеÑки Ñервером Mail.Ru, отвечать на него не нужно. К Ñожалению, Ваше пиÑьмо не может быть доÑтавлено одному или неÑкольким получателÑм, потому что: Message was not accepted -- invalid mailbox. Local mailbox userx@example.ru is unavailable: user not found ********************** A message that you sent was rejected by the local scanning code that checks incoming messages on this system. The following error was given: Message was not accepted -- invalid mailbox. Local mailbox userx@example.ru is unavailable: user not found ------ This is a copy of your message, including all the headers. ------ No more than 1K characters of the body are included. Message removed flufl.bounce-3.0/flufl/bounce/tests/data/simple_37.txt0000664000175000017500000000157513051676163023241 0ustar barrybarry00000000000000X-MimeOLE: Produced By Microsoft Exchange V6.5 Content-class: urn:content-classes:message MIME-Version: 1.0 Content-Type: text/plain; charset="iso-8859-1" Content-Transfer-Encoding: quoted-printable Subject: Returned mail - nameserver error report Date: Fri, 17 Jul 2009 16:05:22 -0700 Message-ID: <200907172305.n6HN5Mn23080@mta1.service.example.edu> X-MS-Has-Attach: X-MS-TNEF-Correlator: From: To: --------Message not delivered to the following addresses: user@example.edu=20 --------Error Detail (phquery V3.0): ---- user@example.edu=20 Does not have a final email delivery point, please contact this person by alternate means. =20 name: User Name alias: USER Please contact Postmaster@example.edu if you have any questions. --------Unsent Message below: Message removed flufl.bounce-3.0/flufl/bounce/tests/data/simple_31.txt0000664000175000017500000000311413051676163023222 0ustar barrybarry00000000000000Return-Path: <> Received: from rs-so-b1.amenworld.com (rs-so-b1.amenworld.com [62.193.206.26]) by alan.rezo.net (Postfix) with ESMTP id 0E7913B02A3 for ; Fri, 20 Jun 2008 20:24:00 +0200 (CEST) Received: from av2.amenworld.com (av2.amenworld.com [62.193.206.45]) by rs-so-b1.amenworld.com (Postfix) with ESMTP id 5A7EA55884 for ; Fri, 20 Jun 2008 20:38:06 +0200 (CEST) Date: Fri, 20 Jun 2008 20:23:54 +0200 From: Mail Delivery System <> To: immigration.jetable-bounces@rezo.net Subject: Delivery status notification MIME-Version: 1.0 Content-Type: multipart/report; boundary="------------I305M09060309060P_788012139862340" Message-Id: <20080620183806.5A7EA55884@rs-so-b1.amenworld.com> This is a multi-part message in MIME format. --------------I305M09060309060P_788012139862340 Content-Type: text/plain; charset=UTF-8; Content-Transfer-Encoding: 8bit This is an automatically generated Delivery Status Notification. Delivery to the following recipients failed permanently: * userx@example.fr --------------I305M09060309060P_788012139862340 Content-Type: message/delivery-status; charset=UFT-8; Content-Transfer-Encoding: 8bit Reporting-MTA: dns; av2.amenworld.com [62.193.206.40] Received-From-MTA: dns; alan.rezo.net [217.24.84.2] Arrival-Date: Fri, 20 Jun 2008 20:23:54 +0200 --------------I305M09060309060P_788012139862340 Content-Type: message/rfc822; charset=UFT-8; Content-Transfer-Encoding: 8bit Content-Disposition: attachment Message removed --------------I305M09060309060P_788012139862340-- flufl.bounce-3.0/flufl/bounce/tests/data/yahoo_04.txt0000664000175000017500000000402113051676163023046 0ustar barrybarry00000000000000Return-Path: Received: from mx04.mrf.mail.rcn.net ([207.172.4.53] [207.172.4.53]) by mta05.mrf.mail.rcn.net with ESMTP id <20020403144504.BXMM19155.mta05.mrf.mail.rcn.net@mx04.mrf.mail.rcn.net>; Wed, 3 Apr 2002 09:45:04 -0500 Received: from milliways.osl.iu.edu ([129.79.245.239]) by mx04.mrf.mail.rcn.net with esmtp (Exim 3.35 #5) id 16sm0V-0007O8-00 for david.abrahams@rcn.com; Wed, 03 Apr 2002 09:45:04 -0500 Received: from milliways.osl.iu.edu (localhost [127.0.0.1]) by milliways.osl.iu.edu (8.11.6/8.11.6/IUCS_2.44) with ESMTP id g33Ej1A23023; Wed, 3 Apr 2002 09:45:01 -0500 Received: from mta468.mail.yahoo.com (mta468.mail.yahoo.com [216.136.130.133]) by milliways.osl.iu.edu (8.11.6/8.11.6/IUCS_2.44) with SMTP id g33EibA23012 for ; Wed, 3 Apr 2002 09:44:37 -0500 Date: Wed, 3 Apr 2002 09:44:37 -0500 Message-Id: <200204031444.g33EibA23012@milliways.osl.iu.edu> From: MAILER-DAEMON@yahoo.com To: boost-admin@lists.boost.org X-Loop: MAILER-DAEMON@yahoo.com Subject: Delivery failure Sender: boost-owner@lists.boost.org Errors-To: boost-owner@lists.boost.org X-BeenThere: boost@lists.boost.org X-Mailman-Version: 2.0.8 Precedence: bulk List-Help: List-Post: List-Subscribe: , List-Id: Boost mailing list List-Unsubscribe: , List-Archive: Message from yahoo.com. Unable to deliver message to the following address(es). : Sorry, your message to userx@example.es cannot be delivered. This account is over quota. : Sorry, your message to usery@example.uk cannot be delivered. This account is over quota. --- Original message follows. Message removed flufl.bounce-3.0/flufl/bounce/tests/data/simple_41.txt0000664000175000017500000000162413051676163023227 0ustar barrybarry00000000000000Received: from intercitytime.com (unknown [218.255.171.146]) by mail.mailman3.org (Postfix) with ESMTP id 7675880267 for ; Tue, 14 Feb 2017 09:29:16 +0000 (UTC) From: "Delivery Subsystem" To: Subject: Message Delivery Failure Date: Tue, 14 Feb 2017 17:29:12 +0800 Message-ID: X-MEFilter: 1 Precedence: bulk Auto-Submitted: auto-replied Message-ID-Hash: QD4JEJZEMX3L2YZ3EPVXIXH2QNFQ5Z7D X-Message-ID-Hash: QD4JEJZEMX3L2YZ3EPVXIXH2QNFQ5Z7D X-MailFrom: <> MailEnable: Message could not be delivered to some recipients. The following recipient(s) could not be reached: Recipient: [SMTP:userx@example.com] Reason: Remote SMTP Server Returned: 550 Requested action not taken: mailbox unavailable or not local. Message headers follow: Message removed flufl.bounce-3.0/flufl/bounce/tests/data/microsoft_03.txt0000664000175000017500000000512213051676163023736 0ustar barrybarry00000000000000Received: from acsnt26.acsnet.net (acsnt26.acsnet.net [64.57.128.126]) by sb7.songbird.com (8.12.11/8.12.11) with ESMTP id k0M5iW8p014625 for ; Sat, 21 Jan 2006 21:44:32 -0800 Received: from mail pickup service by acsnt26.acsnet.net with Microsoft SMTPSVC; Sat, 21 Jan 2006 21:40:13 -0800 x-ReceivedDate: 1/21/2006 9:40:12 PM send off later x-Original-RecipientList: SMTP:userx@example.com; Accept-Status: Accept x-Original-To: "userx@example.com" Thread-Topic: Non-Delivery: Your message to GPC-talk awaits moderator approval Content-Class: urn:content-classes:message Received: from sb7.songbird.com ([208.184.79.137]) by acsnt26.acsnet.net with Microsoft SMTPSVC(5.0.2195.6713); Sat, 21 Jan 2006 21:40:12 -0800 Received: from sb7.songbird.com (sb7.songbird.com [127.0.0.1]) by sb7.songbird.com (8.12.11/8.12.11) with ESMTP id k0M5ZXVc012945 for ; Sat, 21 Jan 2006 21:35:33 -0800 MIME-Version: 1.0 Content-Type: text/plain; charset="us-ascii" Message-ID: <118901c61f16$50a88200$7e803940@ACSNET.NET> Subject: Non-Delivery: Your message to GPC-talk awaits moderator approval From: X-Mailer: Microsoft CDO for Windows 2000 To: Date: Sat, 21 Jan 2006 21:40:12 -0800 X-MimeOLE: Produced By Microsoft MimeOLE V6.00.2800.1441 Precedence: bulk X-BeenThere: gpc-talk@grizz.org X-Mailman-Version: 2.1.5 List-Id: Grizzly Peak Cyclists general discussion list X-List-Administrivia: yes Sender: Errors-To: gpc-talk-bounces@grizz.org X-Songbird: Found to be clean, Found to be clean X-OriginalArrivalTime: 22 Jan 2006 05:40:12.0491 (UTC) FILETIME=[5060F1B0:01C61F16] X-SongbirdInformation: support@songbird.com for more information X-Songbird-From: gpc-talk-bounces@grizz.org Content-Transfer-Encoding: 8bit X-MIME-Autoconverted: from quoted-printable to 8bit by sb7.songbird.com id k0M5iW8p014625 --- Non-Delivery Report --- The email below could not be delivered to the following user: "userx@example.com" Old message: Your mail to 'GPC-talk' with the subject Pre-approved Application #02413 Sat, 21 Jan 2006 23:34:37 -0600 Is being held until the list moderator can review it for approval. The reason it is being held: Post by non-member to a members-only list Either the message will get posted to the list, or you will receive notification of the moderator's decision. If you would like to cancel this posting, please visit the following URL: http://www.grizz.org/mailman/confirm/gpc-talk/a0dcd54d09c36132e01bd2f76e1de63b18189aac flufl.bounce-3.0/flufl/bounce/tests/data/postfix_05.txt0000664000175000017500000000665513051676163023443 0ustar barrybarry00000000000000From VM Wed Mar 7 11:08:33 2001 X-VM-v5-Data: ([nil nil nil nil nil nil nil nil nil] [nil "Tuesday" "6" "March" "2001" "19:02:13" "+0000" "Mail Delivery System" "MAILER-DAEMON@bucks.net" nil "179" "Undelivered Mail Returned to Sender" "^From:" nil nil "3" nil nil nil nil nil] nil) Return-Path: Delivered-To: user@example.org Received: from example.com (host15.digitalcreations.d.subnet.rcn.com [208.59.6.15]) by mail.example.org (Postfix) with ESMTP id 590BFD37AC for ; Tue, 6 Mar 2001 14:02:37 -0500 (EST) Received: from by example.com (CommuniGate Pro RULES 3.4) with RULES id 1651377; Tue, 06 Mar 2001 14:05:47 -0500 Received: from ns2.example.com ([216.164.72.2] verified) by example.com (CommuniGate Pro SMTP 3.4) with ESMTP id 1651376 for usery@mail.example.com; Tue, 06 Mar 2001 14:05:46 -0500 Received: from mail.python.org (mail.python.org [63.102.49.29]) by ns2.example.com (8.9.3/8.9.3) with ESMTP id OAA13908 for ; Tue, 6 Mar 2001 14:03:04 -0500 Received: from localhost.localdomain ([127.0.0.1] helo=mail.python.org) by mail.python.org with esmtp (Exim 3.21 #1) id 14aMje-0005oS-00 for usery@example.com; Tue, 06 Mar 2001 14:03:02 -0500 Received: from [195.112.37.162] (helo=babylon.bucks.net ident=postfix) by mail.python.org with esmtp (Exim 3.21 #1) id 14aMix-0005nQ-00 for mailman-announce-admin@python.org; Tue, 06 Mar 2001 14:02:19 -0500 Received: by babylon.bucks.net (BNS Postfix) via BOUNCE id 59B9747B9E; Tue, 6 Mar 2001 19:02:13 +0000 (GMT) MIME-Version: 1.0 Content-Type: multipart/mixed; boundary="41A6B47B9D.983905333/babylon.bucks.net" Message-Id: <20010306190213.59B9747B9E@babylon.bucks.net> Precedence: bulk List-Help: List-Post: List-Subscribe: , List-Id: Announce-only list for Mailman releases and news List-Unsubscribe: , List-Archive: From: MAILER-DAEMON@bucks.net (Mail Delivery System) Sender: mailman-announce-owner@python.org To: mailman-announce-admin@python.org Subject: Undelivered Mail Returned to Sender Date: Tue, 6 Mar 2001 19:02:13 +0000 (GMT) X-Autogenerated: Mirror X-Mirrored-by: X-BeenThere: mailman-announce@python.org X-Mailman-Version: 2.0.2 (101270) This is a MIME-encapsulated message. --41A6B47B9D.983905333/babylon.bucks.net Content-Description: Notification Content-Type: text/plain This is the BNS Postfix program at host babylon.bucks.net. I'm sorry to have to inform you that the message returned below could not be delivered to one or more destinations. For further assistance, please contact If you do so, please include this problem report. You can delete your own text from the message returned below. The BNS Postfix program : host mail.btconnect.com[193.113.154.2] said: 554 No Resent-From field given --41A6B47B9D.983905333/babylon.bucks.net Content-Description: Undelivered Message Content-Type: message/rfc822 Message removed --41A6B47B9D.983905333/babylon.bucks.net-- flufl.bounce-3.0/flufl/bounce/tests/data/yahoo_09.txt0000664000175000017500000000407013051676163023057 0ustar barrybarry00000000000000Return-Path: Received: from mx04.mrf.mail.rcn.net ([207.172.4.53] [207.172.4.53]) by mta01.mrf.mail.rcn.net with ESMTP id <20020403190104.CHE29566.mta01.mrf.mail.rcn.net@mx04.mrf.mail.rcn.net>; Wed, 3 Apr 2002 14:01:04 -0500 Received: from milliways.osl.iu.edu ([129.79.245.239]) by mx04.mrf.mail.rcn.net with esmtp (Exim 3.35 #5) id 16sq0F-0005l5-00 for david.abrahams@rcn.com; Wed, 03 Apr 2002 14:01:03 -0500 Received: from milliways.osl.iu.edu (localhost [127.0.0.1]) by milliways.osl.iu.edu (8.11.6/8.11.6/IUCS_2.44) with ESMTP id g33J11A07189; Wed, 3 Apr 2002 14:01:01 -0500 Received: from mta446.mail.yahoo.com (mta446.mail.yahoo.com [216.136.129.101]) by milliways.osl.iu.edu (8.11.6/8.11.6/IUCS_2.44) with SMTP id g33J04A07150 for ; Wed, 3 Apr 2002 14:00:05 -0500 Date: Wed, 3 Apr 2002 14:00:05 -0500 Message-Id: <200204031900.g33J04A07150@milliways.osl.iu.edu> From: MAILER-DAEMON@yahoo.com To: boost-admin@lists.boost.org X-Loop: MAILER-DAEMON@yahoo.com Subject: Delivery failure Sender: boost-owner@lists.boost.org Errors-To: boost-owner@lists.boost.org X-BeenThere: boost@lists.boost.org X-Mailman-Version: 2.0.8 Precedence: bulk List-Help: List-Post: List-Subscribe: , List-Id: Boost mailing list List-Unsubscribe: , List-Archive: Message from yahoo.com. Unable to deliver message to the following address(es). : Sorry your message to userx@example.com cannot be delivered. This account has been disabled or discontinued. : Sorry your message to usery@example.com cannot be delivered. This account has been disabled or discontinued. --- Original message follows. Message removed flufl.bounce-3.0/flufl/bounce/tests/data/smtp32_03.txt0000664000175000017500000000501213051676163023057 0ustar barrybarry00000000000000From VM Wed Aug 1 17:39:21 2001 X-VM-v5-Data: ([nil nil nil nil nil nil nil nil nil] [nil "Wednesday" "1" "August" "2001" "12:02:47" "-0700" "Postmaster" "postmaster@mgw.xraymedia.com" nil "43" "Undeliverable Mail" "^From:" "mailman-users-admin@python.org" "mailman-users-admin@python.org" "8" nil nil nil nil nil] nil) Return-Path: Delivered-To: usery@example.org Received: from digicool.com (unknown [63.100.190.15]) by mail.example.org (Postfix) with ESMTP id 012AFD35F4 for ; Wed, 1 Aug 2001 15:24:04 -0400 (EDT) Received: from by digicool.com (CommuniGate Pro RULES 3.4) with RULES id 2461696; Wed, 01 Aug 2001 15:24:06 -0400 Received: from smtp.example.com ([63.100.190.10] verified) by digicool.com (CommuniGate Pro SMTP 3.4) with ESMTP id 2461695 for usery@mail.example.com; Wed, 01 Aug 2001 15:24:06 -0400 Received: from mail.python.org (mail.python.org [63.102.49.29]) by smtp.example.com (8.11.2/8.11.2) with ESMTP id f71JO6X18645 for ; Wed, 1 Aug 2001 15:24:06 -0400 Received: from localhost.localdomain ([127.0.0.1] helo=mail.python.org) by mail.python.org with esmtp (Exim 3.21 #1) id 15S1bB-0001XU-00; Wed, 01 Aug 2001 15:24:05 -0400 Received: from [209.17.153.132] (helo=mgw.xraymedia.com) by mail.python.org with esmtp (Exim 3.21 #1) id 15S1aM-0001Wb-00 for mailman-users-admin@python.org; Wed, 01 Aug 2001 15:23:14 -0400 Message-Id: <10108011202.AA00462@mgw.xraymedia.com> Mime-Version: 1.0 Content-Type: text/plain; charset=us-ascii Precedence: bulk List-Help: List-Post: List-Subscribe: , List-Id: Mailman mailing list management users List-Unsubscribe: , List-Archive: From: "Postmaster" Sender: mailman-users-owner@python.org To: mailman-users-admin@python.org Subject: Undeliverable Mail Date: Wed, 1 Aug 2001 12:02:47 -0700 X-Autogenerated: Mirror X-Mirrored-by: X-Mailer: X-BeenThere: mailman-users@python.org X-Mailman-Version: 2.0.6 (101270) undeliverable to userx@example.com Original message follows. Message removed flufl.bounce-3.0/flufl/bounce/tests/data/simple_09.txt0000664000175000017500000000200313051676163023223 0ustar barrybarry00000000000000Return-Path: Received: from moutng.kundenserver.de (moutng.kundenserver.de [212.227.126.187]) by sb7.songbird.com (8.12.11/8.12.11) with ESMTP id k0TN474K030502 for ; Sun, 29 Jan 2006 15:04:07 -0800 Received: from mx by mx.kundenserver.de id 0MKxMK-1F3LZu2Mij-0004S7; Mon, 30 Jan 2006 00:03:26 +0100 To: gpc-talk-bounces@grizz.org From: "Mail Delivery System" Subject: Mail delivery failed: returning message to sender Date: Mon, 30 Jan 2006 00:03:26 +0100 Message-ID: <0MKxMK-1F3LZu2Mij-0004S7@mx.kundenserver.de> Precedence: bulk X-Original-ID: 0MKxMK-1F3LZt3R61-0004S7 X-SongbirdInformation: support@songbird.com for more information X-Songbird: Found to be clean X-Songbird-From: This message was created automatically by mail delivery software. A message that you sent could not be delivered to one or more of its recipients. This is a permanent error. The following addresses failed: userx@example.de: quota exceeded flufl.bounce-3.0/flufl/bounce/tests/data/simple_35.txt0000664000175000017500000000137713051676163023237 0ustar barrybarry00000000000000X-MimeOLE: Produced By Microsoft Exchange V6.5 Content-class: urn:content-classes:message MIME-Version: 1.0 Content-Type: text/plain; charset="iso-8859-1" Content-Transfer-Encoding: quoted-printable Subject: Mail Delivery Warning Date: Thu, 19 Feb 2009 16:12:07 -0800 Message-ID: <200902200012.n1K0C71m032486@example.com> X-MS-Has-Attach: X-MS-TNEF-Correlator: From: To: This is an advisory-only email. Please do not reply to it. =09 Delivery of email to this address =09 "calvin@example.com" =09 has been postponed due to a full mailbox. =09 We will continue to try to deliver your message over the next few days. =09 The first 50 lines of your original message follow: Message removed flufl.bounce-3.0/flufl/bounce/tests/data/simple_38.txt0000664000175000017500000000300513051676163023230 0ustar barrybarry00000000000000Return-Path: Delivered-To: user@domain.com Received: from localhost (localhost [127.0.0.1]) by mail.domain.com (Postfix) with ESMTP id 7043958636E for ; Tue, 21 Dec 2010 14:05:59 -0600 (CST) X-Virus-Scanned: Debian amavisd-new at domain.com Received: from mail.domain.com ([127.0.0.1]) by localhost (mail.domain.com [127.0.0.1]) (amavisd-new, port 10024) with ESMTP id GV6LC3VuoLKG for ; Tue, 21 Dec 2010 14:05:58 -0600 (CST) Received: by mail.domain.com (Postfix, from userid 5000) id BD8D358639E; Tue, 21 Dec 2010 14:05:58 -0600 (CST) Message-ID: Date: Tue, 21 Dec 2010 14:05:58 -0600 From: Mail Delivery Subsystem To: MIME-Version: 1.0 Content-Type: multipart/report; report-type=disposition-notification; boundary="15778/mail" Subject: Automatically rejected mail Auto-Submitted: auto-replied (rejected) Precedence: bulk This is a MIME-encapsulated message --15778/mail Content-Type: text/plain; charset=utf-8 Content-Disposition: inline Content-Transfer-Encoding: 8bit Your message to was automatically rejected: Quota exceeded --15778/mail Content-Type: message/disposition-notification Reporting-UA: mail; Dovecot Mail Delivery Agent Final-Recipient: rfc822; userx@example.com Original-Message-ID: <2ee7df1322121930966bcc2318379726@localhost> Disposition: automatic-action/MDN-sent-automatically; deleted --15778/mail Content-Type: message/rfc822 Message removed --15778/mail-- flufl.bounce-3.0/flufl/bounce/tests/data/postfix_04.txt0000664000175000017500000000711613051676163023433 0ustar barrybarry00000000000000From VM Wed Mar 7 11:06:03 2001 X-VM-v5-Data: ([nil nil nil nil nil nil nil nil nil] [nil "Tuesday" "6" "March" "2001" "09:29:58" "-0800" "Mail Delivery System" "MAILER-DAEMON@example.com" nil "185" "Undelivered Mail Returned to Sender" "^From:" nil nil "3" nil nil nil nil nil] nil) Return-Path: Delivered-To: userw@example.org Received: from example.com (host15.digitalcreations.d.subnet.rcn.com [208.59.6.15]) by mail.example.org (Postfix) with ESMTP id 6C2DCD37AC for ; Tue, 6 Mar 2001 12:30:35 -0500 (EST) Received: from by example.com (CommuniGate Pro RULES 3.4) with RULES id 1650903; Tue, 06 Mar 2001 12:33:44 -0500 Received: from ns2.example.com ([216.164.72.2] verified) by example.com (CommuniGate Pro SMTP 3.4) with ESMTP id 1650896 for usery@mail.example.com; Tue, 06 Mar 2001 12:33:44 -0500 Received: from mail.python.org (mail.python.org [63.102.49.29]) by ns2.example.com (8.9.3/8.9.3) with ESMTP id MAA08939 for ; Tue, 6 Mar 2001 12:31:02 -0500 Received: from localhost.localdomain ([127.0.0.1] helo=mail.python.org) by mail.python.org with esmtp (Exim 3.21 #1) id 14aLIc-0001Wp-00 for usery@example.com; Tue, 06 Mar 2001 12:31:02 -0500 Received: from [64.75.1.85] (helo=postal-worker1.kefta.com) by mail.python.org with esmtp (Exim 3.21 #1) id 14aLIB-0001VP-00 for mailman-announce-admin@python.org; Tue, 06 Mar 2001 12:30:35 -0500 Received: from mail1.kefta.com (mail1.kefta.com [10.0.2.1]) by postal-worker1.kefta.com (Keftamail) with ESMTP id E57BC4081 for ; Tue, 6 Mar 2001 09:24:31 -0800 (PST) Received: by mail1.kefta.com (Keftamail) via BOUNCE id 438064082; Tue, 6 Mar 2001 09:29:58 -0800 (PST) MIME-Version: 1.0 Content-Type: multipart/mixed; boundary="1EDF14081.983899798/mail1.kefta.com" Message-Id: <20010306172958.438064082@mail1.kefta.com> Precedence: bulk List-Help: List-Post: List-Subscribe: , List-Id: Announce-only list for Mailman releases and news List-Unsubscribe: , List-Archive: From: MAILER-DAEMON@example.com (Mail Delivery System) Sender: mailman-announce-owner@python.org To: mailman-announce-admin@python.org Subject: Undelivered Mail Returned to Sender Date: Tue, 6 Mar 2001 09:29:58 -0800 (PST) X-Autogenerated: Mirror X-Mirrored-by: X-BeenThere: mailman-announce@python.org X-Mailman-Version: 2.0.2 (101270) This is a MIME-encapsulated message. --1EDF14081.983899798/mail1.kefta.com Content-Description: Notification Content-Type: text/plain This is the Keftamail program at host mail1.kefta.com. I'm sorry to have to inform you that the message returned below could not be delivered to one or more destinations. For further assistance, please contact If you do so, please include this problem report. You can delete your own text from the message returned below. The Keftamail program : permission denied. Command output: Mail quota exceeded. --1EDF14081.983899798/mail1.kefta.com Content-Description: Undelivered Message Content-Type: message/rfc822 Message removed --1EDF14081.983899798/mail1.kefta.com-- flufl.bounce-3.0/flufl/bounce/tests/data/qmail_07.txt0000664000175000017500000000201313051154320023016 0ustar barrybarry00000000000000From nobody Sat Dec 24 16:02:20 2011 Return-Path: <> X-Original-To: announce-bounces@example.com Delivered-To: announce-bounces@example.com Received: from p3plsmtp18-06.prod.phx3.secureserver.net (p3plsmtp18-06.prod.phx3.secureserver.net [173.201.193.191]) by example.com (Postfix) with ESMTP id 3E97F130D75 for ; Sat, 24 Dec 2011 16:02:07 -0500 (EST) Received: (qmail 1989 invoked for bounce); 24 Dec 2011 21:02:06 -0000 Date: 24 Dec 2011 21:02:06 -0000 From: MAILER-DAEMON@p3plsmtp18-06.prod.phx3.secureserver.net To: announce-bounces@example.com Subject: failure notice Your mail message to the following address(es) could not be delivered. This is a permanent error. Please verify the addresses and try again. If you are still having difficulty sending mail to these addresses, please contact Customer Support at 480-624-2500. : child status 100...The e-mail message could not be delivered because the user's mailfolder is full. --- Below this line is a copy of the message. flufl.bounce-3.0/flufl/bounce/tests/data/groupwise_02.txt0000664000175000017500000000476713051676163023772 0ustar barrybarry00000000000000From MAILER-DAEMON Thu Jul 11 15:53:40 2002 Envelope-to: mailman-developers-bounces@python.org Received: from [200.61.188.243] (helo=m3srv02) by mail.python.org with esmtp (Exim 4.05) id 17Sk0S-0004e9-00 for mailman-developers-bounces@python.org; Thu, 11 Jul 2002 15:53:40 -0400 Received: from thedc02.thebas.com ([10.1.1.3]) by m3srv02 with Microsoft SMTPSVC(5.0.2195.4905); Thu, 11 Jul 2002 17:00:06 -0300 Received: by thedc02.thebas.com with Internet Mail Service (5.5.2653.19) id ; Thu, 11 Jul 2002 16:55:03 -0300 Message-ID: <1E774123429CC84995E7DA78FED5F49D408FEF@thedc02.thebas.com> From: System Administrator To: mailman-developers-bounces@python.org Subject: Undeliverable: [Mailman-Developers] RELEASED Mailman 2.0.12 Date: Thu, 11 Jul 2002 16:55:03 -0300 MIME-Version: 1.0 X-Mailer: Internet Mail Service (5.5.2653.19) X-MS-Embedded-Report: Content-Type: multipart/mixed; boundary="----_=_NextPart_000_01C22914.D8CBF488" X-OriginalArrivalTime: 11 Jul 2002 20:00:06.0562 (UTC) FILETIME=[8D8C2820:01C22915] This message is in MIME format. Since your mail reader does not understand this format, some or all of this message may not be legible. ------_=_NextPart_000_01C22914.D8CBF488 Content-Type: text/html; charset="iso-8859-1" Undeliverable: [Mailman-Developers] RELEASED Mailman 2.0.12

Your message

  To:      mailman-announce@python.org
  Cc:      mailman-developers@python.org; mailman-users@python.org
  Subject: [Mailman-Developers] RELEASED Mailman 2.0.12
  Sent:    Thu, 11 Jul 2002 16:52:33 -0300

did not reach the following recipient(s):

userx@example.com on Thu, 11 Jul 2002 16:54:54 -0300
    The recipient name is not recognized
        The MTS-ID of the original message is: c=us;a= ;p=thebas sa;l=THEDC020207111954NZ5X2T9P
    MSEXCH:IMS:Thebas sa:CENTRAL:THEDC02 0 (000C05A6) Unknown Recipient

  ------_=_NextPart_000_01C22914.D8CBF488 Content-Type: message/rfc822 Message removed ------_=_NextPart_000_01C22914.D8CBF488-- flufl.bounce-3.0/flufl/bounce/tests/data/dsn_02.txt0000664000175000017500000001740413051676163022522 0ustar barrybarry00000000000000From VM Tue Dec 26 18:03:42 2000 Return-Path: Received: from ns2.digicool.com ([216.164.72.2] verified) by digicool.com (CommuniGate Pro SMTP 3.3.1) with ESMTP id 399952 for xxxxx@mail.digicool.com; Tue, 26 Dec 2000 16:49:08 -0500 Received: from mail.python.org (starship.python.net [63.102.49.30]) by ns2.digicool.com (8.9.3/8.9.3) with ESMTP id QAA00928 for ; Tue, 26 Dec 2000 16:49:01 -0500 Received: from ns1.zope.org (localhost.localdomain [127.0.0.1]) by mail.python.org (Postfix) with ESMTP id 0CE1CE9B2 for ; Tue, 26 Dec 2000 16:48:01 -0500 (EST) Delivered-To: mm+python-list-admin@python.org Received: from cata.hud.ac.uk (cata.hud.ac.uk [161.112.232.16]) by mail.python.org (Postfix) with ESMTP id 5398EE9B2 for ; Tue, 26 Dec 2000 16:47:33 -0500 (EST) Received: from hud.ac.uk by cata.hud.ac.uk id <13167-0@cata.hud.ac.uk>; Tue, 26 Dec 2000 21:47:28 +0000 Message-Type: Delivery Report X400-Received: by /PRMD=UK.AC/ADMD= /C=GB/; Relayed; Tue, 26 Dec 2000 21:47:27 +0000 X400-Received: by mta cata.hud.ac.uk in /PRMD=UK.AC/ADMD= /C=GB/; Relayed; Tue, 26 Dec 2000 21:47:27 +0000 X400-MTS-Identifier: [/PRMD=UK.AC/ADMD= /C=GB/;cata.hud.a:131600:20001226214727] Message-ID: <"cata.hud.a:131600:20001226214727"@hud.ac.uk> Content-Identifier: RE: A Q conce... MIME-Version: 1.0 Content-Type: multipart/report; boundary="---Multi-Part-Report-Level-1-1-13166" Errors-To: python-list-owner@python.org Precedence: bulk List-Help: List-Post: List-Subscribe: , List-Id: General discussion list for the Python programming language List-Unsubscribe: , List-Archive: From: postmaster@hud.ac.uk Sender: python-list-owner@python.org To: python-list-admin@python.org Subject: Delivery Report (failure) for zzzzz@example.uk Date: Tue, 26 Dec 2000 21:47:28 +0000 X-BeenThere: python-list@python.org X-Mailman-Version: 2.0 -----Multi-Part-Report-Level-1-1-13166 This report relates to your message: Subject: RE: A Q concerning map (a comparison to Maple V), Message-ID: , To: of Tue, 26 Dec 2000 21:47:27 +0000 Your message was not delivered to: zzzzz@example.uk for the following reason: Diagnostic was Unable to transfer, Message timed out Information Message timed out The Original Message follows: -----Multi-Part-Report-Level-1-1-13166 Content-Type: message/delivery-status Reporting-MTA: x400; mta cata.hud.ac.uk in /PRMD=UK.AC/ADMD= /C=GB/ Arrival-Date: Sat, 23 Dec 2000 21:44:56 +0000 DSN-Gateway: dns; cata.hud.ac.uk X400-Conversion-Date: Tue, 26 Dec 2000 21:47:28 +0000 Original-Envelope-Id: [/PRMD=UK.AC/ADMD= /C=GB/;, To: Original-Recipient: rfc822; zzzzz@example.uk Final-Recipient: x400; /S=zzzzz/OU=example/PRMD=UK.AC/ADMD= /C=GB/ X400-Originally-Specified-Recipient-Number: 1 Action: failed Diagnostic-Code: Reason 1 (Unable-To-Transfer); Diagnostic 5 (Maximum-Time-Expired) Status: 4.4.7 X400-Supplementary-Info: "Message timed out" X400-Last-Trace: Sat, 23 Dec 2000 21:44:56 +0000 -----Multi-Part-Report-Level-1-1-13166 Content-Type: message/rfc822 Received: from mail.python.org (actually host starship.python.net) by cata.hud.ac.uk with SMTP (Mailer); Sat, 23 Dec 2000 21:44:56 +0000 Received: from ns1.zope.org (localhost.localdomain [127.0.0.1]) by mail.python.org (Postfix) with ESMTP id 9200FEB18; Sat, 23 Dec 2000 13:10:09 -0500 (EST) Delivered-To: mm+python-list@python.org Received: from mail.rdc1.md.home.com (ha1.rdc1.md.home.com [24.2.2.66]) by mail.python.org (Postfix) with ESMTP id 9FA2AEC45 for ; Sat, 23 Dec 2000 12:35:46 -0500 (EST) Received: from cj569191b ([65.1.136.53]) by mail.rdc1.md.home.com (InterMail vM.4.01.03.00 201-229-121) with SMTP id <20001223173546.KSYS10139.mail.rdc1.md.home.com@cj569191b> for ; Sat, 23 Dec 2000 09:35:46 -0800 From: Tim Peters To: python-list Subject: RE: A Q concerning map (a comparison to Maple V) Message-ID: MIME-Version: 1.0 Content-Type: text/plain; charset="iso-8859-1" Content-Transfer-Encoding: 7bit X-Priority: 3 (Normal) X-MSMail-Priority: Normal X-Mailer: Microsoft Outlook IMO, Build 9.0.2416 (9.0.2911.0) X-MimeOLE: Produced By Microsoft MimeOLE V5.50.4522.1200 In-Reply-To: <3A448735.4DF3C95C@schneider-kamp.de> Importance: Normal Sender: python-list-admin@python.org Errors-To: python-list-admin@python.org X-BeenThere: python-list@python.org X-Mailman-Version: 2.0 Precedence: bulk List-Help: List-Post: List-Subscribe: , List-Id: General discussion list for the Python programming language List-Unsubscribe: , List-Archive: Date: Sat, 23 Dec 2000 12:35:50 -0500 [Franz GEIGER] > > map(replace, ["abc", "cde"], "c", "C"); > > instead of having to create a lambda function. > > Wouldn't it make sense to have that in Python too? Do there come > > more such opportunities into your mind? [Peter Schneider-Kamp] > If I get you right you intend this to mean: > > map(replace, ["abc", "cde"], ["c"]*2, ["C"]*2) > > So basically your proposal is to reuse map parameters > which are no sequences in every iteration over the > parameters who are, It's hard to tell for sure, but that was my guess too. In array languages, this kind of thing is ubiquitous and is often called "scalar broadcast" (where a scalar is any atomic value (as opposed to an array), and is "broadcast" to every position of the arrays in which it's combined via some operation). There was a long debate about this a few years ago on c.l.py, where I championed scalar broadcast in map specifically. It collapsed under its own hideous weight when-- as such things always do --that originally modest goal got hijacked by people seeking to extend the semantics to every corner of the language. That won't happen. > ... > But how would you decide if "abc" is a sequence parameter > or not? That is a problem! Kinda. Mostly people want to broadcast numbers (as in Franz's original example), and there's no problem there. A cheap workaround for sequences that are desired to be treated as scalars would have been to introduce a new builtin scalar() function, that simply hid the "sequenceness" of its argument from map. Note that the listcomps in 2.0 make scalar broadcast much easier to spell; e.g. [replace(x, "c", "C") for x in ("abc", "cde")] [x**2 + 5 for x in L] So the better solution is not to extend map, but to forget it <0.9 wink>. a-life-strategy-of-universal-applicability-ly y'rs - tim -- http://www.python.org/mailman/listinfo/python-list -----Multi-Part-Report-Level-1-1-13166-- flufl.bounce-3.0/flufl/bounce/tests/data/qmail_01.txt0000664000175000017500000000145013051676163023032 0ustar barrybarry00000000000000From VM Thu Oct 4 15:25:26 2001 X-VM-v5-Data: ([nil nil nil nil nil nil nil nil nil] [nil "" "4" "November" "1999" "21:42:45" "-0000" "MAILER-DAEMON@gate0.n-h.net" "MAILER-DAEMON@gate0.n-h.net" nil "89" "failure notice" "^From:" nil nil "11" nil nil nil nil nil] nil) Message-Id: <199911042119.QAA21584@python.org> Content-Length: 3215 MIME-Version: 1.0 From: MAILER-DAEMON@gate0.n-h.net To: psa-members-admin@python.org Subject: failure notice Date: 4 Nov 1999 21:42:45 -0000 X-Digest: Mailman bounce lack-of-detection Hi. This is the qmail-send program at gate0.n-h.net. I'm afraid I wasn't able to deliver your message to the following addresses. This is a permanent error; I've given up. Sorry it didn't work out. : --- Below this line is a copy of the message. Message removed flufl.bounce-3.0/flufl/bounce/tests/data/smtp32_04.txt0000664000175000017500000000140613051676163023063 0ustar barrybarry00000000000000Date: Tue, 24 Jan 2006 22:17:41 -0700 Message-Id: <10601242217.AA12075059@mail.example.net> Mime-Version: 1.0 Content-Type: text/plain; charset=us-ascii From: "Postmaster" Sender: To: Subject: Undeliverable Mail X-Mailer: X-RCPT-TO: Status: U X-UIDL: 430587558 Unknown user: after_another@example.net RCPT TO generated following response: 553 5.3.0 ... Addressee unknown, relay=[205.208.202.10] Unknown user: one_bad_address@example.net RCPT TO generated following response: 553 5.3.0 ... Addressee unknown, relay=[205.208.202.10] Original message follows. Message removed flufl.bounce-3.0/flufl/bounce/tests/data/dsn_06.txt0000664000175000017500000001350713051676163022526 0ustar barrybarry00000000000000From VM Mon Jul 2 04:05:06 2001 X-VM-v5-Data: ([nil nil nil nil nil nil nil nil nil] [nil "Sunday" "1" "July" "2001" "16:07:50" "+0200" "Mail Delivery Service" "mailadm@thales-is.com" nil "72" "Delivery Status Notification (Mail Delivery Delayed)" "^From:" nil nil "7" nil nil nil nil nil] nil) Return-Path: Delivered-To: usery@example.org Received: from example.com (unknown [63.100.190.15]) by mail.example.org (Postfix) with ESMTP id 1F5FED36EC for ; Sun, 1 Jul 2001 10:07:00 -0400 (EDT) Received: from by example.com (CommuniGate Pro RULES 3.4) with RULES id 2125237; Sun, 01 Jul 2001 10:08:57 -0400 Received: from ns2.example.com ([63.100.190.2] verified) by example.com (CommuniGate Pro SMTP 3.4) with ESMTP id 2125244 for usery@mail.example.com; Sun, 01 Jul 2001 10:08:57 -0400 Received: from mail.python.org (mail.python.org [63.102.49.29]) by ns2.example.com (8.9.3/8.9.3) with ESMTP id KAA26383 for ; Sun, 1 Jul 2001 10:07:00 -0400 Received: from localhost.localdomain ([127.0.0.1] helo=mail.python.org) by mail.python.org with esmtp (Exim 3.21 #1) id 15GhsL-0001Ey-00 for usery@example.com; Sun, 01 Jul 2001 10:07:01 -0400 Received: from [195.101.39.226] (helo=gwsmtp.thomson-csf.com) by mail.python.org with esmtp (Exim 3.21 #1) id 15GhrZ-0001D4-00 for python-list-admin@python.org; Sun, 01 Jul 2001 10:06:13 -0400 Received: by gwsmtp.thomson-csf.com (NPlex 5.1.053) id 3B3CE20D00005041 for python-list-admin@python.org; Sun, 1 Jul 2001 16:07:50 +0200 Message-ID: <3B3CE20D0000503F@gwsmtp.thomson-csf.com> MIME-Version: 1.0 Content-Type: Multipart/Report; report-type=delivery-status; boundary="=========3B3CE20D00004815/gwsmtp.thomson-csf.com" Precedence: bulk List-Help: List-Post: List-Subscribe: , List-Id: General discussion list for the Python programming language List-Unsubscribe: , List-Archive: From: Mail Delivery Service Sender: python-list-owner@python.org To: python-list-admin@python.org Subject: Delivery Status Notification (Mail Delivery Delayed) Date: Sun, 1 Jul 2001 16:07:50 +0200 X-Autogenerated: Mirror X-Mirrored-by: X-BeenThere: python-list@python.org X-Mailman-Version: 2.0.5 (101270) This multi-part MIME message contains a Delivery Status Notification. If you can see this text, your mail client may not be able to understand MIME formatted messages or DSNs (see RFC 2045 through 2049 for general MIME information and RFC 1891 through 1894 for DSN specific information). --=========3B3CE20D00004815/gwsmtp.thomson-csf.com Content-Type: text/plain; charset=us-ascii - This is only a notification about a delay in the delivery of your message. - There is no need to resend your message at this time. - The following recipients have not yet received your message: userx@example.com; Action: Delayed - The server will continue trying for up to 21 hours. --=========3B3CE20D00004815/gwsmtp.thomson-csf.com Content-Type: Message/Delivery-Status Reporting-MTA: dns; gwsmtp.thomson-csf.com Received-from-MTA: dns; mail.python.org (63.102.49.29) Arrival-Date: Sun, 1 Jul 2001 13:07:44 +0200 Final-Recipient: rfc822; userx@example.com Action: Delayed Status: 4.4.0 (other or undefined network or routing status) Will-Retry-Until: Mon, 2 Jul 2001 13:07:44 +0200 --=========3B3CE20D00004815/gwsmtp.thomson-csf.com Content-Type: Text/RFC822-headers Return-Path: Received: from mail.python.org (63.102.49.29) by gwsmtp.thomson-csf.com (NPlex 5.1.053) id 3B3CE20D00004815 for userx@example.com; Sun, 1 Jul 2001 13:07:44 +0200 Received: from localhost.localdomain ([127.0.0.1] helo=mail.python.org) by mail.python.org with esmtp (Exim 3.21 #1) id 15Gf3C-0005ft-00; Sun, 01 Jul 2001 07:06:02 -0400 Path: news.baymountain.net!uunet!ash.uu.net!dca.uu.net!feed2.onemain.com!feed1.onemain.com!news-spur1.maxwell.syr.edu!news.maxwell.syr.edu!newsfeed00.sul.t-online.de!newsfeed01.sul.t-online.de!t-online.de!fu-berlin.de!hahn.informatik.hu-berlin.de!not-for-mail From: Martin von Loewis Newsgroups: comp.lang.python Subject: Re: GCC 3.0, Standard ABI & C++/Python Integration Organization: Humboldt University Berlin, Department of Computer Science Lines: 8 Message-ID: References: NNTP-Posting-Host: pandora.informatik.hu-berlin.de X-Trace: hahn.informatik.hu-berlin.de 993984634 26083 141.20.23.176 (1 Jul 2001 10:50:34 GMT) X-Complaints-To: news@hahn.informatik.hu-berlin.de NNTP-Posting-Date: 1 Jul 2001 10:50:34 GMT X-Newsreader: Gnus v5.7/Emacs 20.7 Xref: news.baymountain.net comp.lang.python:110477 To: python-list@python.org Sender: python-list-admin@python.org Errors-To: python-list-admin@python.org X-BeenThere: python-list@python.org X-Mailman-Version: 2.0.5 (101270) Precedence: bulk List-Help: List-Post: List-Subscribe: , List-Id: General discussion list for the Python programming language List-Unsubscribe: , List-Archive: Date: 01 Jul 2001 12:50:34 +0200 --=========3B3CE20D00004815/gwsmtp.thomson-csf.com-- flufl.bounce-3.0/flufl/bounce/tests/data/bounce_03.txt0000664000175000017500000000714713051676163023215 0ustar barrybarry00000000000000Received: from tele-punt-22.mail.demon.net ([194.217.242.7]) by mail.python.org with esmtp (Exim 4.05) id 18GwM4-0000D4-00 for mailman-users-admin@python.org; Wed, 27 Nov 2002 02:11:28 -0500 Received: from root by tele-punt-22.mail.demon.net with local (Exim 2.12 #1) id 18GwLf-0003ka-00 for mailman-users-admin@python.org; Wed, 27 Nov 2002 07:11:03 +0000 Subject: Mail delivery failure Message-Id: From: Mail Delivery System To: mailman-users-admin@python.org Date: Wed, 27 Nov 2002 07:11:03 +0000 X-Spam-Status: No, hits=-2.5 required=5.0 tests=FROM_MAILER_DAEMON,MAILER_DAEMON,MAILTO_WITH_SUBJ,SPAM_PHRASE_03_05 X-Spam-Level: This message was created automatically by mail delivery software. A message that you sent could not be delivered to all of its recipients. The following message, addressed to 'userx@example.uk', failed because it has not been collected after 30 days Here is a copy of the first part of the message, including all headers. ---- START OF RETURNED MESSAGE ---- Received: from punt-2.mail.demon.net by mailstore for userx@example.uk id 1035738253:20:01723:229; Sun, 27 Oct 2002 17:04:13 GMT Received: from mail.python.org ([12.155.117.29]) by punt-2.mail.demon.net id aa2004462; 27 Oct 2002 17:02 GMT Received: from localhost.localdomain ([127.0.0.1] helo=mail.python.org) by mail.python.org with esmtp (Exim 4.05) id 185qn2-0007ru-00; Sun, 27 Oct 2002 12:01:28 -0500 Date: Sun, 27 Oct 2002 12:00:04 -0500 Message-ID: <20021027170004.27298.9909.Mailman@mail.python.org> From: mailman-users-request@python.org Subject: Mailman-Users digest, Vol 1 #2344 - 14 msgs Reply-to: mailman-users@python.org X-Mailer: Mailman v2.0.13 (101270) MIME-version: 1.0 Content-type: multipart/mixed; boundary=10.0.11.1.506.27298.1035738004.364.17787 To: mailman-users@python.org Sender: mailman-users-admin@python.org Errors-To: mailman-users-admin@python.org X-BeenThere: mailman-users@python.org X-Mailman-Version: 2.0.13 (101270) Precedence: bulk List-Help: List-Post: List-Subscribe: , List-Id: Mailman mailing list management users List-Unsubscribe: , List-Archive: --10.0.11.1.506.27298.1035738004.364.17787 Content-type: text/plain; charset=us-ascii Content-description: Masthead (Mailman-Users digest, Vol 1 #2344) Send Mailman-Users mailing list submissions to mailman-users@python.org To subscribe or unsubscribe via the World Wide Web, visit http://mail.python.org/mailman/listinfo/mailman-users or, via email, send a message with subject or body 'help' to mailman-users-request@python.org You can reach the person managing the list at mailman-users-admin@python.org When replying, please edit your Subject line so it is more specific than "Re: Contents of Mailman-Users digest..." --10.0.11.1.506.27298.1035738004.364.17787 Content-type: text/plain; charset=us-ascii Content-description: Today's Topics (14 msgs) Today's Topics: --10.0.11.1.506.27298.1035738004.364.17787 Content-type: multipart/digest; boundary="__--__--" --__--__-- Message: 1 MIME-Version: 1.0 Content-Type: text/plain; charset=us-ascii Content-Transfer-Encoding: 7bit Message-ID: <15802.52753.139705.927733@gargle.gargle.HOWL> ---- MESSAGE TRUNCATED ---- flufl.bounce-3.0/flufl/bounce/tests/data/simple_20.txt0000664000175000017500000000205513051676163023223 0ustar barrybarry00000000000000Return-Path: Received: from realmail20.socgen.com (realmail20.socgen.com [194.119.125.55]) by sb7.songbird.com (8.12.11.20060308/8.12.11) with ESMTP id k42GiYox017297 for ; Tue, 2 May 2006 09:44:35 -0700 Message-Id: <4u3ji0$p54bh@realmail20.socgen.com> X-IronPort-AV: i="4.05,80,1146434400"; d="scan'208"; a="26382705:sNHT28778673" From: Dsicspiibs.spi-internet@socgen.com To: gpc-talk-bounces@grizz.org Date: Tue, 2 May 2006 18:42:52 +0200 (MEST) Subject: RE: Your message to GPC-talk awaits moderator approval : non remis (delivery failed) MIME-Version: 1.0 Content-Type: text/plain; charset=US-ASCII X-SongbirdInformation: support@songbird.com for more information X-Songbird: Clean X-Songbird-From: dsicspiibs.spi-internet@socgen.com *********************************************** Votre message n'a pas pu etre delivre a userx@example.com *********************************************** Your message could not be delivered to userx@example.com *********************************************** flufl.bounce-3.0/flufl/bounce/tests/data/dsn_12.txt0000664000175000017500000000300013051676163022506 0ustar barrybarry00000000000000Return-Path: Received: from ns.jtc-con.co.jp (ns.jtc-con.co.jp [222.228.112.211]) by sb7.songbird.com (8.12.11/8.12.11) with ESMTP id k1C5m9cs015476 for ; Sat, 11 Feb 2006 21:48:10 -0800 Message-Id: <200602120548.k1C5m9cs015476@sb7.songbird.com> Received: from SV-03.jtc-con.local ([222.228.112.210]) by ns.jtc-con.co.jp (Post.Office MTA v3.8.5 release 20041112 ID# 6001-107U300L100S0V38B) with ESMTP id jp for ; Sun, 12 Feb 2006 14:47:26 +0900 Date: 12 Feb 2006 14:47:00 +0900 From: Mail Delivery Subsystem To: wed_ride-bounces@grizz.org Subject: Delivery Report References: MIME-Version: 1.0 Content-Type: multipart/report; report-type=delivery-status; boundary=12006021214472475 X-SongbirdInformation: support@songbird.com for more information X-Songbird: Found to be clean X-Songbird-From: --12006021214472475 Content-Type: text/plain; charset=us-ascii ----- The following addresses have delivery notifications ----- (failed: Bad destination mailbox address) --12006021214472475 Content-Type: message/delivery-status Reporting-MTA: SV-03.jtc-con.local (TeamWARE Connector for MIME v5.x) Original-Envelope-Id: mailman.6301.1139723231.1568.wed_ride@grizz.org Original-Recipient: rfc822;userx@example.jp Final-Recipient: rfc822;userx@example.jp Action: failed (Bad destination mailbox address) Status: 5.1.1 --12006021214472475-- flufl.bounce-3.0/flufl/bounce/tests/data/simple_06.txt0000664000175000017500000000155413051676163023232 0ustar barrybarry00000000000000Return-Path: Received: from mta107.biz.mail.re2.yahoo.com (mta107.biz.mail.re2.yahoo.com [68.142.229.208]) by sb7.songbird.com (8.12.11/8.12.11) with SMTP id k11HWQXJ004484 for ; Wed, 1 Feb 2006 09:32:26 -0800 Date: Wed, 1 Feb 2006 09:32:26 -0800 Message-Id: <200602011732.k11HWQXJ004484@sb7.songbird.com> From: MAILER-DAEMON@hamiltonpacific.com To: century-announce-bounces@grizz.org X-Loop: MAILER-DAEMON@hamiltonpacific.com Subject: Delivery failure X-SongbirdInformation: support@songbird.com for more information X-Songbird: Found to be clean X-Songbird-From: Message from hamiltonpacific.com. Unable to deliver message to the following address(es). : This user doesn't have a hamiltonpacific.com account (userx@example.com) [0] --- Original message follows. Message removed flufl.bounce-3.0/flufl/bounce/tests/data/simple_26.txt0000664000175000017500000000255113051676163023232 0ustar barrybarry00000000000000Return-Path: Received: from boeing.ieo-research.it (boeing.ieo-research.it [85.239.176.145]) by sb7.songbird.com (8.12.11.20060308/8.12.11) with ESMTP id k3MHGOfW014766 (version=TLSv1/SSLv3 cipher=DHE-RSA-AES256-SHA bits=256 verify=NO) for ; Sat, 22 Apr 2006 10:16:25 -0700 Received: (qmail 41487 invoked by uid 809); 22 Apr 2006 17:14:50 -0000 Message-ID: <20060422171450.41486.qmail@boeing.ieo-research.it> Content-Disposition: inline Content-Transfer-Encoding: binary Content-Type: text/plain MIME-Version: 1.0 X-Mailer: MIME::Lite 3.01 (F2.73; A1.66; B3.05; Q3.03) Date: Sat, 22 Apr 2006 17:14:50 UT From: IFOM-IEO Campus Mailserver To: wed_ride-owner@grizz.org Subject: Your message to userx@example.it could not be delivered. X-SongbirdInformation: support@songbird.com for more information X-Songbird: Clean X-Songbird-From: Hello, this is the email server at IFOM-IEO Campus. Your message to userx@example.it has reached our local address userx@example.it, but this email address is wrong or no longer valid. Your message has NOT been delivered. You can find all the addresses in the campus on our web site at http://www.ifom-ieo-campus.it under the "Contacts" area. Best regards. A summary of the undelivered message you sent follows: -------------- Message removed flufl.bounce-3.0/flufl/bounce/tests/data/yahoo_08.txt0000664000175000017500000000510413051676163023055 0ustar barrybarry00000000000000Return-Path: Received: from mx04.mrf.mail.rcn.net ([207.172.4.53] [207.172.4.53]) by mta05.mrf.mail.rcn.net with ESMTP id <20020403162905.FMNL19155.mta05.mrf.mail.rcn.net@mx04.mrf.mail.rcn.net>; Wed, 3 Apr 2002 11:29:05 -0500 Received: from milliways.osl.iu.edu ([129.79.245.239]) by mx04.mrf.mail.rcn.net with esmtp (Exim 3.35 #5) id 16snd9-0004Fd-00 for david.abrahams@rcn.com; Wed, 03 Apr 2002 11:29:04 -0500 Received: from milliways.osl.iu.edu (localhost [127.0.0.1]) by milliways.osl.iu.edu (8.11.6/8.11.6/IUCS_2.44) with ESMTP id g33GT1A25554; Wed, 3 Apr 2002 11:29:01 -0500 Received: from mta551.mail.yahoo.com (mta551.mail.yahoo.com [216.136.172.80]) by milliways.osl.iu.edu (8.11.6/8.11.6/IUCS_2.44) with SMTP id g33GSmA25536 for ; Wed, 3 Apr 2002 11:28:49 -0500 Date: Wed, 3 Apr 2002 11:28:49 -0500 Message-Id: <200204031628.g33GSmA25536@milliways.osl.iu.edu> From: MAILER-DAEMON@yahoo.com To: boost-admin@lists.boost.org X-Loop: MAILER-DAEMON@yahoo.com Subject: Delivery failure Sender: boost-owner@lists.boost.org Errors-To: boost-owner@lists.boost.org X-BeenThere: boost@lists.boost.org X-Mailman-Version: 2.0.8 Precedence: bulk List-Help: List-Post: List-Subscribe: , List-Id: Boost mailing list List-Unsubscribe: , List-Archive: Message from yahoo.com. Unable to deliver message to the following address(es). : Sorry your message to usera@example.com cannot be delivered. This account has been disabled or discontinued. : Sorry your message to userb@example.com cannot be delivered. This account has been disabled or discontinued. : Sorry your message to userc@example.com cannot be delivered. This account has been disabled or discontinued. : Sorry your message to userd@example.com cannot be delivered. This account has been disabled or discontinued. : Sorry your message to usere@example.com cannot be delivered. This account has been disabled or discontinued. : Sorry your message to userf@example.com cannot be delivered. This account has been disabled or discontinued. --- Original message follows. Message removed flufl.bounce-3.0/flufl/bounce/tests/data/simple_01.txt0000664000175000017500000001046313051676163023224 0ustar barrybarry00000000000000From VM Tue Feb 20 10:32:44 2001 Return-Path: Delivered-To: zzzzz@wwww.org Received: from digicool.com (host15.digitalcreations.d.subnet.rcn.com [208.59.6.15]) by mail.wwww.org (Postfix) with ESMTP id 06EA8D37AC for ; Sun, 18 Feb 2001 03:26:37 -0500 (EST) Received: from by digicool.com (CommuniGate Pro RULES 3.3.2) with RULES id 1483250; Sun, 18 Feb 2001 03:27:53 -0500 Received: from ns2.digicool.com ([216.164.72.2] verified) by digicool.com (CommuniGate Pro SMTP 3.3.2) with ESMTP id 1483249 for yyyyy@mail.digicool.com; Sun, 18 Feb 2001 03:27:53 -0500 Received: from mail.python.org (mail.python.org [63.102.49.29]) by ns2.digicool.com (8.9.3/8.9.3) with ESMTP id DAA13272 for ; Sun, 18 Feb 2001 03:25:56 -0500 Received: from localhost.localdomain ([127.0.0.1] helo=mail.python.org) by mail.python.org with esmtp (Exim 3.21 #1) id 14UPAP-0001ei-00 for yyyyy@digicool.com; Sun, 18 Feb 2001 03:26:01 -0500 Received: from [63.118.43.131] (helo=receive.example.com) by mail.python.org with esmtp (Exim 3.21 #1) id 14UP9j-0001c7-00 for jpython-interest-admin@python.org; Sun, 18 Feb 2001 03:25:19 -0500 Received: from receive.example.com [63.118.43.131] by receive.turbosport.com [63.118.43.131] with RAW (MDaemon.v3.5.2.R) for ; Sun, 18 Feb 2001 02:26:12 -0600 Message-ID: Mime-Version: 1.0 Content-Type: multipart/mixed; boundary="0218-0226-12-PART-BREAK" Precedence: bulk List-Help: List-Post: List-Subscribe: , List-Id: Python for the JavaTM Platform List-Unsubscribe: , List-Archive: From: MDaemon@receive.example.com Sender: jpython-interest-owner@python.org To: jpython-interest-admin@python.org Subject: Permanent Delivery Failure Date: Sun, 18 Feb 2001 02:26:12 -0600 X-Autogenerated: Mirror X-Mirrored-by: X-MDSend-Notifications-To: [trash] X-MDaemon-Deliver-To: jpython-interest-admin@python.org X-Actual-From: MDaemon@receive.example.com X-BeenThere: jpython-interest@python.org X-Mailman-Version: 2.0.1 (101270) Reply-To: BadMsgQ@receive.example.com The following data may contain sections which represent BASE64 encoded file attachments. These sections will be unreadable without MIME aware tools. Seek your system administrator if you need help extracting any files which may be embedded within this message. --0218-0226-12-PART-BREAK Content-Type: text/plain; charset=US-ASCII Content-Transfer-Encoding: 7bit The attached message had PERMANENT fatal delivery errors! After one or more unsuccessful delivery attempts the attached message has been removed from the mail queue on this server. The number and frequency of delivery attempts are determined by local configuration parameters. YOUR MESSAGE WAS NOT DELIVERED! The following addresses did NOT receive a copy of your message: > bbbsss@example.com --- Session Transcript --- Attempting SMTP connection to [63.118.43.130 : 25] Waiting for socket connection... Socket connection established Waiting for protocol initiation... 220 example.com ESMTP MDaemon 3.5.2 ready EHLO receive.example.com 250-example.com Hello receive.turbosport.com, ESMTP hello! 250-VRFY 250-EXPN 250-ETRN 250-AUTH LOGIN CRAM-MD5 250-8BITMIME 250 SIZE 40000000 MAIL From: SIZE=1861 250 , Sender ok RCPT To: 552 Message for would exceed mailbox quota QUIT --- End Transcript --- : Message contains [1] file attachments --0218-0226-12-PART-BREAK Content-Type: message/rfc822; charset=US-ASCII; name="md50002271709.md" Content-Transfer-Encoding: 7bit Content-ID: Content-Description: Message removed --0218-0226-12-PART-BREAK-- flufl.bounce-3.0/flufl/bounce/tests/data/dsn_16.txt0000664000175000017500000000423713051676163022527 0ustar barrybarry00000000000000Received: from localhost.localdomain (localhost.localdomain [127.0.0.1]) by strategicnetwork.org (Postfix) with ESMTP id E71AC73423D for ; Sat, 17 May 2008 11:15:50 -0600 (MDT) From: "Mail Delivery System" To: Subject: Undelivered Mail Returned to Sender Date: Sun, 18 May 2008 01:15:51 +0800 Message-ID: <20080517171551.6EBAB734E3A@strategicnetwork.org> MIME-Version: 1.0 Content-Type: multipart/mixed; boundary="----=_NextPart_000_0092_01C8B8BF.529D6450" X-Mailer: Microsoft Office Outlook 12.0 Thread-Index: Aci4Qafw1YeAmx2mRI2jVZKbY8YZ5A== This is a multipart message in MIME format. ------=_NextPart_000_0092_01C8B8BF.529D6450 Content-Type: text/plain; boundary="E71AC73423D.1211044551/strategicnetwork.org"; charset="iso-8859-1"; report-type=delivery-status Content-Transfer-Encoding: 7bit This is the Postfix program at host strategicnetwork.org. I'm sorry to have to inform you that your message could not be delivered to one or more recipients. It's attached below. For further assistance, please send mail to If you do so, please include this problem report. You can delete your own text from the attached returned message. The Postfix program : host mx.pastors.com[70.183.18.160] said: 550 unknown user (in reply to RCPT TO command) ------=_NextPart_000_0092_01C8B8BF.529D6450 Content-Type: message/delivery-status; name="details.txt" Content-Transfer-Encoding: 7bit Content-Disposition: attachment; filename="details.txt" Reporting-MTA: dns; strategicnetwork.org X-Postfix-Queue-ID: E71AC73423D X-Postfix-Sender: rfc822; mailman-bounces@strategicnetwork.org Arrival-Date: Sat, 17 May 2008 11:15:50 -0600 (MDT) Final-Recipient: rfc822; userx@example.com Action: failed Status: 5.0.0 Diagnostic-Code: X-Postfix; host mx.pastors.com[70.183.18.160] said: 550 unknown user (in reply to RCPT TO command) ------=_NextPart_000_0092_01C8B8BF.529D6450 Content-Type: message/rfc822 Content-Transfer-Encoding: 7bit Content-Disposition: attachment Message removed ------=_NextPart_000_0092_01C8B8BF.529D6450-- flufl.bounce-3.0/flufl/bounce/tests/data/bounce_01.txt0000664000175000017500000001067213051676163023210 0ustar barrybarry00000000000000From VM Wed Feb 7 14:01:33 2001 X-VM-v5-Data: ([nil nil nil nil nil nil nil nil nil] [nil "" "6" "February" "2001" "14:41:27" "GMT" "\"Jetmail System\" <>" "\"Jetmail System\" <>" nil "48" "Mail Error" "^From:" nil nil "2" nil nil nil nil nil] nil) Return-Path: Delivered-To: userw@example.org Received: from example.com (host15.digitalcreations.d.subnet.rcn.com [208.59.6.15]) by mail.example.org (Postfix) with ESMTP id 1AE74D37AC for ; Tue, 6 Feb 2001 01:41:50 -0500 (EST) Received: from by example.com (CommuniGate Pro RULES 3.3.2) with RULES id 1443386; Tue, 06 Feb 2001 01:43:53 -0500 Received: from ns2.example.com ([216.164.72.2] verified) by example.com (CommuniGate Pro SMTP 3.3.2) with ESMTP id 1443385 for usery@mail.example.com; Tue, 06 Feb 2001 01:43:53 -0500 Received: from mail.python.org (mail.python.org [63.102.49.29]) by ns2.example.com (8.9.3/8.9.3) with ESMTP id BAA24701 for ; Tue, 6 Feb 2001 01:42:30 -0500 Received: from localhost.localdomain ([127.0.0.1] helo=mail.python.org) by mail.python.org with esmtp (Exim 3.21 #1) id 14Q1pg-0006hx-00 for usery@example.com; Tue, 06 Feb 2001 01:42:32 -0500 Received: from host2.btamail.net.cn ([202.106.196.72] helo=btamail.net.cn) by mail.python.org with smtp (Exim 3.21 #1) id 14Q1oj-0006ek-00 for python-list-admin@python.org; Tue, 06 Feb 2001 01:41:33 -0500 Message-Id: Precedence: bulk List-Help: List-Post: List-Subscribe: , List-Id: General discussion list for the Python programming language List-Unsubscribe: , List-Archive: From: "Jetmail System" <> Sender: python-list-owner@python.org To: python-list-admin@python.org Subject: Mail Error Date: 06 Feb 2001 14:41:27 GMT X-Autogenerated: Mirror X-Mirrored-by: X-BeenThere: python-list@python.org X-Mailman-Version: 2.0.1 (101270) Your mail cannot be delivered to the following address(es): dylan "(0), ErrMsg=mail box space not enough, account=dylan " Please check the above address(es) and then try again. ---- Header of the source mail attached ---- Received: from bjmx2.example.net([202.108.255.253]) by btamail.net.cn(JetMail 2.5.3.0) with SMTP id jmb3a800bb6; Tue, 6 Feb 2001 06:41:26 -0000 Received: by bjmx2.example.net (Postfix) id ; Tue, 6 Feb 2001 06:31:28 +0800 (CST) Received: from mail.python.org (mail.python.org [63.102.49.29]) by bjmx2.example.net (Postfix) with ESMTP id A468F1CB4210C for ; Tue, 6 Feb 2001 06:31:27 +0800 (CST) Received: from mail.python.org (localhost.localdomain [127.0.0.1]) by mail.python.org (Postfix) with ESMTP id 1B087E827; Mon, 5 Feb 2001 17:31:27 -0500 (EST) Delivered-To: mm+python-list@python.org Received: from onca.example.net (unknown [216.218.194.20]) by mail.python.org (Postfix) with ESMTP id F004BE72E for ; Mon, 5 Feb 2001 17:30:44 -0500 (EST) Received: from localhost (chris@localhost) by onca.example.net (8.9.3/8.9.3) with ESMTP id OAA28446; Mon, 5 Feb 2001 14:23:15 -0800 From: To: Sam Wun Cc: Subject: Re: sorting on IP addresses In-Reply-To: <3A7F26CB.BE85C96F@esec.com.au> Message-ID: MIME-Version: 1.0 Content-Type: TEXT/PLAIN; charset=US-ASCII Sender: python-list-admin@python.org Errors-To: python-list-admin@python.org X-BeenThere: python-list@python.org X-Mailman-Version: 2.0.1 (101270) Precedence: bulk List-Help: List-Post: List-Subscribe: , List-Id: General discussion list for the Python programming language List-Unsubscribe: , List-Archive: Date: Mon, 5 Feb 2001 14:23:15 -0800 (PST) flufl.bounce-3.0/flufl/bounce/tests/data/dsn_15.txt0000664000175000017500000001326113051676163022523 0ustar barrybarry00000000000000Received: from cccclyvw01.ccc.coopcam.com (firewall.camerondiv.com [204.126.127.253]) by sb7.songbird.com (8.12.11.20060308/8.12.11) with ESMTP id k552hseW018615 for ; Sun, 4 Jun 2006 19:43:54 -0700 Received: from CCCCLYEX03.ccc.coopcam.com ([10.4.221.23]) by cccclyvw01.ccc.coopcam.com with InterScan Message Security Suite; Sun, 04 Jun 2006 21:43:21 -0500 Received: from cccclyna01.ccc.coopcam.com ([10.4.221.21]) by CCCCLYEX03.ccc.coopcam.com with Microsoft SMTPSVC(6.0.3790.0); Sun, 4 Jun 2006 21:43:21 -0500 From: postmaster@c-a-m.com To: gpc-talk-bounces@grizz.org Date: Sun, 4 Jun 2006 21:43:21 -0500 MIME-Version: 1.0 Content-Type: multipart/mixed; report-type=delivery-status; boundary="=_Boundary_A1qfT7eEmP9CDBHy3Spw" X-DSNContext: 335a7efd - 4523 - 00000001 - 80040546 Message-ID: <7CvPg3IK9000149b3@cccclyna01.ccc.coopcam.com> Subject: Delivery Status Notification (Failure) X-OriginalArrivalTime: 05 Jun 2006 02:43:21.0817 (UTC) FILETIME=[CF471490:01C68849] X-imss-version: 2.040 X-imss-result: Passed X-imss-approveListMatch: *@c-a-m.com X-SongbirdInformation: support@songbird.com for more information X-Songbird: Clean X-Songbird-From: This is a MIME-formatted message. Portions of this message may be unreadable without a MIME-capable mail program. --=_Boundary_A1qfT7eEmP9CDBHy3Spw Content-Type: message/rfc822 Content-Disposition: attachment; filename=originalmail.eml Received: from CCCCLYEX03.ccc.coopcam.com ([10.4.221.23]) by cccclyvw01.ccc.coopcam.com with InterScan Message Security Suite; Sun, 04 Jun 2006 21:43:21 -0500 Received: from cccclyna01.ccc.coopcam.com ([10.4.221.21]) by CCCCLYEX03.ccc.coopcam.com with Microsoft SMTPSVC(6.0.3790.0); Sun, 4 Jun 2006 21:43:21 -0500 From: postmaster@c-a-m.com To: gpc-talk-bounces@grizz.org Date: Sun, 4 Jun 2006 21:43:21 -0500 MIME-Version: 1.0 Content-Type: multipart/report; report-type=delivery-status; boundary="9B095B5ADSN=_01C651B2AA11765C0001F6A4cccclyna01.ccc.c" X-DSNContext: 335a7efd - 4523 - 00000001 - 80040546 Message-ID: <7CvPg3IK9000149b3@cccclyna01.ccc.coopcam.com> Subject: Delivery Status Notification (Failure) Return-Path: <> X-OriginalArrivalTime: 05 Jun 2006 02:43:21.0817 (UTC) FILETIME=[CF471490:01C68849] X-imss-version: 2.040 X-imss-result: Passed X-imss-approveListMatch: *@c-a-m.com This is a MIME-formatted message. Portions of this message may be unreadable without a MIME-capable mail program. --9B095B5ADSN=_01C651B2AA11765C0001F6A4cccclyna01.ccc.c Content-Type: text/plain; charset=unicode-1-1-utf-7 This is an automatically generated Delivery Status Notification. Delivery to the following recipients failed. userx@example.com --9B095B5ADSN=_01C651B2AA11765C0001F6A4cccclyna01.ccc.c Content-Type: message/delivery-status Reporting-MTA: dns;cccclyna01.ccc.coopcam.com Received-From-MTA: dns;cccclyvw01.ccc.coopcam.com Arrival-Date: Sun, 4 Jun 2006 21:43:21 -0500 Final-Recipient: rfc822;userx@example.com Action: failed Status: 5.1.1 --9B095B5ADSN=_01C651B2AA11765C0001F6A4cccclyna01.ccc.c Content-Type: message/rfc822 Received: from cccclyvw01.ccc.coopcam.com ([10.4.223.38]) by cccclyna01.ccc.coopcam.com with Microsoft SMTPSVC(6.0.3790.0); Sun, 4 Jun 2006 21:43:21 -0500 Received: from sb7.songbird.com ([208.184.79.137]) by cccclyvw01.ccc.coopcam.com with InterScan Message Security Suite; Sun, 04 Jun 2006 21:43:20 -0500 Received: from sb7.songbird.com (sb7.songbird.com [127.0.0.1])by sb7.songbird.com (8.12.11.20060308/8.12.11) with ESMTP id k552hf0f018557for ; Sun, 4 Jun 2006 19:43:41 -0700 Subject: The results of your email commands From: gpc-talk-bounces@grizz.org To: userx@example.com MIME-Version: 1.0 Content-Type: multipart/mixed; boundary="===============1628420505==" Message-ID: Date: Sun, 04 Jun 2006 19:43:39 -0700 Precedence: bulk X-BeenThere: gpc-talk@grizz.org X-Mailman-Version: 2.1.5 List-Id: Grizzly Peak Cyclists general discussion list X-List-Administrivia: yes Sender: gpc-talk-bounces@grizz.org Errors-To: gpc-talk-bounces@grizz.org X-SongbirdInformation: support@songbird.com for more information X-Songbird: Clean X-Songbird-From: gpc-talk-bounces@grizz.org X-imss-version: 2.040 X-imss-result: Passed X-imss-scanInfo: M:B L:E SM:3 X-imss-tmaseResult: TT:1 TS:0.7500 TC:03 TRN:14 TV:3.52.1006(14484.000) X-imss-scores: Clean:5.68116 C:2 M:4 S:5 R:5 X-imss-settings: Baseline:5 C:3 M:3 S:3 R:3 (1.5000 1.5000) Return-Path: gpc-talk-bounces@grizz.org X-OriginalArrivalTime: 05 Jun 2006 02:43:21.0006 (UTC) FILETIME=[CECB54E0:01C68849] --===============1628420505== Content-Type: text/plain; charset="us-ascii" MIME-Version: 1.0 Content-Transfer-Encoding: 7bit The results of your email command are provided below. Attached is your original message. - Results: Ignoring non-text/plain MIME parts userx@example.com is not a member of the GPC-talk mailing list --===============1628420505== Content-Type: message/rfc822 MIME-Version: 1.0 Message removed ------=_NextPart_000_0001_01C6880F.0B172130-- --===============1628420505==-- --9B095B5ADSN=_01C651B2AA11765C0001F6A4cccclyna01.ccc.c-- --=_Boundary_A1qfT7eEmP9CDBHy3Spw Content-Type: text/plain; charset=us-ascii Content-Transfer-Encoding: 7bit ~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~ This e-mail is confidential, may contain proprietary information of Cameron and its operating Divisions and may be confidential or privileged. This e-mail should be read, copied, disseminated and/or used only by the addressee. If you have received this message in error please delete it, together with any attachments, from your system. ~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~ --=_Boundary_A1qfT7eEmP9CDBHy3Spw-- flufl.bounce-3.0/flufl/bounce/tests/data/smtp32_05.txt0000664000175000017500000000137113051676163023065 0ustar barrybarry00000000000000Return-Path: Received: from jmrpowersports.com ([63.223.75.179]) by sb7.songbird.com (8.12.11/8.12.11) with ESMTP id k15JIAOT013762 for ; Sun, 5 Feb 2006 11:18:10 -0800 Date: Sun, 5 Feb 2006 11:49:29 -0800 Message-Id: <10602051149.AA116930381@jmrpowersports.com> Mime-Version: 1.0 Content-Type: text/plain; charset=us-ascii From: "Postmaster" Sender: To: Subject: Undeliverable Mail X-Mailer: X-SongbirdInformation: support@songbird.com for more information X-Songbird: Found to be clean X-Songbird-From: undeliverable to userx@example.com Original message follows. Message removed flufl.bounce-3.0/flufl/bounce/tests/data/hotpop_01.txt0000664000175000017500000000613313051676163023243 0ustar barrybarry00000000000000Return-Path: Received: from westmail2.West.Sun.COM (westmail2.West.Sun.COM [129.153.100.30]) by angus.west.sun.com (8.11.4+Sun/8.11.4) with ESMTP id fADLhna07541 for ; Tue, 13 Nov 2001 13:43:49 -0800 (PST) Received: from pheriche.sun.com (pheriche.Central.Sun.COM [129.147.5.34]) by westmail2.West.Sun.COM (8.9.3+Sun/8.9.3/ENSMAIL,v2.1p1) with ESMTP id NAA21411 for ; Tue, 13 Nov 2001 13:43:49 -0800 (PST) Received: from babylon.socal-raves.org (ip-209-85-222-117.dreamhost.com [209.85.222.117]) by pheriche.sun.com (8.9.3+Sun/8.9.3) with ESMTP id OAA24699 for ; Tue, 13 Nov 2001 14:43:44 -0700 (MST) Received: by babylon.socal-raves.org (Postfix) id 7153B51D5B; Tue, 13 Nov 2001 13:42:35 -0800 (PST) Delivered-To: dmick-lm@babylon.socal-raves.org Received: from babylon.socal-raves.org (localhost [127.0.0.1]) by babylon.socal-raves.org (Postfix) with ESMTP id 5E63D51B8A for ; Tue, 13 Nov 2001 13:42:35 -0800 (PST) Delivered-To: scr-admin@socal-raves.org Received: from kitkat.hotpop.com (kitkat.hotpop.com [204.57.55.30]) by babylon.socal-raves.org (Postfix) with ESMTP id DEC4D51B8A for ; Tue, 13 Nov 2001 13:42:32 -0800 (PST) Received: from hotpop.com (unknown [204.57.55.31]) by kitkat.hotpop.com (Postfix) with SMTP id 53D27324D3 for ; Tue, 13 Nov 2001 21:43:27 +0000 (UTC) From: MAILER-DAEMON@HotPOP.com (Mail Delivery System) Subject: Undelivered Mail Returned to Sender MIME-Version: 1.0 Content-Type: multipart/mixed; boundary="------------1903.1005687801/HotPOP.com" Message-Id: <20011113214327.53D27324D3@kitkat.hotpop.com> Date: Tue, 13 Nov 2001 21:43:27 +0000 (UTC) To: undisclosed-recipients: ; Sender: scr-owner@socal-raves.org Errors-To: scr-owner@socal-raves.org X-BeenThere: scr@socal-raves.org X-Mailman-Version: 2.1a3+ Precedence: bulk List-Help: List-Post: List-Subscribe: , List-Id: SoCal-Raves List-Unsubscribe: , List-Archive: Content-Length: 5470 Status: O X-Status: $$$$ X-UID: 0000014497 This is a MIME-encapsulated message. --------------1903.1005687801/HotPOP.com Content-Description: Notification Content-Type: text/plain Undeliverable Address: userx@example.com Reason: The email you sent to the address specified above has been returned because the recipient is over disk quota. This account will not be able to receive any email until the account owner removes some email from the server. System Contact: postmaster@HotPOP.com Original message attached (Max 5k) --------------1903.1005687801/HotPOP.com Content-Description: Undelivered Message Content-Type: message/rfc822 Message removed --------------1903.1005687801/HotPOP.com-- flufl.bounce-3.0/flufl/bounce/tests/data/dsn_04.txt0000664000175000017500000001530513051676163022522 0ustar barrybarry00000000000000From VM Sat Jun 30 11:29:01 2001 X-VM-v5-Data: ([nil nil nil nil nil nil nil nil nil] [nil "Saturday" "30" "June" "2001" "00:21:42" "+0200" "PMDF e-Mail Interconnect" "postmaster@yogi.urz.example.ch" nil "147" "Delivery Notification: Delivery has failed" "^From:" nil nil "6" nil nil nil nil nil] nil) Return-Path: Delivered-To: usery@example.org Received: from example.com (unknown [63.100.190.15]) by mail.example.org (Postfix) with ESMTP id 2852FD36EC for ; Fri, 29 Jun 2001 18:21:58 -0400 (EDT) Received: from by example.com (CommuniGate Pro RULES 3.4) with RULES id 2122693; Fri, 29 Jun 2001 18:23:52 -0400 Received: from ns2.example.com ([63.100.190.2] verified) by example.com (CommuniGate Pro SMTP 3.4) with ESMTP id 2122692 for usery@mail.example.com; Fri, 29 Jun 2001 18:23:52 -0400 Received: from mail.python.org (mail.python.org [63.102.49.29]) by ns2.example.com (8.9.3/8.9.3) with ESMTP id SAA15102 for ; Fri, 29 Jun 2001 18:22:00 -0400 Received: from localhost.localdomain ([127.0.0.1] helo=mail.python.org) by mail.python.org with esmtp (Exim 3.21 #1) id 15G6eH-0006NJ-00 for usery@example.com; Fri, 29 Jun 2001 18:22:01 -0400 Received: from [131.152.1.4] (helo=yogi.urz.example.ch) by mail.python.org with esmtp (Exim 3.21 #1) id 15G6d4-0006Lg-00 for python-list-admin@python.org; Fri, 29 Jun 2001 18:20:46 -0400 Received: from PROCESS-DAEMON by yogi.urz.example.ch (PMDF V5.2-29 #33343) id <01K5CWRKUM2O8X1X1D@yogi.urz.example.ch> for python-list-admin@python.org; Sat, 30 Jun 2001 00:21:44 +0200 Received: from yogi.urz.example.ch (PMDF V5.2-29 #33343) id <01K5CWRINUF48X46F4@yogi.urz.example.ch>; Sat, 30 Jun 2001 00:21:42 +0200 Message-id: <01K5CWRJIDYU8X46F4@yogi.urz.example.ch> MIME-version: 1.0 Content-type: MULTIPART/REPORT; BOUNDARY="Boundary_(ID_MUSA353qRe9PeqtdeP14tg)"; REPORT-TYPE=DELIVERY-STATUS Precedence: bulk List-Help: List-Post: List-Subscribe: , List-Id: General discussion list for the Python programming language List-Unsubscribe: , List-Archive: From: PMDF e-Mail Interconnect Sender: python-list-owner@python.org To: python-list-admin@python.org Subject: Delivery Notification: Delivery has failed Date: Sat, 30 Jun 2001 00:21:42 +0200 X-Autogenerated: Mirror X-Mirrored-by: X-BeenThere: python-list@python.org X-Mailman-Version: 2.0.5 (101270) --Boundary_(ID_MUSA353qRe9PeqtdeP14tg) Content-type: text/plain; charset=us-ascii Content-language: EN-US This report relates to a message you sent with the following header fields: Message-id: Date: Sat, 30 Jun 2001 00:18:49 +0200 (CEST) From: Carsten Geckeler To: Python Subject: Re: Augmented Assignement (was: Re: PEP scepticism) Your message cannot be delivered to the following recipients: Recipient address: HAASM@yogi.urz.example.ch Original address: userx@example.ch %MAIL-E-OPENOUT, error opening !AS as output -RMS-E-CRE, ACP file create failed -SYSTEM-F-EXDISKQUOTA, disk quota exceeded --Boundary_(ID_MUSA353qRe9PeqtdeP14tg) Content-type: message/DELIVERY-STATUS Original-envelope-id: 0GFP00202Q2DR3@mailhub.unibas.ch Reporting-MTA: dns;yogi.urz.example.ch Action: failed Status: 5.0.0 Original-recipient: rfc822;userx@example.ch Final-recipient: rfc822;HAASM@yogi.urz.example.ch --Boundary_(ID_MUSA353qRe9PeqtdeP14tg) Content-type: MESSAGE/RFC822 Return-path: python-list-admin@python.org Received: from yogi.urz.example.ch by yogi.urz.unibas.ch (PMDF V5.2-29 #33343) id <01K5CWRINUF48X46F4@yogi.urz.example.ch> (original mail from python-list-admin@python.org); Sat, 30 Jun 2001 00:21:42 +0200 Received: from maser.urz.example.ch ([131.152.1.5]) by yogi.urz.example.ch (PMDF V5.2-29 #33343) with ESMTP id <01K5CWRGK0V68X4CRC@yogi.urz.example.ch> for HAASM@yogi.urz.example.ch (ORCPT rfc822;userx@example.ch); Sat, 30 Jun 2001 00:21:38 +0200 Received: from DIRECTORY-DAEMON.mailhub.unibas.ch by mailhub.unibas.ch (PMDF V6.0-24 #41480) id <0GFP00201Q2DR3@mailhub.unibas.ch> for HAASM@yogi.urz.example.ch (ORCPT userx@example.ch); Sat, 30 Jun 2001 00:20:37 +0200 (MET DST) Received: from mail.python.org (mail.python.org [63.102.49.29]) by mailhub.unibas.ch (PMDF V6.0-24 #41480) with ESMTP id <0GFP00BEAQ2C5Y@mailhub.unibas.ch> for userx@example.ch; Sat, 30 Jun 2001 00:20:37 +0200 (MET DST) Received: from localhost.localdomain ([127.0.0.1] helo=mail.python.org) by mail.python.org with esmtp (Exim 3.21 #1) id 15G6bK-0006HW-00; Fri, 29 Jun 2001 18:18:58 -0400 Received: from [134.2.34.92] (helo=nemesis.jura.uni-tuebingen.de ident=qmailr) by mail.python.org with smtp (Exim 3.21 #1) id 15G6Zp-0006Ee-00 for python-list@python.org; Fri, 29 Jun 2001 18:17:25 -0400 Received: (qmail 31643 invoked from network); Fri, 29 Jun 2001 22:17:24 +0000 Received: from justitia.jura.uni-tuebingen.de (mail@134.2.34.12) by nemesis.jura.uni-tuebingen.de with SMTP; Fri, 29 Jun 2001 22:17:24 +0000 Received: from s-gec3 by justitia.jura.uni-tuebingen.de with local (Exim 3.12 #1 (Debian)) id 15G6Zo-0002Zx-00 for ; Sat, 30 Jun 2001 00:17:24 +0200 Date: Sat, 30 Jun 2001 00:18:49 +0200 (CEST) From: Carsten Geckeler Subject: Re: Augmented Assignement (was: Re: PEP scepticism) In-reply-to: Sender: python-list-admin@python.org To: Python Errors-to: python-list-admin@python.org Message-id: MIME-version: 1.0 Content-type: TEXT/PLAIN; charset=US-ASCII Precedence: bulk X-BeenThere: python-list@python.org X-Mailman-Version: 2.0.5 (101270) List-Post: List-Subscribe: , List-Unsubscribe: , List-Archive: List-Help: List-Id: General discussion list for the Python programming language On 29 Jun 2001, David Bolen wrote: > Carsten Geckeler writes: --Boundary_(ID_MUSA353qRe9PeqtdeP14tg)-- flufl.bounce-3.0/flufl/bounce/tests/data/dsn_07.txt0000664000175000017500000001243313051676163022524 0ustar barrybarry00000000000000From VM Wed Aug 1 17:56:11 2001 X-VM-v5-Data: ([nil nil nil nil nil nil nil nil nil] [nil "Thursday" "2" "August" "2001" "08:02:07" "+1200" "postmaster@Parliament.govt.nz" "postmaster@Parliament.govt.nz" nil "73" "Message delayed (userx@example.nz)" "^From:" "mailman-users-admin@python.org" "mailman-users-admin@python.org" "8" nil nil nil nil nil] nil) Return-Path: Delivered-To: usery@example.org Received: from digicool.com (unknown [63.100.190.15]) by mail.example.org (Postfix) with ESMTP id D431ED35F0 for ; Wed, 1 Aug 2001 16:26:59 -0400 (EDT) Received: from by digicool.com (CommuniGate Pro RULES 3.4) with RULES id 2462291; Wed, 01 Aug 2001 16:27:02 -0400 Received: from smtp.example.com ([63.100.190.10] verified) by digicool.com (CommuniGate Pro SMTP 3.4) with ESMTP id 2462289 for usery@mail.example.com; Wed, 01 Aug 2001 16:27:02 -0400 Received: from mail.python.org (mail.python.org [63.102.49.29]) by smtp.example.com (8.11.2/8.11.2) with ESMTP id f71KR2X19854 for ; Wed, 1 Aug 2001 16:27:02 -0400 Received: from localhost.localdomain ([127.0.0.1] helo=mail.python.org) by mail.python.org with esmtp (Exim 3.21 #1) id 15S2a4-0003D5-00; Wed, 01 Aug 2001 16:27:00 -0400 Received: from [203.97.232.93] (helo=ns1.parliament.govt.nz) by mail.python.org with esmtp (Exim 3.21 #1) id 15S2Z4-0003Bh-00 for mailman-users-admin@python.org; Wed, 01 Aug 2001 16:25:59 -0400 Message-Id: MIME-Version: 1.0 Content-Type: multipart/report; report-type=delivery-status; boundary="23/89/996696127/MAILsweeper/ns1.parliament.govt.nz" Precedence: bulk List-Help: List-Post: List-Subscribe: , List-Id: Mailman mailing list management users List-Unsubscribe: , List-Archive: From: postmaster@Parliament.govt.nz Sender: mailman-users-owner@python.org To: mailman-users-admin@python.org Subject: Message delayed (userx@example.nz) Date: Thu, 2 Aug 2001 08:02:07 +1200 X-Autogenerated: Mirror X-Mirrored-by: X-BeenThere: mailman-users@python.org X-Mailman-Version: 2.0.6 (101270) --23/89/996696127/MAILsweeper/ns1.parliament.govt.nz Content-Type: text/plain Your message has been delayed and is still awaiting delivery to the following recipient(s): userx@example.nz (Was addressed to userx@example.nz) Message delayed Your message is delayed Message for domain parliament.govt.nz delayed at Parliament.govt.nz. Unable to deliver to domain for 6 hours. Will continue trying for 66 hours. No action is required on your part. Last attempt failed because: Can't connect to host --23/89/996696127/MAILsweeper/ns1.parliament.govt.nz Content-Type: message/delivery-status Reporting-MTA: dns; ns1.parliament.govt.nz Received-From-MTA: dns; mail.python.org (unverified [63.102.49.29]) Arrival-Date: Thu, 2 Aug 2001 02:00:22 +1200 Final-Recipient: rfc822; userx@example.nz Action: delayed Status: 4.4.1 (Persistent transient failure - routing/network: no answer from host) Will-Retry-Until: Sun, 5 Aug 2001 02:02:05 +1200 --23/89/996696127/MAILsweeper/ns1.parliament.govt.nz Content-Type: message/rfc822-headers Received: from mail.python.org (unverified) by ns1.parliament.govt.nz (Content Technologies SMTPRS 4.1.5) with ESMTP id for ; Thu, 2 Aug 2001 02:00:22 +1200 Received: from localhost.localdomain ([127.0.0.1] helo=mail.python.org) by mail.python.org with esmtp (Exim 3.21 #1) id 15RvjO-00089v-00; Wed, 01 Aug 2001 09:08:10 -0400 Received: from [144.122.169.16] (helo=robot.metu.edu.tr) by mail.python.org with esmtp (Exim 3.21 #1) id 15Rvie-00086Z-00 for mailman-users@python.org; Wed, 01 Aug 2001 09:07:26 -0400 Received: from localhost (ceyhun@localhost) by robot.metu.edu.tr (8.11.2/8.11.2) with ESMTP id f71DBH312336 for ; Wed, 1 Aug 2001 16:11:18 +0300 From: To: Message-ID: MIME-Version: 1.0 Content-Type: TEXT/PLAIN; charset=US-ASCII Subject: [Mailman-Users] Hi there, Sender: mailman-users-admin@python.org Errors-To: mailman-users-admin@python.org X-BeenThere: mailman-users@python.org X-Mailman-Version: 2.0.6 (101270) Precedence: bulk List-Help: List-Post: List-Subscribe: , List-Id: Mailman mailing list management users List-Unsubscribe: , List-Archive: Date: Wed, 1 Aug 2001 16:11:17 +0300 (EEST) X-Mime-Type: Plain --23/89/996696127/MAILsweeper/ns1.parliament.govt.nz-- flufl.bounce-3.0/flufl/bounce/tests/data/dsn_10.txt0000664000175000017500000000435413051154320022503 0ustar barrybarry00000000000000Return-Path: <> From: MAILER-DAEMON@example.com (Mail Delivery System) Message-ID: <20021021152058.7A58560E24@brainy.example.com> MIME-Version: 1.0 Content-Type: multipart/report; report-type=delivery-status; boundary="AA0C160E1D.1035213658/brainy.example.com" Content-Transfer-Encoding: 8bit Subject: Undelivered Mail Returned to Sender Date: 21 Oct 2002 15:20:58 GMT To: somelist-bounces@listi.example.com This is a MIME-encapsulated message. --AA0C160E1D.1035213658/brainy.example.com Content-Description: Notification Content-Type: text/plain This is the Postfix program at host brainy.example.com. I'm sorry to have to inform you that the message returned below could not be delivered to one or more destinations. For further assistance, please send mail to If you do so, please include this problem report. You can delete your own text from the message returned below. The Postfix program : host mx.dom.ain[192.168.1.100] said: 550 {mx001-rz3} ... User unknown or not available - Empfaenger unbekannt oder nicht erreichbar (in reply to RCPT TO command) --AA0C160E1D.1035213658/brainy.example.com Content-Description: Delivery error report Content-Type: message/delivery-status Reporting-MTA: dns; brainy.example.com Arrival-Date: Mon, 21 Oct 2002 17:20:56 +0200 (CEST) Final-Recipient: rfc822; anne.person@dom.ain Action: failed Status: 5.0.0 Diagnostic-Code: X-Postfix; host mx.dom.ain[192.168.1.100] said: 550 {mx001-rz3} ... User unknown or not available - Empfaenger unbekannt oder nicht erreichbar (in reply to RCPT TO command) --AA0C160E1D.1035213658/brainy.example.com Content-Description: Undelivered Message Content-Type: message/rfc822 Content-Transfer-Encoding: 8bit From: b.a.dude@example.com (Peer Heinlein) Message-ID: <200210211625.12753.b.a.dude@example.com> X-Gateway: ZCONNECT UU example.com [DUUCP vom 25.09.2000], RFC1036/822 UU example.com [DUUCP vom 25.09.2000] MIME-Version: 1.0 Content-Type: text/plain; charset=iso-8859-1 Content-Transfer-Encoding: 8bit Subject: [lb] Probleme =?iso-8859-15?q?gel=F6st?=, Bugs gefunden Date: 21 Oct 2002 14:25:12 GMT To: people@example.com A message about stuff. --AA0C160E1D.1035213658/brainy.example.com-- flufl.bounce-3.0/flufl/bounce/tests/data/dumbass_01.txt0000664000175000017500000001211713051676163023367 0ustar barrybarry00000000000000From VM Tue Dec 26 22:41:02 2000 Return-Path: Received: from ns2.example.com ([216.164.72.2] verified) by example.com (CommuniGate Pro SMTP 3.3.1) with ESMTP id 400019 for xxxxx@mail.example.com; Tue, 26 Dec 2000 18:02:35 -0500 Received: from mail.python.org (starship.python.net [63.102.49.30]) by ns2.example.com (8.9.3/8.9.3) with ESMTP id SAA02602 for ; Tue, 26 Dec 2000 18:02:28 -0500 Received: from ns1.zope.org (localhost.localdomain [127.0.0.1]) by mail.python.org (Postfix) with ESMTP id 9D20DE71C for ; Tue, 26 Dec 2000 12:47:01 -0500 (EST) Delivered-To: mm+python-list-admin@python.org Received: from mail1.microsoft.com (mail1.microsoft.com [131.107.3.125]) by mail.python.org (Postfix) with SMTP id 23085E950 for ; Tue, 26 Dec 2000 12:46:03 -0500 (EST) Received: from 157.54.9.101 by mail1.microsoft.com (InterScan E-Mail VirusWall NT); Tue, 26 Dec 2000 09:43:37 -0800 (Pacific Standard Time) Received: from inet-imc-01.redmond.corp.microsoft.com ([157.54.9.101]) by inet-imc-01.redmond.corp.microsoft.com with Microsoft SMTPSVC(5.0.2195.1600); Tue, 26 Dec 2000 09:44:45 -0800 Received: from mail1.microsoft.com ([157.54.7.20]) by inet-imc-01.redmond.corp.microsoft.com with Microsoft SMTPSVC(5.0.2195.1600); Tue, 26 Dec 2000 09:44:44 -0800 MIME-Version: 1.0 Content-Type: multipart/mixed; boundary="------------InterScan_NT_MIME_Boundary" Message-ID: Errors-To: python-list-owner@python.org Precedence: bulk List-Help: List-Post: List-Subscribe: , List-Id: General discussion list for the Python programming language List-Unsubscribe: , List-Archive: From: inetgw1@microsoft.com Sender: python-list-owner@python.org To: Subject: Mail could not be delivered Date: 26 Dec 2000 09:44:44 -0800 X-OriginalArrivalTime: 26 Dec 2000 17:44:44.0596 (UTC) FILETIME=[8852FF40:01C06F63] X-BeenThere: python-list@python.org X-Mailman-Version: 2.0 --------------InterScan_NT_MIME_Boundary Content-type: text/plain ****** Message from InterScan E-Mail VirusWall NT ****** The following mail could not be delivered. Reason: Exceeded Maximum Delivery Attempts. Verify that the recipient address is correct. ***************** End of message *************** --------------InterScan_NT_MIME_Boundary Content-type: message/rfc822 Received: from 63.102.49.30 by mail1.microsoft.com (InterScan E-Mail VirusWall NT); Mon, 25 Dec 2000 08:40:09 -0800 (Pacific Standard Time) Received: from ns1.zope.org (localhost.localdomain [127.0.0.1]) by mail.python.org (Postfix) with ESMTP id 80C4BE86C; Mon, 25 Dec 2000 11:41:09 -0500 (EST) Path: news.baymountain.net!uunet!ash.uu.net!news.netins.net!news-spur1.maxwell.syr.edu!news.maxwell.syr.edu!howland.erols.net!panix!news.panix.com!panix2.panix.com!not-for-mail From: userx@example.com (Aahz Maruch) Newsgroups: comp.lang.python Subject: Season's greetings (was Re: Some Python 2.1 ideas) Organization: The Cat & Dragon Lines: 13 Message-ID: <927suu$r5l$1@panix2.panix.com> References: <925tl301ub0@news1.newsguy.com> <20001225150250.6FA06A84F@darjeeling.zadka.site.co.il> NNTP-Posting-Host: panix2.panix.com X-Trace: news.panix.com 977762079 17648 166.84.0.227 (25 Dec 2000 16:34:39 GMT) X-Complaints-To: abuse@panix.com NNTP-Posting-Date: 25 Dec 2000 16:34:39 GMT Xref: news.baymountain.net comp.lang.python:81985 To: python-list@python.org Sender: python-list-admin@python.org Errors-To: python-list-admin@python.org X-BeenThere: python-list@python.org X-Mailman-Version: 2.0 Precedence: bulk List-Help: List-Post: List-Subscribe: , List-Id: General discussion list for the Python programming language List-Unsubscribe: , List-Archive: Date: 25 Dec 2000 08:34:38 -0800 In article , Bob Alexander wrote: > >P.S. Merry Christmas! Bah, humbug. -- --- Aahz (Copyright 2000 by aahz@pobox.com) Androgynous poly kinky vanilla queer het <*> http://www.rahul.net/aahz/ Hugs and backrubs -- I break Rule 6 '"Crisp" is a good quality for crackers; less so for pot roast.' --pnh -- http://www.python.org/mailman/listinfo/python-list --------------InterScan_NT_MIME_Boundary-- flufl.bounce-3.0/flufl/bounce/tests/data/simple_32.txt0000664000175000017500000000350313051676163023225 0ustar barrybarry00000000000000Return-Path: Received: from rs-so-b2.amenworld.com (rs-so-b2.amenworld.com [62.193.206.27]) by sb7.songbird.com (8.12.11.20060308/8.12.11) with ESMTP id k9JJA48E031825 for ; Thu, 19 Oct 2006 12:10:04 -0700 Received: from av2.amenworld.com (av2.amenworld.com [62.193.206.45]) by rs-so-b2.amenworld.com (Postfix) with ESMTP id A928C65499F for ; Thu, 19 Oct 2006 21:15:48 +0200 (CEST) Date: Thu, 19 Oct 2006 21:09:45 +0200 From: Mail Delivery System To: gpc-talk-bounces@grizz.org Subject: Delivery status notification MIME-Version: 1.0 Content-Type: multipart/report; boundary="------------I305M09060309060P_160911612849850" Message-Id: <20061019191548.A928C65499F@rs-so-b2.amenworld.com> X-SongbirdInformation: support@songbird.com for more information X-Songbird: Clean X-Songbird-From: This is a multi-part message in MIME format. --------------I305M09060309060P_160911612849850 Content-Type: text/plain; charset=UTF-8; Content-Transfer-Encoding: 8bit ============================================================================ This is an automatically generated Delivery Status Notification. Delevery to the following recipients was aborted after 5.0 hour(s): * userx@example.com ============================================================================ Technical details: Routing: Could not find a gateway for userx@example.com ============================================================================ --------------I305M09060309060P_160911612849850 Content-Type: message/rfc822; charset=UFT-8; Content-Transfer-Encoding: 8bit Content-Disposition: attachment Message removed --------------I305M09060309060P_160911612849850-- flufl.bounce-3.0/flufl/bounce/tests/data/dsn_13.txt0000664000175000017500000001035713051676163022524 0ustar barrybarry00000000000000Return-Path: Received: from smtp.cardhealth.com (smtp.cardhealth.com [12.20.127.122]) by sb7.songbird.com (8.12.11/8.12.11) with ESMTP id k2MKk3oC010630 (version=TLSv1/SSLv3 cipher=RC4-SHA bits=128 verify=FAIL) for ; Wed, 22 Mar 2006 12:46:04 -0800 Received: from dubconn01.cahapps.net ([143.98.158.201]) by smtp.cardhealth.com with ESMTP; 22 Mar 2006 15:45:25 -0500 X-IronPort-AV: i="4.03,119,1141621200"; d="scan'208,217"; a="85182036:sNHT4636551304" Content-Type: multipart/mixed; boundary="54yQd.43vjuhqdb.1v2/Po.1DfUMdh" thread-index: AcZN8UUquG7RRuNcRMi8iWyyngQ2bQ== Importance: normal Priority: normal X-MimeOLE: Produced By Microsoft MimeOLE V6.00.2800.1506 From: To: Date: Wed, 22 Mar 2006 15:43:26 -0500 MIME-Version: 1.0 X-DSNContext: 335a7efd - 4460 - 00000001 - 80040546 Message-ID: Subject: Delivery Status Notification (Failure) X-SongbirdInformation: support@songbird.com for more information X-Songbird: Clean X-Songbird-From: --54yQd.43vjuhqdb.1v2/Po.1DfUMdh MIME-Version: 1.0 Content-Transfer-Encoding: 7bit Content-Class: urn:content-classes:message Content-Type: multipart/report; boundary="9B095B5ADSN=_01C62FAF9E9AB60F0001694BDUBCONN01.cahapp"; report-type=delivery-status --9B095B5ADSN=_01C62FAF9E9AB60F0001694BDUBCONN01.cahapp Content-Transfer-Encoding: 7bit Content-Type: text/plain; charset="unicode-1-1-utf-7" This is an automatically generated Delivery Status Notification. Delivery to the following recipients failed. userx@example.com --9B095B5ADSN=_01C62FAF9E9AB60F0001694BDUBCONN01.cahapp Content-Transfer-Encoding: 7bit Content-Type: message/delivery-status Reporting-MTA: dns;DUBCONN01.cahapps.net Received-From-MTA: dns;smtp.cardhealth.com Arrival-Date: Wed, 22 Mar 2006 15:43:26 -0500 Final-Recipient: rfc822;userx@example.com Action: failed Status: 5.1.1 --9B095B5ADSN=_01C62FAF9E9AB60F0001694BDUBCONN01.cahapp Content-Transfer-Encoding: 7bit Content-Type: message/rfc822 thread-index: AcZN8UUmtkmHCxAbRoiJEsv5oNLqjQ== Content-Transfer-Encoding: 7bit Content-Class: urn:content-classes:message Importance: normal Priority: normal X-MimeOLE: Produced By Microsoft MimeOLE V6.00.2800.1506 Received: from smtp.cardhealth.com ([143.98.167.31]) by DUBCONN01.cahapps.net with Microsoft SMTPSVC(5.0.2195.6713); Wed, 22 Mar 2006 15:43:26 -0500 Received: from sb7.songbird.com ([208.184.79.137]) by smtp.cardhealth.com with ESMTP/TLS/AES256-SHA; 22 Mar 2006 15:43:09 -0500 X-BrightmailFiltered: true X-Brightmail-Tracker: AAAAAQAAA+k= X-IronPort-AV: i="4.03,119,1141621200"; d="scan'208,217"; a="85180828:sNHT33494874" Received: from sb7.songbird.com (sb7.songbird.com [127.0.0.1]) by sb7.songbird.com (8.12.11/8.12.11) with ESMTP id k2MKhO3d010225 for ; Wed, 22 Mar 2006 12:43:24 -0800 Subject: Re: Duhod86 news From: To: MIME-Version: 1.0 Content-Type: multipart/mixed; boundary="===============0094818700==" Message-ID: Date: Wed, 22 Mar 2006 12:43:23 -0800 Precedence: bulk X-BeenThere: wed_ride@grizz.org X-Mailman-Version: 2.1.5 List-Id: GPC Wednesday Ride List X-List-Administrivia: yes Sender: Errors-To: wed_ride-bounces@grizz.org X-SongbirdInformation: support@songbird.com for more information X-Songbird: Clean X-Songbird-From: wed_ride-bounces@grizz.org Return-Path: X-OriginalArrivalTime: 22 Mar 2006 20:43:26.0876 (UTC) FILETIME=[451F15C0:01C64DF1] This is a multi-part message in MIME format. --===============0094818700== Content-Type: text/plain; charset="us-ascii" MIME-Version: 1.0 Content-Transfer-Encoding: 7bit You are not allowed to post to this mailing list, and your message has been automatically rejected. If you think that your messages are being rejected in error, contact the mailing list owner at wed_ride-owner@grizz.org. --===============0094818700== Content-Transfer-Encoding: 7bit Content-Type: message/rfc822 MIME-Version: 1.0 Message Removed --===============0094818700==-- --9B095B5ADSN=_01C62FAF9E9AB60F0001694BDUBCONN01.cahapp-- --54yQd.43vjuhqdb.1v2/Po.1DfUMdh-- flufl.bounce-3.0/flufl/bounce/tests/data/simple_27.txt0000664000175000017500000000346613051676163023241 0ustar barrybarry00000000000000Return-Path: Received: from webmail.pla.net.py (ms4-jupiter.pla.net.py [201.217.19.3]) by sb7.songbird.com (8.12.11.20060308/8.12.11) with ESMTP id k3BAZX1M004077 for ; Tue, 11 Apr 2006 03:35:35 -0700 Received: from webmail.pla.net.py [201.217.19.3] by webmail.pla.net.py [201.217.19.3] with RAW (MDaemon.PRO.v5.0.4.R) for ; Tue, 11 Apr 2006 06:30:59 -0300 Date: Tue, 11 Apr 2006 06:30:59 -0300 From: MDaemon@webmail.pla.net.py Reply-To: MDaemon@webmail.pla.net.py Precedence: bulk X-MDSend-Notifications-To: [trash] Subject: Warning: userx@example.net.py - User unknown! To: gpc-talk-bounces@grizz.org X-MDaemon-Deliver-To: gpc-talk-bounces@grizz.org Message-ID: Mime-Version: 1.0 X-Actual-From: MDaemon@webmail.pla.net.py Content-Type: multipart/mixed; boundary="0411-0630-59-PART-BREAK" X-SongbirdInformation: support@songbird.com for more information X-Songbird: Clean X-Songbird-From: mdaemon@webmail.pla.net.py The following data may contain sections which represent BASE64 encoded file attachments. These sections will be unreadable without MIME aware tools. Seek your system administrator if you need help extracting any files which may be embedded within this message. --0411-0630-59-PART-BREAK Content-Type: text/plain; charset=US-ASCII Content-Transfer-Encoding: 7bit userx@example.net.py - no such user here. There is no user by that name at this server. : Message contains [1] file attachments --0411-0630-59-PART-BREAK Content-Type: message/rfc822; charset=US-ASCII; name="pd75019146383.md" Content-Transfer-Encoding: 7bit Content-ID: Content-Description: Message removed --0411-0630-59-PART-BREAK-- flufl.bounce-3.0/flufl/bounce/tests/data/simple_15.txt0000664000175000017500000000246013051676163023227 0ustar barrybarry00000000000000Return-Path: Received: from mailserver.kviv.be (cust210-66.dsl.versadsl.be [62.166.210.66]) by sb7.songbird.com (8.12.11/8.12.11) with ESMTP id k2C4XpUM021161 for ; Sat, 11 Mar 2006 20:33:52 -0800 Received: from [192.9.1.53] by mailserver.kviv.be (NTMail 5.05.0002/CE0026.01.9294fe1f) with ESMTP id kvqkfaaa for gpc-talk-bounces@grizz.org; Sun, 12 Mar 2006 05:36:18 +0000 Date: Sun, 12 Mar 2006 05:36:18 +0100 From: imss@kviv.be To: MIME-Version: 1.0 Content-Type: multipart/mixed; boundary="------------InterScan_NT_MIME_Boundary" Subject: Mail could not be delivered Message-Id: <04361859181401@mailserver.kviv.be> X-SongbirdInformation: support@songbird.com for more information X-Songbird: Found to be clean X-Songbird-From: --------------InterScan_NT_MIME_Boundary Content-type: text/plain ****** Message from InterScan Messaging Security Suite ****** Sent <<< RCPT TO: Received >>> 550 5.1.1 unknown user. Unable to deliver message to (and other recipients in the same domain). ************************ End of message ********************** --------------InterScan_NT_MIME_Boundary Content-type: message/rfc822 Message removed --------------InterScan_NT_MIME_Boundary-- flufl.bounce-3.0/flufl/bounce/tests/data/simple_11.txt0000664000175000017500000000544513051676163023231 0ustar barrybarry00000000000000Return-Path: Received: from netmail04.thehartford.com (simmailgate.thehartford.com [162.136.191.90]) by sb7.songbird.com (8.12.11/8.12.11) with ESMTP id k24NGAof004309 (version=TLSv1/SSLv3 cipher=EDH-RSA-DES-CBC3-SHA bits=168 verify=NO) for ; Sat, 4 Mar 2006 15:16:11 -0800 Received: from hfdzixvpm004.thehartford.com (hfdzixvpm004.thehartford.com [10.129.67.20]) by netmail04.thehartford.com (Switch-3.1.7/Switch-3.1.7) with ESMTP id k24NFWrH006004 for ; Sat, 4 Mar 2006 18:15:33 -0500 (EST) Received: from hfdzixvpm004.thehartford.com (ZixVPM [127.0.0.1]) by Outbound.thehartford.com (Proprietary) with ESMTP id CE83927002F for ; Sat, 4 Mar 2006 18:15:32 -0500 (EST) Received: from ad2simmsw006.ad2.prod (ad2simmsw006.ad2.prod [172.30.84.91]) by hfdzixvpm004.thehartford.com (Proprietary) with ESMTP id B6E5F28408E for ; Sat, 4 Mar 2006 18:15:32 -0500 (EST) Received: from lifesmtp2.hartfordlife.com (AD2HFDLGT002) by ad2simmsw006.ad2.prod (Content Technologies SMTPRS 4.3.17) with ESMTP id for ; Sat, 4 Mar 2006 18:15:32 -0500 MIME-Version: 1.0 Subject: DELIVERY FAILURE: User carlosr73 (userx@example.com) not listed in Domino Directory To: gpc-talk-bounces@grizz.org Date: Sat, 04 Mar 2006 15:15:47 -0800 Precedence: bulk X-BeenThere: gpc-talk@grizz.org X-Mailman-Version: 2.1.5 List-Id: Grizzly Peak Cyclists general discussion list X-List-Administrivia: yes From: Postmaster@hartfordlife.com Errors-To: gpc-talk-bounces@grizz.org X-Songbird: Found to be clean, Found to be clean X-PMX-Version: 4.7.1.128075, Antispam-Engine: 2.2.0.0, Antispam-Data: 2006.03.04.144604 X-PerlMx-Spam: Gauge=XXIIIIII, Probability=26%, Report='OBFU_CLASS_FINANCIAL_LOW 3, NO_REAL_NAME 0, __CT 0, __CTE 0, __CTYPE_CHARSET_QUOTED 0, __CT_TEXT_PLAIN 0, __HAS_MSGID 0, __MIME_TEXT_ONLY 0, __MIME_VERSION 0, __SANE_MSGID 0' X-MIMETrack: Itemize by SMTP Server on LIFESMTP2/HLIFE(Release 6.5.4FP2|September 12, 2005) at 03/04/2006 06:15:32 PM, Serialize by Router on LIFESMTP2/HLIFE(Release 6.5.4FP2|September 12, 2005) at 03/04/2006 06:15:32 PM, Serialize complete at 03/04/2006 06:15:32 PM Message-ID: Content-Type: Text/Plain X-SongbirdInformation: support@songbird.com for more information X-Songbird-From: Content-Transfer-Encoding: 8bit X-MIME-Autoconverted: from base64 to 8bit by sb7.songbird.com id k24NGAof004309 Your message Subject: Your message to GPC-talk awaits moderator approval was not delivered to: userx@example.com because: User carlosr73 (userx@example.com) not listed in Domino Directory flufl.bounce-3.0/flufl/bounce/tests/data/qmail_08.txt0000664000175000017500000000212512663223271023035 0ustar barrybarry00000000000000From contact@example.com Mon Mar 18 11:39:41 2013 Return-Path: X-Original-To: noreply@example.org Delivered-To: noreply@example.org Received: from example.com (example.com [1.2.3.4]) by worker1.example.org (Postfix) with ESMTP id 58C7E14C1208 for ; Mon, 18 Mar 2013 11:39:40 +0000 (GMT) Received: from contact by example.com with local (Exim 4.80) (envelope-from ) id 1UHYPj-0001DB-Ij for noreply@example.org; Mon, 18 Mar 2013 06:39:39 -0500 To: "Example Sender" MIME-Version: 1.0 Precedence: auto_reply X-Precedence: auto_reply From: "Example user" Content-type: text/plain; charset=ansi_x3.110-1983 Subject: Auto reply Message-Id: Date: Mon, 18 Mar 2013 06:39:39 -0500 X-Comment: qmail detector would throw UnicodeDecodeError on this message X-Comment: when running under Python 2.x. Bug LP: 1074592. Gracias por contactar con nosotros!! en este instante estamos procesando la respuesta a tu consulta, a la mayor brevedad posible tendrás noticias nuestras... flufl.bounce-3.0/flufl/bounce/tests/data/simple_22.txt0000664000175000017500000000164213051676163023226 0ustar barrybarry00000000000000Return-Path: Received: from mailscan.csri.org ([66.208.49.51]) by sb7.songbird.com (8.12.11/8.12.11) with SMTP id k2KIvJEj025085 for ; Mon, 20 Mar 2006 10:57:19 -0800 Message-Id: <200603201857.k2KIvJEj025085@sb7.songbird.com> From: Symantec_AntiVirus_for_SMTP_Gateways@csri.org To: gpc-talk-bounces@grizz.org Date: Mon, 20 Mar 2006 13:56:41 -0500 Subject: =?utf-8?B?RGVsaXZlcnkgZmFpbHVyZSBub3RpZmljYXRpb25=?= MIME-Version: 1.0 Content-Type: text/plain; charset=utf-8 X-SongbirdInformation: support@songbird.com for more information X-Songbird: Clean X-Songbird-From: symantec_antivirus_for_smtp_gateways@csri.org Your message with Subject: Re: [GPC] Bike lost and found.... could not be delivered to the following recipients: User@example.org Please do not resend your original message. Delivery attempts will continue to be made for 5 day(s). flufl.bounce-3.0/flufl/bounce/tests/data/netscape_01.txt0000664000175000017500000000516613051676163023541 0ustar barrybarry00000000000000Received: by master.kde.org id ; Fri, 26 May 2000 23:16:18 +0200 Received: from nmail.corel.com ([209.167.40.11]:48557 "EHLO nsmail.corel.com") by master.kde.org with ESMTP id ; Fri, 26 May 2000 23:15:58 +0200 To: kde-core-devel-admin@master.kde.org From: Mail Administrator Reply-To: Mail Administrator Subject: Mail System Error - Returned Mail Date: Fri, 26 May 2000 17:14:07 -0400 Message-ID: <20000526211407.AAB24445@nsmail.corel.com> MIME-Version: 1.0 Content-Type: multipart/report; report-type=delivery-status; Boundary="===========================_ _= 461730(24445)" Sender: kde-core-devel-admin@master.kde.org Resent-Sender: kde-core-devel-admin@master.kde.org Resent-From: kde-core-devel@master.kde.org X-Mailing-List: Errors-To: kde-core-devel-admin@master.kde.org X-BeenThere: kde-core-devel@master.kde.org X-Mailman-Version: 2.0beta2 Precedence: bulk List-Id: KDE's core development crew Resent-Date: Fri, 26 May 2000 23:16:18 +0200 Return-Path: X-Orcpt: rfc822;coolo@kde.org X-Mozilla-Status: 8001 X-Mozilla-Status2: 00000000 --===========================_ _= 461730(24445) Content-Type: text/plain; charset=us-ascii Content-Transfer-Encoding: 7bit This Message was undeliverable due to the following reason: Your message was not delivered because the destination computer was not reachable within the allowed queue period. The amount of time a message is queued before it is returned depends on local configura- tion parameters. Most likely there is a network problem that prevented delivery, but it is also possible that the computer is turned off, or does not have a mail system running right now. Your message was not delivered within 2 days. Host corel.com is not responding. The following recipients did not receive your message: The following recipients did not receive your message: Please reply to Postmaster@nsmail.corel.com if you feel this message to be in error. --===========================_ _= 461730(24445) Content-Type: message/delivery-status Content-Disposition: inline Content-Transfer-Encoding: 7bit Reporting-MTA: dns; nsmail.corel.com Received-From-MTA: dns; [120.2.1.9] [120.2.1.9] Arrival-Date: Wed, 24 May 2000 16:50:34 -0400 --===========================_ _= 461730(24445) Content-Type: message/rfc822 Content-Disposition: inline Content-Transfer-Encoding: 7bit Message removed --===========================_ _= 461730(24445)-- flufl.bounce-3.0/flufl/bounce/tests/data/simple_07.txt0000664000175000017500000000155013051676163023227 0ustar barrybarry00000000000000Return-Path: Received: from vml-ext.prodigy.net (vml-ext.prodigy.net [207.115.63.49]) by sb7.songbird.com (8.12.11/8.12.11) with ESMTP id k0P4Wndn007908 for ; Tue, 24 Jan 2006 20:32:49 -0800 Received: (from root@localhost) by vml-ext.prodigy.net (8.12.10 083104/8.12.10) id k0P4W6lc144726 for gpc-talk-bounces@grizz.org; Tue, 24 Jan 2006 23:32:06 -0500 From: MAILER-DAEMON@prodigy.net Message-Id: <200601250432.k0P4W6lc144726@vml-ext.prodigy.net> Date: Tue, 24 Jan 2006 23:32:03 -0500 Subject: Returned mail: RE: [GPC] pre-brevet jitters: Sam Brown or reflective sash? To: X-SongbirdInformation: support@songbird.com for more information X-Songbird: Found to be clean X-Songbird-From: mailer-daemon@prodigy.net User's mailbox is full: Unable to deliver mail. flufl.bounce-3.0/flufl/bounce/tests/data/sina_01.txt0000664000175000017500000000461113051676163022663 0ustar barrybarry00000000000000Return-Path: Received: from mx04.mrf.mail.rcn.net ([207.172.4.53] [207.172.4.53]) by mta05.mrf.mail.rcn.net with ESMTP id <20020403160608.EQZZ19155.mta05.mrf.mail.rcn.net@mx04.mrf.mail.rcn.net>; Wed, 3 Apr 2002 11:06:08 -0500 Received: from milliways.osl.iu.edu ([129.79.245.239]) by mx04.mrf.mail.rcn.net with esmtp (Exim 3.35 #5) id 16snGx-0005F0-00 for user@example.com; Wed, 03 Apr 2002 11:06:07 -0500 Received: from milliways.osl.iu.edu (localhost [127.0.0.1]) by milliways.osl.iu.edu (8.11.6/8.11.6/IUCS_2.44) with ESMTP id g33G61A24861; Wed, 3 Apr 2002 11:06:01 -0500 Received: from sina.com ([202.106.187.178]) by milliways.osl.iu.edu (8.11.6/8.11.6/IUCS_2.44) with SMTP id g33G5CA24792 for ; Wed, 3 Apr 2002 11:05:13 -0500 Message-Id: <200204031605.g33G5CA24792@milliways.osl.iu.edu> Received: (qmail 53818 invoked for bounce); 3 Apr 2002 15:55:44 -0000 Date: 3 Apr 2002 15:55:44 -0000 From: MAILER-DAEMON@sina.com To: boost-admin@lists.boost.org Subject: Óʼþ´«Êäʧ°Ü£¡ MIME-Version: 1.0 X-Priority: 3 X-Mailer: SinaMail 3.0 Content-Type: multipart/mixed; boundary="----------101784934443375SINAEMAIL---" Sender: boost-owner@lists.boost.org Errors-To: boost-owner@lists.boost.org X-BeenThere: boost@lists.boost.org X-Mailman-Version: 2.0.8 Precedence: bulk List-Help: List-Post: List-Subscribe: , List-Id: Boost mailing list List-Unsubscribe: , List-Archive: This is a multi-part message in MIME format. ------------101784934443375SINAEMAIL--- Content-Type: text/plain; charset="gb2312" Content-Transfer-Encoding: binary sina.com. ÓʼþÎÞ·¨·¢Ë͵½ÄúÖ¸¶¨µÄµØÖ·ÖС£ ÔÚÓʼþ´«Êä¹ý³ÌÖÐÓÉÓÚÍⲿµÄÎÞ·¨±ÜÃâµÄ´íÎóµ¼ÖÂÓʼþÎÞ·¨ËÍ´ï¡£ : : --- ¸½¼þÖеÄÄÚÈÝÊÇÔ­ÐżþµÄÒ»·Ý¿½±´ ------------101784934443375SINAEMAIL--- Content-Type: message/rfc822; name="original message.eml" Content-Transfer-Encoding: binary Content-Disposition: attachment; filename="original message.eml" Message removed ------------101784934443375SINAEMAIL----- flufl.bounce-3.0/flufl/bounce/tests/data/yale_01.txt0000664000175000017500000000554713051676163022674 0ustar barrybarry00000000000000From VM Tue Dec 26 22:41:08 2000 Return-Path: Received: from ns2.digicool.com ([216.164.72.2] verified) by digicool.com (CommuniGate Pro SMTP 3.3.1) with ESMTP id 400038 for xxxxx@mail.digicool.com; Tue, 26 Dec 2000 18:41:55 -0500 Received: from mail.python.org (starship.python.net [63.102.49.30]) by ns2.digicool.com (8.9.3/8.9.3) with ESMTP id SAA03359 for ; Tue, 26 Dec 2000 18:41:47 -0500 Received: from ns1.zope.org (localhost.localdomain [127.0.0.1]) by mail.python.org (Postfix) with ESMTP id DC80BE904 for ; Tue, 26 Dec 2000 13:27:01 -0500 (EST) Delivered-To: mm+mailman-users-admin@python.org Received: from mr2.its.yale.edu (mr2.its.yale.edu [130.132.21.43]) by mail.python.org (Postfix) with ESMTP id E27E8E904 for ; Tue, 26 Dec 2000 13:26:19 -0500 (EST) Received: (from mailnull@localhost) by mr2.its.yale.edu (8.8.8/8.8.8) id NAA14658; Tue, 26 Dec 2000 13:26:18 -0500 (EST) Message-Id: <200012261826.NAA14658@mr2.its.yale.edu> Errors-To: mailman-users-owner@python.org Precedence: bulk List-Help: List-Post: List-Subscribe: , List-Id: Mailman mailing list management users List-Unsubscribe: , List-Archive: From: MAILER-DAEMON@mr2.its.yale.edu Sender: mailman-users-owner@python.org To: mailman-users-admin@python.org Subject: Returned mail - nameserver error report Date: Tue, 26 Dec 2000 13:26:18 -0500 (EST) X-BeenThere: mailman-users@python.org X-Mailman-Version: 2.0 --------Message not delivered to the following: userx No matches to nameserver query --------Error Detail (phquery V4.1): The message, "No matches to nameserver query," is generated whenever Yale's on-line directory fails to locate either a ph alias, name or nickname field that matches the supplied name. The usual causes are typographical errors. Recommended action is to query the Yale on-line directory prior to mailing using the ``ph -s directory.yale.edu NAME'', ``finger NAME@directory.yale.edu'', or equivalent commands, or by querying the Yale Directory within YaleInfo, where NAME is your party's name, email alias, or nickname. If no lookup tools are available to you, try sending to the most explicit form of the name, e.g., if mike.fox@yale.edu fails, try michael.j.fox@yale.edu. To reach a party that was formerly reachable by emailing NAME@yale.edu, try emailing to NAME@cs.yale.edu instead. --------Unsent Message below: Message removed --------End of Unsent Message flufl.bounce-3.0/flufl/bounce/tests/data/dsn_03.txt0000664000175000017500000001302313051676163022514 0ustar barrybarry00000000000000From VM Fri Feb 9 13:30:37 2001 Return-Path: Delivered-To: zzzzz@wwwww.org Received: from digicool.com (host15.digitalcreations.d.subnet.rcn.com [208.59.6.15]) by mail.wwwww.org (Postfix) with ESMTP id 1E50CD37AC for ; Thu, 8 Feb 2001 07:31:12 -0500 (EST) Received: from by digicool.com (CommuniGate Pro RULES 3.3.2) with RULES id 1450363; Thu, 08 Feb 2001 07:33:30 -0500 Received: from ns2.digicool.com ([216.164.72.2] verified) by digicool.com (CommuniGate Pro SMTP 3.3.2) with ESMTP id 1450362 for yyyyy@mail.digicool.com; Thu, 08 Feb 2001 07:33:30 -0500 Received: from mail.python.org (mail.python.org [63.102.49.29]) by ns2.digicool.com (8.9.3/8.9.3) with ESMTP id HAA17520 for ; Thu, 8 Feb 2001 07:32:00 -0500 Received: from localhost.localdomain ([127.0.0.1] helo=mail.python.org) by mail.python.org with esmtp (Exim 3.21 #1) id 14QqF1-0002hJ-00 for yyyyy@digicool.com; Thu, 08 Feb 2001 07:32:03 -0500 Received: from [194.78.23.194] (helo=pigeon.example.be) by mail.python.org with esmtp (Exim 3.21 #1) id 14QqCJ-0002UN-00 for python-list-admin@python.org; Thu, 08 Feb 2001 07:29:15 -0500 Message-Id: <12334670553230@pigeon.example.be> Mime-Version: 1.0 Content-Type: multipart/report; report-type=delivery-status; boundary="==_12334670553231@pigeon.example.be==_" Precedence: bulk List-Help: List-Post: List-Subscribe: , List-Id: General discussion list for the Python programming language List-Unsubscribe: , List-Archive: From: "postmaster@example.be" Sender: python-list-owner@python.org To: "python-list-admin@python.org" Subject: Failed mail: exceeded maximum incoming message size Date: Thu, 8 Feb 2001 13:33:46 +0100 X-Autogenerated: Mirror X-Mirrored-by: X-Mailer: NTMail v5.06.0014 X-BeenThere: python-list@python.org X-Mailman-Version: 2.0.1 (101270) This is a MIME-encapsulated message --==_12334670553231@pigeon.example.be==_ Content-Type: text/plain; charset="us-ascii" Content-Transfer-Encoding: 7bit Content-Disposition: inline Your message was not delivered to userx@example.be This mail message has exceeded the maximum incoming message size. --==_12334670553231@pigeon.example.be==_ Content-Type: message/delivery-status Content-Transfer-Encoding: 7bit Content-Disposition: inline Reporting-MTA: dns;pigeon.net7.be Final-Recipient: rfc822;userx@example.be Action: failure Status: 553 Exceeded maximum inbound message size --==_12334670553231@pigeon.example.be==_ Content-Type: message/rfc822 Content-Transfer-Encoding: 7bit Content-Disposition: inline Received: from localhost.localdomain ([127.0.0.1] helo=mail.python.org) by mail.python.org with esmtp (Exim 3.21 #1) id 14Qq5S-0001zk-00; Thu, 08 Feb 2001 07:22:10 -0500 Received: from [193.123.0.194] (helo=intrepid.trisystems.co.uk) by mail.python.org with esmtp (Exim 3.21 #1) id 14Qq2n-0001kA-00 for python-list@python.org; Thu, 08 Feb 2001 07:19:25 -0500 Received: by intrepid with Internet Mail Service (5.5.2650.21) id <11PN1RRB>; Thu, 8 Feb 2001 12:21:16 -0000 Message-ID: <31575A892FF6D1118F5800600846864D5B17D1@intrepid> From: Simon Brunning To: 'Ggggg Wwwww' , Python Mailling list Subject: RE: None assigment MIME-Version: 1.0 X-Mailer: Internet Mail Service (5.5.2650.21) Content-Type: text/plain Sender: python-list-admin@python.org Errors-To: python-list-admin@python.org X-BeenThere: python-list@python.org X-Mailman-Version: 2.0.1 (101270) Precedence: bulk List-Help: List-Post: List-Subscribe: , List-Id: General discussion list for the Python programming language List-Unsubscribe: , List-Archive: Date: Thu, 8 Feb 2001 12:20:27 -0000 > From: Ggggg Wwwww [SMTP:ggg@pppeval.be] > While playing a bit with python 2.0, I found that I can assign some value > to None (snip) > If it is a feature (I suppose it is not a bug :), what is the interest of > this ? Feature. 'None' is just a label, and just like any other label, you can always assign to it. I'm not aware of any way of preventing a label from being assigned to. Doesn't make it a good idea, though... Cheers, TriSystems Ltd. sssss@trisystems.co.uk ----------------------------------------------------------------------- The information in this email is confidential and may be legally privileged. It is intended solely for the addressee. Access to this email by anyone else is unauthorised. If you are not the intended recipient, any disclosure, copying, distribution, or any action taken or omitted to be taken in reliance on it, is prohibited and may be unlawful. TriSystems Ltd. cannot accept liability for statements made which are clearly the senders own. -- http://mail.python.org/mailman/listinfo/python-list flufl.bounce-3.0/flufl/bounce/tests/data/yahoo_07.txt0000664000175000017500000000447713051676163023070 0ustar barrybarry00000000000000Return-Path: Received: from mx04.mrf.mail.rcn.net ([207.172.4.53] [207.172.4.53]) by mta05.mrf.mail.rcn.net with ESMTP id <20020403160902.ETVB19155.mta05.mrf.mail.rcn.net@mx04.mrf.mail.rcn.net>; Wed, 3 Apr 2002 11:09:02 -0500 Received: from milliways.osl.iu.edu ([129.79.245.239]) by mx04.mrf.mail.rcn.net with esmtp (Exim 3.35 #5) id 16snJm-00067W-00 for david.abrahams@rcn.com; Wed, 03 Apr 2002 11:09:02 -0500 Received: from milliways.osl.iu.edu (localhost [127.0.0.1]) by milliways.osl.iu.edu (8.11.6/8.11.6/IUCS_2.44) with ESMTP id g33G90A24959; Wed, 3 Apr 2002 11:09:00 -0500 Received: from mta532.mail.yahoo.com (mta532.mail.yahoo.com [216.136.129.204]) by milliways.osl.iu.edu (8.11.6/8.11.6/IUCS_2.44) with SMTP id g33G84A24927 for ; Wed, 3 Apr 2002 11:08:05 -0500 Date: Wed, 3 Apr 2002 11:08:05 -0500 Message-Id: <200204031608.g33G84A24927@milliways.osl.iu.edu> From: MAILER-DAEMON@yahoo.com To: boost-admin@lists.boost.org X-Loop: MAILER-DAEMON@yahoo.com Subject: Delivery failure Sender: boost-owner@lists.boost.org Errors-To: boost-owner@lists.boost.org X-BeenThere: boost@lists.boost.org X-Mailman-Version: 2.0.8 Precedence: bulk List-Help: List-Post: List-Subscribe: , List-Id: Boost mailing list List-Unsubscribe: , List-Archive: Message from yahoo.com. Unable to deliver message to the following address(es). : Sorry your message to userw@example.com cannot be delivered. This account has been disabled or discontinued. : Sorry your message to userx@example.com cannot be delivered. This account has been disabled or discontinued. : Sorry your message to usery@example.com cannot be delivered. This account has been disabled or discontinued. : Sorry your message to userz@example.com cannot be delivered. This account has been disabled or discontinued. --- Original message follows. Message removed flufl.bounce-3.0/flufl/bounce/tests/data/postfix_02.txt0000664000175000017500000000350713051154320023413 0ustar barrybarry00000000000000From VM Wed Dec 27 22:11:47 2000 Return-Path: <> Delivered-To: xxxxx@mail.wooz.org Received: by mail.wooz.org (Postfix) via BOUNCE id 68CBFD37E7; Wed, 27 Dec 2000 20:42:55 -0500 (EST) MIME-Version: 1.0 Content-Type: multipart/mixed; boundary="17E1DD37E0.977967775/mail.wooz.org" Message-Id: <20001228014255.68CBFD37E7@mail.wooz.org> From: MAILER-DAEMON@mail.wooz.org (Mail Delivery System) To: xxxxx@mail.wooz.org Subject: Undelivered Mail Returned to Sender Date: Wed, 27 Dec 2000 20:42:55 -0500 (EST) This is a MIME-encapsulated message. --17E1DD37E0.977967775/mail.wooz.org Content-Description: Notification Content-Type: text/plain This is the Postfix program at host mail.wooz.org. I'm sorry to have to inform you that the message returned below could not be delivered to one or more destinations. For further assistance, please contact If you do so, please include this problem report. You can delete your own text from the message returned below. The Postfix program : Name service error for domain digicool.com: Host not found, try again --17E1DD37E0.977967775/mail.wooz.org Content-Description: Undelivered Message Content-Type: message/rfc822 Received: by mail.wooz.org (Postfix, from userid 889) id 17E1DD37E0; Fri, 22 Dec 2000 20:06:42 -0500 (EST) MIME-Version: 1.0 Content-Type: text/plain; charset=us-ascii Content-Transfer-Encoding: 7bit Message-ID: <14915.64162.965657.699956@anthem.concentric.net> Date: Fri, 22 Dec 2000 20:06:42 -0500 To: yyyyy@digicool.com Subject: testing to yyyyy X-Mailer: VM 6.84 under 21.1 (patch 12) "Channel Islands" XEmacs Lucid X-Attribution: BAW X-Oblique-Strategy: You don't have to be ashamed of using your own ideas X-Url: http://www.wooz.org/yyyyy From: yyyyy@digicool.com (Yyyyy A. Zzzzz) hello yyyyy --17E1DD37E0.977967775/mail.wooz.org-- flufl.bounce-3.0/flufl/bounce/tests/data/aol_01.txt0000664000175000017500000000112613051154320022464 0ustar barrybarry00000000000000X-MimeOLE: Produced By Microsoft Exchange V6.5 Content-class: urn:content-classes:message MIME-Version: 1.0 Content-Type: text/plain; charset="iso-8859-1" Content-Transfer-Encoding: quoted-printable Subject: Mail Delivery Problem Date: Fri, 17 Jul 2009 16:05:21 -0700 Message-ID: <200907171908.7d834a6104831b4@omr-d25.mx.aol.com> X-MS-Has-Attach: X-MS-TNEF-Correlator: From: "Mail Delivery Subsystem" To: Your mail to the following recipients could not be delivered because = they are not accepting mail from xxx@lists.xxx.com: screenname flufl.bounce-3.0/flufl/bounce/tests/data/yahoo_01.txt0000664000175000017500000000216413051676163023051 0ustar barrybarry00000000000000Return-path: Received: from mta540.mail.yahoo.com [216.136.131.22] by receive.turbosport.com [63.118.43.131] with SMTP (MDaemon.v3.5.2.R) for ; Sun, 18 Feb 2001 02:25:20 -0600 Message-ID: <20010218082300.42071.qmail@mta540.mail.yahoo.com> Received: from mta540.mail.yahoo.com for bbbsss@turbosport.com; Feb 18 00:23:00 2001 -0800 Received: from smtp015.mail.yahoo.com (216.136.173.59) X-Yahoo-Forwarded: from aaaaa_20@yahoo.com to bbbsss@turbosport.com by mta540.mail.yahoo.com with SMTP; 18 Feb 2001 00:23:00 -0800 (PST) Date: 18 Feb 2001 08:22:57 -0000 From: MAILER-DAEMON@yahoo.com To: aaaaa@yahoo.com Subject: failure delivery X-MDRcpt-To: bbbsss@turbosport.com X-MDRemoteIP: 216.136.131.22 X-Return-Path: jpython-interest-admin@python.org X-MDaemon-Deliver-To: bbbsss@turbosport.com Message from yahoo.com. Unable to deliver message to the following address(es). : Sorry, I wasn't able to establish an SMTP connection. (#4.4.1) I'm not going to try again; this message has been in the queue too long. --- Original message follows. Message removed flufl.bounce-3.0/flufl/bounce/tests/data/exim_01.txt0000664000175000017500000000422113051676163022670 0ustar barrybarry00000000000000Received: from localhost (k298r.balpol.example.nl) [127.0.0.1] by stereo.rotzorg.org with esmtp (Exim 2.05 #1 (Debian)) id 11SrFm-000595-00; Mon, 20 Sep 1999 02:24:22 +0200 Received: from mail by stereo.rotzorg.org with local (Exim 2.05 #1 (Debian)) id 11SrFM-00058o-00; Mon, 20 Sep 1999 02:23:56 +0200 X-Failed-Recipients: userx@its.example.nl From: Mail Delivery System To: user@rotzorg.org Subject: Mail delivery failed: returning message to sender Message-Id: Date: Mon, 20 Sep 1999 02:23:56 +0200 Status: RO Content-Length: 1544 Lines: 42 This message was created automatically by mail delivery software. A message that you sent could not be delivered to all of its recipients. The following address(es) failed: userx@its.example.nl: SMTP error from remote mailer after RCPT TO: : host mailhost1.et.example.nl [130.161.33.163]: 553 5.1.1 unknown or illegal user: userx@its.example.nl ----- This is a copy of the message, including all the headers. ------ Return-path: Received: from localhost (k298r.balpol.example.nl) [127.0.0.1] by stereo.rotzorg.org with esmtp (Exim 2.05 #1 (Debian)) id 11SrFJ-00058j-00; Mon, 20 Sep 1999 02:23:53 +0200 Received: from sgr by stereo.rotzorg.org with local (Exim 2.05 #1 (Debian)) id 11SrEp-00058U-00; Mon, 20 Sep 1999 02:23:23 +0200 Date: Mon, 20 Sep 1999 02:23:22 +0200 From: Sendy To: lanparty-helden@rotzorg.org Message-ID: <19990920022322.A19735@stereo.rotzorg.org> Reply-To: sendy@dds.nl Mime-Version: 1.0 Content-Type: text/plain; charset=us-ascii X-Mailer: Mutt 0.95.3i Subject: [Lanparty-helden] test Sender: lanparty-helden-admin@rotzorg.org Errors-To: lanparty-helden-admin@rotzorg.org X-Mailman-Version: 1.0rc2 Precedence: bulk List-Id: Mailinglist voor de KB Lanparty organisatoren X-BeenThere: lanparty-helden@rotzorg.org _______________________________________________ Lanparty-helden mailing list - Lanparty-helden@rotzorg.org http://rotzorg.org/mailman/listinfo/lanparty-helden flufl.bounce-3.0/flufl/bounce/tests/data/simple_34.txt0000664000175000017500000000167713051676163023241 0ustar barrybarry00000000000000X-MimeOLE: Produced By Microsoft Exchange V6.5 Content-class: urn:content-classes:message MIME-Version: 1.0 Content-Type: text/plain; charset="iso-8859-1" Content-Transfer-Encoding: quoted-printable Subject: Undeliverable: [News] Possible State-Wide Lead Ammo Ban Date: Fri, 13 Feb 2009 17:07:17 -0800 Message-ID: X-MS-Has-Attach: X-MS-TNEF-Correlator: From: To: Your message did not reach some or all of the intended recipients. Sent: Fri, 13 Feb 2009 16:57:55 -0800 Subject: [News] Possible State-Wide Lead Ammo Ban The following recipient(s) could not be reached: roland@example.com Error Type: SMTP Remote server (216.122.20.147) issued an error. hMailServer sent: RCPT TO: Remote server replied: 550 5.1.1 ... User unknown hMailServer flufl.bounce-3.0/flufl/bounce/tests/data/dsn_05.txt0000664000175000017500000001244513051676163022525 0ustar barrybarry00000000000000From VM Wed Mar 21 22:20:23 2001 X-VM-v5-Data: ([nil nil nil nil nil nil nil nil nil] [nil "Thursday" "22" "March" "2001" "02:52:34" "+0100" "postmaster@relay.atlas.cz" "postmaster@relay.atlas.cz" nil "76" "Message delayed (userx@example.cz)" "^From:" nil nil "3" nil nil nil nil nil] nil) Return-Path: Delivered-To: userw@example.org Received: from example.com (host15.digitalcreations.d.subnet.rcn.com [208.59.6.15]) by mail.example.org (Postfix) with ESMTP id 97D9ED37AC for ; Wed, 21 Mar 2001 21:34:33 -0500 (EST) Received: from by example.com (CommuniGate Pro RULES 3.4) with RULES id 1706776; Wed, 21 Mar 2001 21:39:26 -0500 Received: from ns2.example.com ([216.164.72.2] verified) by example.com (CommuniGate Pro SMTP 3.4) with ESMTP id 1706775 for usery@mail.example.com; Wed, 21 Mar 2001 21:39:26 -0500 Received: from mail.python.org (mail.python.org [63.102.49.29]) by ns2.example.com (8.9.3/8.9.3) with ESMTP id VAA12152 for ; Wed, 21 Mar 2001 21:36:03 -0500 Received: from localhost.localdomain ([127.0.0.1] helo=mail.python.org) by mail.python.org with esmtp (Exim 3.21 #1) id 14fuxH-0002AK-00 for usery@example.com; Wed, 21 Mar 2001 21:36:03 -0500 Received: from [195.119.187.242] (helo=cuk.atlas.cz) by mail.python.org with esmtp (Exim 3.21 #1) id 14fuwk-00028x-00 for python-list-admin@python.org; Wed, 21 Mar 2001 21:35:31 -0500 Message-Id: MIME-Version: 1.0 Content-Type: multipart/report; report-type=delivery-status; boundary="45817/808/985225954/VOPmail/cuk.atlas.cz" Precedence: bulk List-Help: List-Post: List-Subscribe: , List-Id: General discussion list for the Python programming language List-Unsubscribe: , List-Archive: From: postmaster@relay.atlas.cz Sender: python-list-owner@python.org To: python-list-admin@python.org Subject: Message delayed (userx@example.cz) Date: Thu, 22 Mar 2001 02:52:34 +0100 X-Autogenerated: Mirror X-Mirrored-by: X-BeenThere: python-list@python.org X-Mailman-Version: 2.0.3 (101270) --45817/808/985225954/VOPmail/cuk.atlas.cz Content-Type: text/plain Your message has been delayed and is still awaiting delivery to the following recipient(s): userx@example.cz Message delayed Your message is delayed Message for domain atlas.cz delayed at relay.atlas.cz. Unable to deliver to domain for 12 hours. Will continue trying for 96 hours. No action is required on your part. Last attempt failed because: Can't connect to host --45817/808/985225954/VOPmail/cuk.atlas.cz Content-Type: message/delivery-status Reporting-MTA: dns; cuk.atlas.cz Received-From-MTA: dns; mail.python.org (unverified [63.102.49.29]) Arrival-Date: Wed, 21 Mar 2001 15:08:54 +0100 Final-Recipient: rfc822; userx@example.cz Action: delayed Status: 4.4.1 (Persistent transient failure - routing/network: no answer from host) Will-Retry-Until: Mon, 26 Mar 2001 03:42:45 +0100 --45817/808/985225954/VOPmail/cuk.atlas.cz Content-Type: message/rfc822-headers Received: from mail.python.org (unverified [63.102.49.29]) by cuk.atlas.cz (Vircom SMTPRS 4.5.186) with ESMTP id for ; Wed, 21 Mar 2001 15:08:54 +0100 Received: from localhost.localdomain ([127.0.0.1] helo=mail.python.org) by mail.python.org with esmtp (Exim 3.21 #1) id 14fjGM-0007PZ-00; Wed, 21 Mar 2001 09:06:58 -0500 Path: news.baymountain.net!uunet!ash.uu.net!sac.uu.net!newsfeed.attap.net!enews.sgi.com!feeder.via.net!news.he.net!typhoon.aracnet.com!not-for-mail From: Daniel Klein Newsgroups: comp.lang.python Subject: Re: Pick Systems D3 Database Message-ID: References: X-Newsreader: Forte Agent 1.8/32.548 MIME-Version: 1.0 Content-Type: text/plain; charset=us-ascii Content-Transfer-Encoding: 7bit Lines: 25 NNTP-Posting-Host: 216.99.212.46 X-Complaints-To: news@aracnet.com X-Trace: typhoon.aracnet.com 985183028 216.99.212.46 (Wed, 21 Mar 2001 05:57:08 PST) NNTP-Posting-Date: Wed, 21 Mar 2001 05:57:08 PST Organization: Aracnet Internet Xref: news.baymountain.net comp.lang.python:93719 To: python-list@python.org Sender: python-list-admin@python.org Errors-To: python-list-admin@python.org X-BeenThere: python-list@python.org X-Mailman-Version: 2.0.3 (101270) Precedence: bulk List-Help: List-Post: List-Subscribe: , List-Id: General discussion list for the Python programming language List-Unsubscribe: , List-Archive: Date: Wed, 21 Mar 2001 06:05:14 -0800 --45817/808/985225954/VOPmail/cuk.atlas.cz-- flufl.bounce-3.0/flufl/bounce/tests/data/dsn_09.txt0000664000175000017500000000625513051676163022533 0ustar barrybarry00000000000000Return-Path: Delivered-To: user@example.net Received: from c2bapps1.btconnect.com (c2bapps1.btconnect.com [193.113.209.21]) by main.nlenet.net (Postfix) with SMTP id ED8D113D126 for ; Sun, 4 Nov 2001 02:45:49 -0500 (EST) Received: from btconnect.com by c2bapps1.btconnect.com id ; Sun, 4 Nov 2001 07:45:32 +0000 Message-Type: Delivery Report X400-Received: by /ADMD= /C=WW/; Relayed; Sun, 4 Nov 2001 07:45:31 +0000 X400-Received: by mta c2bapps1-hme1 in /ADMD= /C=WW/; Relayed; Sun, 4 Nov 2001 07:45:31 +0000 X400-MTS-Identifier: [/ADMD= /C=WW/;c2bapps1.b:026710:20011104074531] From: postmaster@btconnect.com To: user@example.com Subject: Delivery Report (failure) for userx@example.com Date: Sun, 4 Nov 2001 07:45:32 +0000 Message-ID: <"c2bapps1.b:026710:20011104074531"@btconnect.com> Content-Identifier: test MIME-Version: 1.0 Content-Type: multipart/report; boundary="---Multi-Part-Report-Level-1-1-2672" X-Mozilla-Status: 8001 X-Mozilla-Status2: 00000000 X-UIDL: 34456246710d0000 -----Multi-Part-Report-Level-1-1-2672 This report relates to your message: Subject: test, Message-ID: <3BE4F1EC.8306C281@nleaudio.com>, To: userx@example.com of Sun, 4 Nov 2001 07:45:31 +0000 Your message was not delivered to: userx@example.com for the following reason: Diagnostic was Unable to transfer, -1 Information MTA '62.6.150.133' gives error message 5.7.1 Unable to relay for userx@example.com The Original Message follows: -----Multi-Part-Report-Level-1-1-2672 Content-Type: message/delivery-status Reporting-MTA: x400; mta c2bapps1-hme1 in /ADMD= /C=WW/ Arrival-Date: Sun, 4 Nov 2001 07:45:00 +0000 DSN-Gateway: dns; c2bapps1.btconnect.com X400-Conversion-Date: Sun, 4 Nov 2001 07:45:32 +0000 Original-Envelope-Id: [/ADMD= /C=WW/;<3BE4F1EC.8306C281@nleaudio.com>] X400-Content-Identifier: test X400-Encoded-Info: ia5-text X400-Content-Correlator: Subject: test, Message-ID: <3BE4F1EC.8306C281@nleaudio.com>, To: userx@example.com Original-Recipient: rfc822; userx@example.com Final-Recipient: x400; /RFC-822=pr(a)allen-heath.com/ADMD= /C=WW/ X400-Originally-Specified-Recipient-Number: 1 Action: failed Diagnostic-Code: Reason 1 (Unable-To-Transfer); Diagnostic -1 (Unknown) Status: 5.0.0 X400-Supplementary-Info: "MTA '62.6.150.133' gives error message 5.7.1 Unable to relay for pr(a)allen-heath.com" X400-Last-Trace: Sun, 4 Nov 2001 07:45:00 +0000 -----Multi-Part-Report-Level-1-1-2672 Content-Type: message/rfc822 Received: from ns.nlenet.net by c2bapps1 with SMTP (XT-PP); Sun, 4 Nov 2001 07:45:00 +0000 Received: from nleaudio.com (66-133-142-213.roc.frontiernet.net [66.133.142.213]) by ns.nlenet.net (Postfix) with ESMTP id E354A770C for ; Sun, 4 Nov 2001 02:44:57 -0500 (EST) Message-ID: <3BE4F1EC.8306C281@nleaudio.com> Date: Sun, 04 Nov 2001 02:44:44 -0500 From: "Bob Puff@NLE" X-Mailer: Mozilla 4.78 [en] (Win95; U) X-Accept-Language: en MIME-Version: 1.0 To: userx@example.com Subject: test Content-Type: text/plain; charset=us-ascii Content-Transfer-Encoding: 7bit test, please disregard. -----Multi-Part-Report-Level-1-1-2672-- flufl.bounce-3.0/flufl/bounce/tests/data/smtp32_01.txt0000664000175000017500000000472213051676163023064 0ustar barrybarry00000000000000From VM Mon Apr 2 10:02:42 2001 X-VM-v5-Data: ([nil nil nil nil nil nil nil nil nil] [nil "Monday" "2" "April" "101" "04:20:10" "CST" "Postmaster" "postmaster@208.24.118.205" nil "48" "Undeliverable Mail" "^From:" nil nil "4" nil nil nil nil nil] nil) Return-Path: Delivered-To: userw@example.org Received: from example.com (host15.digitalcreations.d.subnet.rcn.com [208.59.6.15]) by mail.example.org (Postfix) with ESMTP id B42DFD3757 for ; Mon, 2 Apr 2001 06:21:39 -0400 (EDT) Received: from by example.com (CommuniGate Pro RULES 3.4) with RULES id 1746977; Mon, 02 Apr 2001 06:23:54 -0400 Received: from ns2.example.com ([216.164.72.2] verified) by example.com (CommuniGate Pro SMTP 3.4) with ESMTP id 1746976 for usery@mail.example.com; Mon, 02 Apr 2001 06:23:54 -0400 Received: from mail.python.org (mail.python.org [63.102.49.29]) by ns2.example.com (8.9.3/8.9.3) with ESMTP id GAA19223 for ; Mon, 2 Apr 2001 06:24:01 -0400 Received: from localhost.localdomain ([127.0.0.1] helo=mail.python.org) by mail.python.org with esmtp (Exim 3.21 #1) id 14k1VB-0006KC-00 for usery@example.com; Mon, 02 Apr 2001 06:24:01 -0400 Received: from [207.51.255.218] (helo=208.24.118.205) by mail.python.org with smtp (Exim 3.21 #1) id 14k1UG-0006Ia-00 for mailman-users-admin@python.org; Mon, 02 Apr 2001 06:23:04 -0400 Message-Id: <10104020420.AA00477@208.24.118.205> Precedence: bulk List-Help: List-Post: List-Subscribe: , List-Id: Mailman mailing list management users List-Unsubscribe: , List-Archive: From: "Postmaster" Sender: mailman-users-owner@python.org To: Subject: Undeliverable Mail Date: Mon, 2 Apr 101 04:20:10 CST X-Autogenerated: Mirror X-Mirrored-by: X-Mailer: X-BeenThere: mailman-users@python.org X-Mailman-Version: 2.0.3 (101270) Reply-To: Delivery failed 20 attempts: userx@example.ph Original message follows. Message removed flufl.bounce-3.0/flufl/bounce/tests/data/qmail_06.txt0000664000175000017500000000165413051154320023027 0ustar barrybarry00000000000000X-MimeOLE: Produced By Microsoft Exchange V6.5 Content-class: urn:content-classes:message MIME-Version: 1.0 Content-Type: text/plain; charset="iso-8859-1" Content-Transfer-Encoding: quoted-printable Subject: failure notice Date: Fri, 13 Feb 2009 09:22:22 -0800 Message-ID: <200902131732.n1DHWlOA007588@mail.turners.com> X-MS-Has-Attach: X-MS-TNEF-Correlator: From: To: Hi. The MTA program at mta6-1.us4.outblaze.com was unable to deliver = your message to the following addresses. This is a permanent error. : Error 01373: User's Disk Quota Exceeded. Sorry, your intended recipient has too much mail stored in his mailbox. Your message totalled 23 Kbytes. However a small (< 1Kb) message will be delivered should you wish to inform your recipient you tried to email. --- Below this line is a copy of the message. [message content removed - MS] flufl.bounce-3.0/flufl/bounce/tests/data/simple_14.txt0000664000175000017500000000203713051676163023226 0ustar barrybarry00000000000000Return-Path: Received: from regar.mail.atl.earthlink.net (regar.mail.atl.earthlink.net [207.69.200.160]) by sb7.songbird.com (8.12.11/8.12.11) with ESMTP id k2HKGuhw021119 (version=TLSv1/SSLv3 cipher=DHE-RSA-AES256-SHA bits=256 verify=NO) for ; Fri, 17 Mar 2006 12:16:56 -0800 Received: from antoninus-z.mspring.net ([207.69.231.70] helo=antoninus.mspring.net) by regar.mail.atl.earthlink.net with smtp (Exim 3.36 #4) id 1FKLMw-0004sZ-00 for wed_ride-bounces@grizz.org; Fri, 17 Mar 2006 15:16:18 -0500 To: wed_ride-bounces@grizz.org From: MAILER-DAEMON@dachamp.com Subject: failure notice Message-Id: Date: Fri, 17 Mar 2006 15:16:18 -0500 X-SongbirdInformation: support@songbird.com for more information X-Songbird: Clean X-Songbird-From: Sorry, unable to deliver your message to usery@example.com for the following reason: 552 Quota violation for userx@example.com A copy of the original message below this line: Message removed flufl.bounce-3.0/flufl/bounce/tests/data/dsn_14.txt0000664000175000017500000000657413051676163022533 0ustar barrybarry00000000000000Return-Path: Received: from SMTP-GATEWAY01.intra.home.dk (smtp-gateway01.intra.home.dk [193.28.149.58]) by sb7.songbird.com (8.12.11/8.12.11) with SMTP id k2RI7T7e026491 for ; Mon, 27 Mar 2006 10:07:30 -0800 Date: Mon, 27 Mar 2006 20:06:53 +0200 In-Reply-To: From: Mail Delivery Subsystem To: Subject: Returned mail: The results of your email commands. Reason: 550 5.1.1 User unknown Message-ID: MIME-Version: 1.0 Content-Type: multipart/report; boundary="--=_smtp442829A200.A7C.2824.1811939338" X-SongbirdInformation: support@songbird.com for more information X-Songbird: Clean X-Songbird-From: This message is in MIME format. ----=_smtp442829A200.A7C.2824.1811939338 Content-Type: text/plain The original mail was received at Mon Mar 27 18:06:29 2006 GMT from sb7.songbird.com (208.184.79.137) YOUR MAIL WAS NOT DELIVERED TO ALL RECIPIENTS! ----- The following addresses had permanent fatal errors ----- ----- Transcript of the session follows ----- 550 5.1.1 User unknown The non-delivered message is attached to this message. ----=_smtp442829A200.A7C.2824.1811939338 Content-Type: message/delivery-status; name="details.txt" Content-Disposition: attachment; filename="details.txt" Content-Transfer-Encoding: Quoted-Printable Reporting-MTA: dns; SMTP-GATEWAY01.intra.home.dk Received-From-MTA: dns; sb7.songbird.com (208.184.79.137) Arrival-Date: Mon Mar 27 18:06:29 2006 GMT Final-Recipient: Action: failed Remote-MTA: MRT; 10.0.0.103 Diagnostic-Code: SMTP; 550 5.1.1 User unknown Last-Attempt-Date: Mon Mar 27 18:06:53 2006 GMT ----=_smtp442829A200.A7C.2824.1811939338 Content-Type: message/rfc822 Received: from (sb7.songbird.com [208.184.79.137]) with SMTP; Mon, 27 Mar 2006 18:06:27 -0000 (envelope-from ) Received: from sb7.songbird.com (sb7.songbird.com [127.0.0.1]) by sb7.songbird.com (8.12.11/8.12.11) with ESMTP id k2RI7087026411 for ; Mon, 27 Mar 2006 10:07:00 -0800 Subject: The results of your email commands From: gpc-talk-bounces@grizz.org To: userx@example.com.dk MIME-Version: 1.0 Content-Type: multipart/mixed; boundary="===============1150126487==" Message-ID: Date: Mon, 27 Mar 2006 10:06:59 -0800 Precedence: bulk X-BeenThere: gpc-talk@grizz.org X-Mailman-Version: 2.1.5 List-Id: Grizzly Peak Cyclists general discussion list X-List-Administrivia: yes Sender: gpc-talk-bounces@grizz.org Errors-To: gpc-talk-bounces@grizz.org X-SongbirdInformation: support@songbird.com for more information X-Songbird: Clean X-Songbird-From: gpc-talk-bounces@grizz.org --===============1150126487== Content-Type: text/plain; charset="us-ascii" MIME-Version: 1.0 Content-Transfer-Encoding: 7bit The results of your email command are provided below. Attached is your original message. - Results: Ignoring non-text/plain MIME parts userx@example.com.dk is not a member of the GPC-talk mailing list - Unprocessed: Re: - Done. --===============1150126487== Content-Type: message/rfc822 MIME-Version: 1.0 Message removed --===============1150126487==-- ----=_smtp442829A200.A7C.2824.1811939338-- flufl.bounce-3.0/flufl/bounce/tests/data/qmail_03.txt0000664000175000017500000000173413051676163023041 0ustar barrybarry00000000000000Return-Path: Received: from ns1.hbc.co.jp (ns1.hbc.co.jp [61.198.23.22]) by sb7.songbird.com (8.12.11/8.12.11) with SMTP id k2R85CVU014206 for ; Mon, 27 Mar 2006 00:05:13 -0800 Message-Id: <200603270805.k2R85CVU014206@sb7.songbird.com> Received: (qmail 25914 invoked from network); 27 Mar 2006 17:04:37 +0900 Received: from unknown (HELO pop.hbc.co.jp) (192.168.0.122) by ns1.hbc.co.jp with SMTP; 27 Mar 2006 17:04:37 +0900 Received: (qmail 29689 invoked for bounce); 27 Mar 2006 17:04:37 +0900 Date: 27 Mar 2006 17:04:37 +0900 From: MAILER-DAEMON@pop.hbc.co.jp To: gpc-talk-bounces@grizz.org Subject: failure notice X-SongbirdInformation: support@songbird.com for more information X-Songbird: Clean X-Songbird-From: He/Her is not HBC e-mail users. Check your send e-mail address. : Sorry, no mailbox here by that name. vpopmail (#5.1.1) --- Below this line is a copy of the message. Message removed flufl.bounce-3.0/flufl/bounce/tests/data/dsn_08.txt0000664000175000017500000001271413051676163022527 0ustar barrybarry00000000000000Return-Path: Received: from smtp.zope.com ([63.100.190.10] verified) by digicool.com (CommuniGate Pro SMTP 3.4) with ESMTP id 2769384 for mj@mail.zope.com; Thu, 04 Oct 2001 04:48:48 -0400 Received: from mail.python.org (mail.python.org [63.102.49.29]) by smtp.zope.com (8.11.2/8.11.2) with ESMTP id f948k0X28835 for ; Thu, 4 Oct 2001 04:46:00 -0400 Received: from localhost.localdomain ([127.0.0.1] helo=mail.python.org) by mail.python.org with esmtp (Exim 3.21 #1) id 15p48n-0001n2-00 for mj@zope.com; Thu, 04 Oct 2001 04:46:01 -0400 Received: from [212.84.234.29] (helo=daswort.innominate.com) by mail.python.org with esmtp (Exim 3.21 #1) id 15p48K-0001ku-00 for zope-admin@zope.org; Thu, 04 Oct 2001 04:45:32 -0400 Received: from mate.bln.innominate.de (cerberus.berlin.innominate.de [212.84.234.251]) by daswort.innominate.com (Postfix) with ESMTP id BC8F2272F7 for ; Thu, 4 Oct 2001 09:45:26 +0000 (GMT) Received: by mate.bln.innominate.de (Postfix) id 27AD62CB3A; Thu, 4 Oct 2001 10:45:28 +0200 (CEST) Date: Thu, 4 Oct 2001 10:45:28 +0200 (CEST) From: MAILER-DAEMON@innominate.de (Mail Delivery System) Subject: Delayed Mail (still being retried) To: zope-admin@zope.org MIME-Version: 1.0 Content-Type: multipart/report; report-type=delivery-status; boundary="A216D2D16B.1002185128/mate.bln.innominate.de" Message-Id: <20011004084528.27AD62CB3A@mate.bln.innominate.de> Sender: zope-owner@zope.org Errors-To: zope-owner@zope.org X-BeenThere: zope@zope.org X-Mailman-Version: 2.0.6 (101270) Precedence: bulk List-Help: List-Post: List-Subscribe: , List-Id: Users of the Z Object Publishing Environment List-Unsubscribe: , List-Archive: This is a MIME-encapsulated message. --A216D2D16B.1002185128/mate.bln.innominate.de Content-Description: Notification Content-Type: text/plain This is the Postfix program at host mate.bln.innominate.de. #################################################################### # THIS IS A WARNING ONLY. YOU DO NOT NEED TO RESEND YOUR MESSAGE. # #################################################################### Your message could not be delivered for 0.2 hours. It will be retried until it is 5.0 days old. For further assistance, please send mail to The Postfix program : temporary failure. Command output: avpcheck: unable to connect to avp daemon: Connection refused --A216D2D16B.1002185128/mate.bln.innominate.de Content-Description: Delivery error report Content-Type: message/delivery-status Reporting-MTA: dns; mate.bln.innominate.de Arrival-Date: Thu, 4 Oct 2001 10:20:46 +0200 (CEST) Final-Recipient: rfc822; userx@example.de Action: delayed Status: 4.0.0 Diagnostic-Code: X-Postfix; temporary failure. Command output: avpcheck: unable to connect to avp daemon: Connection refused Will-Retry-Until: Tue, 9 Oct 2001 10:20:46 +0200 (CEST) --A216D2D16B.1002185128/mate.bln.innominate.de Content-Description: Undelivered Message Headers Content-Type: text/rfc822-headers Received: from daswort.innominate.com (daswort.innominate.com [212.84.234.29]) by mate.bln.innominate.de (Postfix) with ESMTP id A216D2D16B for ; Thu, 4 Oct 2001 10:20:46 +0200 (CEST) Received: from mail.python.org (mail.python.org [63.102.49.29]) by daswort.innominate.com (Postfix) with ESMTP id 8106A284DD for ; Thu, 4 Oct 2001 04:42:06 +0000 (GMT) Received: from localhost.localdomain ([127.0.0.1] helo=mail.python.org) by mail.python.org with esmtp (Exim 3.21 #1) id 15ozMj-000236-00; Wed, 03 Oct 2001 23:40:05 -0400 Received: from [65.32.1.43] (helo=smtp-server6.tampabay.rr.com) by mail.python.org with esmtp (Exim 3.21 #1) id 15ozMQ-00021c-00 for zope@zope.org; Wed, 03 Oct 2001 23:39:46 -0400 Received: from tlc2 (242850hfc162.tampabay.rr.com [24.28.50.162]) by smtp-server6.tampabay.rr.com (8.11.2/8.11.2) with SMTP id f943dcd28305; Wed, 3 Oct 2001 23:39:42 -0400 (EDT) From: "Trevor Toenjes" To: "Martijn Pieters" , "Trevor Toenjes" Cc: Subject: RE: [Zope] what is error_message and how do I alter it?? Message-ID: MIME-Version: 1.0 Content-Type: text/plain; charset="iso-8859-1" Content-Transfer-Encoding: 7bit X-Priority: 3 (Normal) X-MSMail-Priority: Normal X-Mailer: Microsoft Outlook IMO, Build 9.0.2416 (9.0.2910.0) Importance: Normal X-MimeOLE: Produced By Microsoft MimeOLE V5.00.2314.1300 In-Reply-To: <20011003223154.D27261@zope.com> Sender: zope-admin@zope.org Errors-To: zope-admin@zope.org X-BeenThere: zope@zope.org X-Mailman-Version: 2.0.6 (101270) Precedence: bulk List-Help: List-Post: List-Subscribe: , List-Id: Users of the Z Object Publishing Environment List-Unsubscribe: , List-Archive: Date: Wed, 3 Oct 2001 23:41:18 -0400 --A216D2D16B.1002185128/mate.bln.innominate.de-- flufl.bounce-3.0/flufl/bounce/tests/data/qmail_02.txt0000664000175000017500000000205013051676163023030 0ustar barrybarry00000000000000Return-Path: Received: from smtp06-01.prod.mesa1.secureserver.net (smtp06-01.prod.mesa1.secureserver.net [64.202.189.20]) by sb7.songbird.com (8.12.11/8.12.11) with ESMTP id k1CC35mv013539 for ; Sun, 12 Feb 2006 04:03:06 -0800 Message-Id: <200602121203.k1CC35mv013539@sb7.songbird.com> Received: (qmail 22373 invoked for bounce); 12 Feb 2006 12:02:26 -0000 Date: 12 Feb 2006 12:02:26 -0000 From: MAILER-DAEMON@smtp06-01.prod.mesa1.secureserver.net To: gpc-talk-bounces@grizz.org Subject: failure notice X-SongbirdInformation: support@songbird.com for more information X-Songbird: Found to be clean X-Songbird-From: We're sorry. There's a problem with the e-mail address(es) you're trying to send to. Please verify the address(es) and try again. If you continue to have problems, please contact Customer Support at (480) 624-2500. : The e-mail message could not be delivered because the user's mailfolder is full. --- Below this line is a copy of the message. Message removed flufl.bounce-3.0/flufl/bounce/tests/data/simple_24.txt0000664000175000017500000000210213051676163023220 0ustar barrybarry00000000000000Return-Path: Received: from sl.gomaps.com (www.gomaps.com [207.178.107.65]) by sb7.songbird.com (8.12.11.20060308/8.12.11) with ESMTP id k4359uMK016999 for ; Tue, 2 May 2006 22:09:56 -0700 Received: from mail pickup service by sl.gomaps.com with Microsoft SMTPSVC; Wed, 3 May 2006 00:09:22 -0500 Message-ID: From: Postmaster <> To: gpc-talk-bounces@grizz.org Subject: Undeliverable: userx@example.com Date: Wed, 3 May 2006 00:09:22 MIME-Version: 1.0 X-Mailer: SpamLion (E 1.60.205) Content-Type: text/plain; charset="us-ascii" X-OriginalArrivalTime: 03 May 2006 05:09:22.0389 (UTC) FILETIME=[BD5A8850:01C66E6F] X-SongbirdInformation: support@songbird.com for more information X-Songbird: Clean X-Songbird-From: -------------------------------------------------------------------------------- Your Message To: Subject: The results of your email commands Date: Tue, 02 May 2006 22:09:32 -0700 Did not reach the following recipient: userx@example.com flufl.bounce-3.0/flufl/bounce/tests/data/simple_16.txt0000664000175000017500000000247713051676163023240 0ustar barrybarry00000000000000Return-Path: Received: from uranus.cinergycom.net (uranus.cinergycom.net [216.135.2.7]) by sb7.songbird.com (8.12.11/8.12.11) with ESMTP id k2V74mN8029551 for ; Thu, 30 Mar 2006 23:04:48 -0800 Received: from gaffer.cinergycom.net ([216.135.3.23]) by uranus.cinergycom.net with esmtp (Exim 4.60) id 1FPDg3-0003Ii-8c for gpc-talk-bounces@grizz.org; Fri, 31 Mar 2006 01:04:11 -0600 Received: from root by gaffer.cinergycom.net with local (Exim 4.52) id 1FPDg3-0007ln-3j for gpc-talk-bounces@grizz.org; Fri, 31 Mar 2006 01:04:11 -0600 Auto-Submitted: auto-generated From: Mail Delivery System To: gpc-talk-bounces@grizz.org Subject: Mail delivery failed: returning message to sender Message-Id: Date: Fri, 31 Mar 2006 01:04:11 -0600 X-SongbirdInformation: support@songbird.com for more information X-Songbird: Clean X-Songbird-From: This message was created automatically by mail delivery software. A message that you sent could not be delivered to one or more of its recipients. This is a permanent error. The following address(es) failed: an undisclosed address (generated from userx@example.com) ------ This is a copy of the message, including all the headers. ------ Message removed flufl.bounce-3.0/flufl/bounce/tests/data/simple_04.txt0000664000175000017500000000610713051676163023227 0ustar barrybarry00000000000000From VM Sat Aug 4 01:17:43 2001 X-VM-v5-Data: ([nil nil nil nil nil nil nil nil nil] [nil "Friday" "3" "August" "2001" "23:59:56" "-0500" "MAILER-DAEMON@airmail.net" "MAILER-DAEMON@airmail.net" nil "51" "mail failed, returning to sender" "^From:" nil nil "8" nil nil nil nil nil] nil) Return-Path: Delivered-To: usery@example.org Received: from digicool.com (unknown [63.100.190.15]) by mail.example.org (Postfix) with ESMTP id D0258D3738 for ; Sat, 4 Aug 2001 01:00:57 -0400 (EDT) Received: from by digicool.com (CommuniGate Pro RULES 3.4) with RULES id 2491440; Sat, 04 Aug 2001 01:01:04 -0400 Received: from smtp.example.com ([63.100.190.10] verified) by digicool.com (CommuniGate Pro SMTP 3.4) with ESMTP id 2491439 for usery@mail.example.com; Sat, 04 Aug 2001 01:01:04 -0400 Received: from mail.python.org (mail.python.org [63.102.49.29]) by smtp.example.com (8.11.2/8.11.2) with ESMTP id f74511X29279 for ; Sat, 4 Aug 2001 01:01:01 -0400 Received: from localhost.localdomain ([127.0.0.1] helo=mail.python.org) by mail.python.org with esmtp (Exim 3.21 #1) id 15StYa-0005er-00; Sat, 04 Aug 2001 01:01:00 -0400 Received: from [209.196.77.104] (helo=mx7.airmail.net) by mail.python.org with esmtp (Exim 3.21 #1) id 15StYG-0005ec-00 for mailman-users-admin@python.org; Sat, 04 Aug 2001 01:00:40 -0400 Received: from mail3.iadfw.net ([209.196.123.3]) by mx7.airmail.net with smtp (Exim 3.16 #10) id 15StY6-000E5t-00 for mailman-users-admin@python.org; Sat, 04 Aug 2001 00:00:30 -0500 Received: from mail3.iadfw.net by mail3.iadfw.net (/\##/\ Smail3.1.30.16 #30.25) with bsmtp for sender: id ; Fri, 3 Aug 2001 23:59:56 -0500 (CDT) Message-Id: Reference: Precedence: bulk List-Help: List-Post: List-Subscribe: , List-Id: Mailman mailing list management users List-Unsubscribe: , List-Archive: From: Sender: mailman-users-owner@python.org To: mailman-users-admin@python.org Subject: mail failed, returning to sender Date: Fri, 3 Aug 2001 23:59:56 -0500 (CDT) X-Autogenerated: Mirror X-Mirrored-by: X-BeenThere: mailman-users@python.org X-Mailman-Version: 2.0.6 (101270) |------------------------- Message log follows: -------------------------| no valid recipients were found for this message |------------------------- Failed addresses follow: ---------------------| userx@example.com ... unknown host |------------------------- Message text follows: ------------------------| Message removed flufl.bounce-3.0/flufl/bounce/tests/data/simple_40.txt0000664000175000017500000000206413051154320023207 0ustar barrybarry00000000000000Return-Path: <> Received: from mout by moeu2.kundenserver.de id 0LkyaB-1VJZRH2iiz-00ahag; Fri, 13 Dec 2013 01:07:54 +0100 Date: Fri, 13 Dec 2013 01:07:54 +0100 From: Mail Delivery System To: mailman-users-bounces+user=example.com@python.org Subject: Warning: message delayed 2 days Message-Id: <0LkyaB-1VJZRH2iiz-00ahag@moeu2.kundenserver.de> X-Original-Id: 0LykMh-1VSY0J0JZn-015ri8 This message was created automatically by mail delivery software. A message that you sent has not yet been delivered to one or more of its recipients after 2 days. The message has not yet been delivered to the following addresses: host lsvk.de[213.165.78.137]: connection to mail exchanger failed No action is required on your part. Delivery attempts will continue for some time, and this warning may be repeated at intervals if the message remains undelivered. Eventually the mail delivery software will give up, and when that happens, the message will be returned to you. --- The header of the original message is following. --- flufl.bounce-3.0/flufl/bounce/tests/data/simple_25.txt0000664000175000017500000000330413051676163023226 0ustar barrybarry00000000000000Return-Path: Received: from vipmail-g1.xinnetdns.com (cemail171012.ce.net.cn [210.51.171.12]) by sb7.songbird.com (8.12.11.20060308/8.12.11) with SMTP id k4F8abax003550 for ; Mon, 15 May 2006 01:36:38 -0700 Received: (send program); Mon, 15 May 2006 16:35:54 +0800 Message-ID: <347682154.08417@vipmail-g1.xinnetdns.com> Received: (EYOU MTA SYSTEM 8417 invoked for bounce); Mon, 15 May 2006 16:35:54 +0800 Date: Mon, 15 May 2006 16:35:54 +0800 From: MAILER-DAEMON@vipmail-g1.xinnetdns.com To: gpc-talk-bounces@grizz.org Subject: failure notice Content-Type: multipart/mixed; boundary="------=_1147682154_8417" X-SongbirdInformation: support@songbird.com for more information X-Songbird: Clean X-Songbird-From: This is a multi-part message in MIME format. --------=_1147682154_8417 Content-Type: text/html Hi. This is the deliver program at vipmail-g1.xinnetdns.com.
I'm afraid I wasn't able to deliver your message to the following addresses.
This is a permanent error; I've given up. Sorry it didn't work out.

userx@example.com
No such user
--- Attachment is a copy of the message.

[ÕâÊÇ·þÎñÆ÷ vipmail-g1.xinnetdns.com µÄͶµÝ³ÌÐò·µ»ØµÄÌáʾÐÅÏ¢]

µ½ÏÂÁеØÖ·µÄÐżþͶµÝʧ°Ü£¬¶Ô·½·þÎñÆ÷ÎÞ·¨Õý³£½ÓÊÜ»òÕ߾ܾø½ÓÊÜÕâ·âÓʼþ£¬
ÕâÊÇÒ»¸öÓÀ¾ÃÐԵĴíÎ󣬷þÎñÆ÷ÒѾ­·ÅÆú¼ÌÐøÍ¶µÝ¡£

userx@example.com

¶Ô·½·þÎñÆ÷·µ»Ø´íÎóÌáʾ:
No such user
--
[¸½¼þÊÇÄúËù·¢ËÍÐżþµÄÔ­¼þ]
--------=_1147682154_8417 Content-Type: message/rfc822; name="att.eml" Content-Disposition: attachment; filename="orig.eml" Message removed --------=_1147682154_8417-- flufl.bounce-3.0/flufl/bounce/tests/data/simple_18.txt0000664000175000017500000000233113051676163023227 0ustar barrybarry00000000000000Return-Path: Received: from mail.trusite.com (vendormail.truserv.com [64.94.39.5]) by sb7.songbird.com (8.12.11.20060308/8.12.11) with ESMTP id k57NS3QZ028360 for ; Wed, 7 Jun 2006 16:28:03 -0700 Message-Id: <200606072328.k57NS3QZ028360@sb7.songbird.com> Date: Wed, 7 Jun 2006 18:26:11 -0500 Reply-to: postmaster@trusite.com From: "LSMTP for Windows NT v1.1b" Subject: Undelivered mail To: gpc-talk-bounces@grizz.org X-Report-Type: Nondelivery; boundary="> Error description:" X-SongbirdInformation: support@songbird.com for more information X-Songbird: Clean X-Songbird-From: An error was detected while processing the enclosed message. A list of the affected recipient follows. This list is in a special format that allows software like LISTSERV to automatically take action on incorrect addresses; you can safely ignore the numeric codes. --> Error description: Error-for: userx@example.com Error-Code: 0 Error-Text: Mailer mail.kesslersupply.com said: "554 Message looping (received 6 times)" Error-End: One error reported. ------------------------------ Original message ------------------------------ Message removed flufl.bounce-3.0/flufl/bounce/tests/data/simple_29.txt0000664000175000017500000000174213051676163023236 0ustar barrybarry00000000000000Received: from localhost.localdomain (localhost.localdomain [127.0.0.1]) by strategicnetwork.org (Postfix) with ESMTP id 635A27347E5 for ; Tue, 13 May 2008 12:51:46 -0600 (MDT) From: "Mail Delivery System" To: Subject: Mail delivery failed Date: Wed, 14 May 2008 02:51:47 +0800 Message-ID: MIME-Version: 1.0 Content-Type: text/plain; charset="iso-8859-1" Content-Transfer-Encoding: 7bit X-Mailer: Microsoft Office Outlook 12.0 Thread-Index: Aci1Kmbra/4UZFszTWaO4wdczWcBCQ== This message was created automatically by mail delivery software. A message that you have sent could not be delivered to one or more recipients. This is a permanent error. The following address failed: : 550 unknown user Included is a copy of the message header: ----------------------------------------- Message removed flufl.bounce-3.0/flufl/bounce/tests/data/simple_13.txt0000664000175000017500000000212313051676163023221 0ustar barrybarry00000000000000Return-Path: Received: from mimesweeper.ademe.fr (mail.ademe.fr [81.255.193.84]) by sb7.songbird.com (8.12.11/8.12.11) with ESMTP id k2ECmVcf007798 for ; Tue, 14 Mar 2006 04:48:32 -0800 Date: Tue, 14 Mar 2006 13:47:54 +0100 (CET) Message-Id: N77056c0a550a010202b5c Subject: =?UTF-8?Q?Utilisateur_non_recens=C3=A9_dans_l'annuaire_Ademe?= To: gpc-talk-bounces@grizz.org MIME-Version: 1.0 Content-Type: multipart/report; report-type=delivery-status; boundary="2453809.54.1306" X-SongbirdInformation: support@songbird.com for more information X-Songbird: Found to be clean X-Songbird-From: --2453809.54.1306 Content-Type: text/plain; charset="UTF-8" Content-Transfer-Encoding: quoted-printable A message could not be delivered to: userx@example.fr Subject: The results of your email commands L'adresse de messagerie r=C3=A9f=C3=A9renc=C3=A9e ci-dessus n'existe pas. V= euillez en v=C3=A9rifier l'orthographe. --2453809.54.1306 Content-Type: message/delivery-status Reporting-MTA: mimesweeper.ademe.fr Message removed --2453809.54.1306-- flufl.bounce-3.0/flufl/bounce/tests/data/postfix_03.txt0000664000175000017500000000635313051676163023434 0ustar barrybarry00000000000000From VM Fri Feb 9 13:30:31 2001 Return-Path: Delivered-To: xxxxxx@zzzz.org Received: from digicool.com (host15.digitalcreations.d.subnet.rcn.com [208.59.6.15]) by mail.zzzz.org (Postfix) with ESMTP id 3B39FD37AC for ; Thu, 8 Feb 2001 06:57:08 -0500 (EST) Received: from by digicool.com (CommuniGate Pro RULES 3.3.2) with RULES id 1450267; Thu, 08 Feb 2001 06:59:26 -0500 Received: from ns2.digicool.com ([216.164.72.2] verified) by digicool.com (CommuniGate Pro SMTP 3.3.2) with ESMTP id 1450266 for yyyyy@mail.digicool.com; Thu, 08 Feb 2001 06:59:21 -0500 Received: from mail.python.org (mail.python.org [63.102.49.29]) by ns2.digicool.com (8.9.3/8.9.3) with ESMTP id GAA16165 for ; Thu, 8 Feb 2001 06:57:51 -0500 Received: from localhost.localdomain ([127.0.0.1] helo=mail.python.org) by mail.python.org with esmtp (Exim 3.21 #1) id 14Qphy-0000Sk-00 for yyyyy@digicool.com; Thu, 08 Feb 2001 06:57:54 -0500 Received: from [212.55.105.23] (helo=proxy.ggggg.com) by mail.python.org with esmtp (Exim 3.21 #1) id 14Qpgv-0000O4-00 for python-list-admin@python.org; Thu, 08 Feb 2001 06:56:49 -0500 Received: by proxy.ggggg.com (Postfix on SuSE Linux 6.4 (i386)) via BOUNCE id 7EA84D1046; Thu, 8 Feb 2001 14:00:07 +0100 (CET) MIME-Version: 1.0 Content-Type: multipart/mixed; boundary="11D14D1045.981637207/proxy.ggggg.com" Message-Id: <20010208130007.7EA84D1046@proxy.ggggg.com> Precedence: bulk List-Help: List-Post: List-Subscribe: , List-Id: General discussion list for the Python programming language List-Unsubscribe: , List-Archive: From: MAILER-DAEMON@proxy.ggggg.com (Mail Delivery System) Sender: python-list-owner@python.org To: python-list-admin@python.org Subject: Undelivered Mail Returned to Sender Date: Thu, 8 Feb 2001 14:00:07 +0100 (CET) X-Autogenerated: Mirror X-Mirrored-by: X-BeenThere: python-list@python.org X-Mailman-Version: 2.0.1 (101270) This is a MIME-encapsulated message. --11D14D1045.981637207/proxy.ggggg.com Content-Description: Notification Content-Type: text/plain This is the Postfix on SuSE Linux 6.4 (i386) program at host proxy.ggggg.com. I'm sorry to have to inform you that the message returned below could not be delivered to one or more destinations. For further assistance, please contact If you do so, please include this problem report. You can delete your own text from the message returned below. The Postfix on SuSE Linux 6.4 (i386) program : Command died with status 17: "/usr/sbin/amavis". Command output: Can't use an undefined value as a symbol reference at /usr/sbin/amavis line 1178. --11D14D1045.981637207/proxy.ggggg.com Content-Description: Undelivered Message Content-Type: message/rfc822 Message removed --11D14D1045.981637207/proxy.ggggg.com-- flufl.bounce-3.0/flufl/bounce/tests/data/smtp32_07.txt0000664000175000017500000000172513051676163023072 0ustar barrybarry00000000000000Received: from smtp.digikom.net (smtp.digikom.net [195.43.38.47]) by sb7.songbird.com (8.12.11.20060308/8.12.11) with ESMTP id kBP0vmk8004590 for ; Sun, 24 Dec 2006 16:57:49 -0800 Received: from s05.dknet.se ([195.43.38.5]) by smtp.digikom.net with Microsoft SMTPSVC(5.0.2195.6713); Mon, 25 Dec 2006 01:57:36 +0100 Date: Mon, 25 Dec 2006 01:57:35 +0100 Message-Id: <10612250157.AA21532089@s05.dknet.se> Mime-Version: 1.0 Content-Type: text/plain; charset=us-ascii From: "Postmaster" Sender: To: Subject: Undeliverable Mail X-Mailer: X-Declude-Sender: <> [208.184.79.137] X-OriginalArrivalTime: 25 Dec 2006 00:57:36.0535 (UTC) FILETIME=[AB0D2270:01C727BF] X-SongbirdInformation: support@songbird.com for more information X-Songbird: Clean X-Songbird-From: Invalid final delivery userid: userx@example.com Original message follows. Message removed flufl.bounce-3.0/flufl/bounce/tests/data/simple_08.txt0000664000175000017500000000474713051676163023243 0ustar barrybarry00000000000000Return-Path: X-Original-To: newsletter-bounces@mydomain.de Delivered-To: newsletter-bounces@mydomain.de Received: by mailsrv.mycompanysname.lan (mycompanysname mail service, from userid 1004) id AD5AC100A954; Tue, 28 Feb 2006 18:22:36 +0100 (CET) X-Original-To: email@localhost.mydomain.de Delivered-To: email@localhost.mydomain.de Received: from localhost (localhost [127.0.0.1]) by mailsrv.mycompanysname.lan (mycompanysname mail service) with ESMTP id B9B44100BF1B for ; Tue, 28 Feb 2006 18:22:34 +0100 (CET) Received: from mailsrv.mycompanysname.lan ([127.0.0.1]) by localhost (mydomain.de [127.0.0.1]) (amavisd-new, port 10024) with ESMTP id 32002-08 for ; Tue, 28 Feb 2006 18:22:33 +0100 (CET) Received: from localhost (localhost [127.0.0.1]) by mailsrv.mycompanysname.lan (mycompanysname mail service) with ESMTP id A093B100A955 for ; Tue, 28 Feb 2006 18:22:33 +0100 (CET) Delivery-Date: Tue, 28 Feb 2006 18:20:00 +0100 Received-SPF: none (mxeu17: 212.227.126.240 is neither permitted nor denied by domain of mout-bounce.kundenserver.de) client-ip=212.227.126.240; envelope-from=postmaster@mout-bounce.kundenserver.de; helo=mout-bounce.kundenserver.de; Received: from pop.1und1.com [212.227.15.161] by localhost with POP3 (fetchmail-6.2.5.2) for email@localhost (single-drop); Tue, 28 Feb 2006 18:22:33 +0100 (CET) Received: from [212.227.126.240] (helo=mout-bounce.kundenserver.de) by mx.kundenserver.de (node=mxeu17) with ESMTP (Nemesis), id 0MKxIC-1FE8W00flx-0005g9 for newsletter-bounces@mydomain.de; Tue, 28 Feb 2006 18:20:00 +0100 Received: from mout by mouteu2.kundenserver.de id 0MKvEC-1FE8V20Bkm-00025n; Tue, 28 Feb 2006 18:19:00 +0100 Date: Tue, 28 Feb 2006 18:19:00 +0100 From: Mail Delivery System To: newsletter-bounces@mydomain.de Subject: Mail delivery failed: returning message to sender Message-Id: <0MKvEC-1FE8V20Bkm-00025n@mouteu2.kundenserver.de> X-Original-Id: 0ML25U-1FE8V12M9j-0006lD Envelope-To: newsletter-bounces@mydomain.de X-Virus-Scanned: amavisd-new at mydomain.de This message was created automatically by mail delivery software. A message that you sent could not be delivered to one or more of its recipients. The following addresses failed: SMTP error from remote server after RCPT command: host mailin02.sul.t-online.de[194.25.134.9]: 550 user unknown --- The header of the original message is following. --- Message removed flufl.bounce-3.0/flufl/bounce/tests/data/dsn_17.txt0000664000175000017500000000715613051676163022533 0ustar barrybarry00000000000000From: "Mail Delivery System" To: Subject: Delayed Mail (still being retried) Date: Sun, 4 May 2008 13:30:10 +0800 Message-ID: <20080504053010.83D5413301A@be37.mail.saunalahti.fi> MIME-Version: 1.0 Content-Type: multipart/mixed; boundary="----=_NextPart_000_00B7_01C8B0E9.3E667630" X-Mailer: Microsoft Office Outlook 12.0 Thread-Index: Acitp+yPLzjU0sphReGZRtBo3Ns6bg== This is a multipart message in MIME format. ------=_NextPart_000_00B7_01C8B0E9.3E667630 Content-Type: text/plain; report-type=delivery-status; boundary="ED106133145.1209879010/be37.mail.saunalahti.fi"; charset="US-ASCII" Content-Transfer-Encoding: 7bit This is the mail system at host be37.mail.saunalahti.fi. #################################################################### # THIS IS A WARNING ONLY. YOU DO NOT NEED TO RESEND YOUR MESSAGE. # #################################################################### Your message could not be delivered for more than 15 minutes. It will be retried until it is 24 hours old. For further assistance, please contact your postmaster. If you do so, please include this problem report. You can delete your own text from the attached returned message. The mail system (expanded from ): temporary failure. Command output: Quota exceeded message delivery failed to /mail/mbx/p/5/kb3543/INBOX ------=_NextPart_000_00B7_01C8B0E9.3E667630 Content-Type: message/delivery-status; name="details.txt" Content-Transfer-Encoding: 7bit Content-Disposition: attachment; filename="details.txt" Reporting-MTA: dns; be37.mail.saunalahti.fi X-Postfix-Queue-ID: ED106133145 X-Postfix-Sender: rfc822; pray4-team-bounces@strategicnetwork.org Arrival-Date: Sun, 4 May 2008 05:51:07 +0300 (EEST) Final-Recipient: rfc822; xxx@example.fi Original-Recipient: rfc822;userx@example.fi Action: delayed Status: 4.3.0 Diagnostic-Code: x-unix; Quota exceeded message delivery failed to /mail/mbx/p/5/kb3543/INBOX Will-Retry-Until: Mon, 5 May 2008 05:51:07 +0300 (EEST) ------=_NextPart_000_00B7_01C8B0E9.3E667630 Content-Type: text/rfc822-headers; name="Undelivered Message Headers.txt" Content-Transfer-Encoding: quoted-printable Content-Disposition: attachment; filename="Undelivered Message Headers.txt" Received: from emh07.mail.saunalahti.fi (emh07.mail.saunalahti.fi = [62.142.5.117]) by be37.mail.saunalahti.fi (Postfix) with ESMTP id ED106133145 for ; Sun, 4 May 2008 05:51:07 +0300 = (EEST) Received: from strategicnetwork.org (strategicnetwork.org = [66.35.39.241]) by emh07.mail.saunalahti.fi (Postfix) with ESMTP id D3C661C639E for ; Sun, 4 May 2008 05:51:06 +0300 = (EEST) Received: from localhost.localdomain (localhost.localdomain [127.0.0.1]) by strategicnetwork.org (Postfix) with ESMTP id 27DF4734B75 for ; Sat, 3 May 2008 20:51:05 -0600 = (MDT) MIME-Version: 1.0 Content-Type: text/plain; charset=3D"us-ascii" Content-Transfer-Encoding: 7bit From: pray4-team-request@strategicnetwork.org To: userx@example.fi Subject: confirm d35a398026f31a7462cc90622a1e6180cd63ba60 Reply-To: pray4-team-request@strategicnetwork.org Message-ID: = Date: Sat, 03 May 2008 20:51:04 -0600 Precedence: bulk X-BeenThere: pray4-team@strategicnetwork.org X-Mailman-Version: 2.1.5 List-Id: pray4-team.strategicnetwork.org X-List-Administrivia: yes Sender: pray4-team-bounces@strategicnetwork.org Errors-To: pray4-team-bounces@strategicnetwork.org ------=_NextPart_000_00B7_01C8B0E9.3E667630-- flufl.bounce-3.0/flufl/bounce/tests/data/simple_30.txt0000664000175000017500000000352313051676163023225 0ustar barrybarry00000000000000Return-Path: Received: from rs-so-b2.amenworld.com (rs-so-b2.amenworld.com [62.193.206.27]) by sb7.songbird.com (8.12.11.20060308/8.12.11) with ESMTP id k9H6S7E3014456 for ; Mon, 16 Oct 2006 23:28:07 -0700 Received: from av3.amenworld.com (av3.amenworld.com [62.193.206.46]) by rs-so-b2.amenworld.com (Postfix) with ESMTP id 93A72655806 for ; Tue, 17 Oct 2006 08:33:33 +0200 (CEST) Date: Tue, 17 Oct 2006 08:27:49 +0200 From: Mail Delivery System To: gpc-talk-bounces@grizz.org Subject: Delivery status notification MIME-Version: 1.0 Content-Type: multipart/report; boundary="------------I305M09060309060P_013011610664690" Message-Id: <20061017063333.93A72655806@rs-so-b2.amenworld.com> X-SongbirdInformation: support@songbird.com for more information X-Songbird: Clean X-Songbird-From: This is a multi-part message in MIME format. --------------I305M09060309060P_013011610664690 Content-Type: text/plain; charset=UTF-8; Content-Transfer-Encoding: 8bit ============================================================================ This is an automatically generated Delivery Status Notification. Delivery to the following recipients failed permanently: * userx@example.com ============================================================================ Technical details: SMTP:RCPT host 62.193.203.102: 553 5.3.0 ... No such user here ============================================================================ --------------I305M09060309060P_013011610664690 Content-Type: message/rfc822; charset=UFT-8; Content-Transfer-Encoding: 8bit Content-Disposition: attachment Message removed --------------I305M09060309060P_013011610664690-- flufl.bounce-3.0/flufl/bounce/tests/data/microsoft_02.txt0000664000175000017500000000353013051676163023736 0ustar barrybarry00000000000000Precedence: bulk List-Help: List-Post: List-Subscribe: , List-Id: Mailman mailing list management users List-Unsubscribe: , List-Archive: From: System Administrator Sender: mailman-users-owner@python.org To: mailman-users-admin@python.org Subject: Undeliverable: [Mailman-Users] Virus in ma mail ... these are the headers.... Date: Fri, 18 Oct 2002 09:13:31 -0600 X-Mailer: Internet Mail Service (5.5.2653.19) X-MS-Embedded-Report: X-Spam-Status: No, hits=-5.0 required=5.0 tests=FROM_MAILER_DAEMON,MIME_NULL_BLOCK,ATTACH_RFC822 X-Spam-Level: X-BeenThere: mailman-users@python.org X-Mailman-Version: 2.0.13 (101270) This message is in MIME format. Since your mail reader does not understand this format, some or all of this message may not be legible. ------_=_NextPart_000_01C276B8.EB5EB90E Content-Type: text/plain; charset="iso-8859-1" Your message To: K12 Cc: Mailman; RedHat Mail List Subject: [Mailman-Users] Virus in ma mail ... these are the headers.... Sent: Fri, 18 Oct 2002 09:25:07 -0600 did not reach the following recipient(s): userx@example.COM on Fri, 18 Oct 2002 09:13:24 -0600 The recipient name is not recognized The MTS-ID of the original message is: c=us;a= ;p=ball;l=AEROMSG2021018151347W14KQ9 MSEXCH:IMS:BALL:AEROSPACE:AEROMSG2 0 (000C05A6) Unknown Recipient ------_=_NextPart_000_01C276B8.EB5EB90E Content-Type: message/rfc822 Message removed ------_=_NextPart_000_01C276B8.EB5EB90E-- flufl.bounce-3.0/flufl/bounce/tests/data/simple_17.txt0000664000175000017500000000261513051676163023233 0ustar barrybarry00000000000000Return-Path: Received: from nz-out-0102.google.com (nz-out-0102.google.com [64.233.162.199]) by sb7.songbird.com (8.12.11.20060308/8.12.11) with ESMTP id k4A9vtBp031861 for ; Wed, 10 May 2006 02:57:56 -0700 Message-Id: <200605100957.k4A9vtBp031861@sb7.songbird.com> Received: by nz-out-0102.google.com with SMTP id m22so1664192nzf for ; Wed, 10 May 2006 02:57:22 -0700 (PDT) DomainKey-Signature: a=rsa-sha1; q=dns; c=nofws; s=beta; d=googlemail.com; h=received:from:to:subject:date; b=itbNrMpynpFDGRA3H64TOv6bR4G2VheOanpQ+2ptQ6qXql7I3q+Wb42T5/7K2pRPUJyVyzJNaT2Lk9s2btWq7FOYeGTRvUapLbNQ/JJcrekaPkXT10YQCgYoxpo1UJVuE6zwj9cxpL2SFoKRdfaIjnEzdl3YTPoH7L8TPUSmsK0= Received: by 10.36.48.19 with SMTP id v19mr424437nzv; Wed, 10 May 2006 02:57:22 -0700 (PDT) Received: by 10.36.48.19 with SMTP id v19mr539291nzv; Wed, 10 May 2006 02:57:22 -0700 (PDT) From: Mail Delivery Subsystem To: gpc-talk-bounces@grizz.org Subject: Delivery Status Notification (Failure) Date: Wed, 10 May 2006 02:57:22 -0700 (PDT) X-SongbirdInformation: support@songbird.com for more information X-Songbird: Clean X-Songbird-From: This is an automatically generated Delivery Status Notification Delivery to the following recipient failed permanently: userx@example.com ----- Original message ----- Message removed flufl.bounce-3.0/flufl/bounce/tests/data/microsoft_01.txt0000664000175000017500000000314613051676163023740 0ustar barrybarry00000000000000Return-Path: Received: from bkb01-ims-01.ikon.com (bkb01-ims-01.ikon.com [205.145.1.251]) by plaidworks.com (8.12.2/8.12.2) with ESMTP id g94LJbkw021463 for ; Fri, 4 Oct 2002 14:19:37 -0700 (PDT) Received: by bkb01-ims-01.ikon.com with Internet Mail Service (5.5.2656.59) id <4C3HZXG8>; Fri, 4 Oct 2002 17:12:36 -0400 Message-ID: <44136F3E78E1C44EB52A3F95C986EAED09DB0AAB@BKB02-IMS-01.ikon.org> From: System Administrator To: pit-penguins-bounces@plaidworks.com Subject: Undeliverable: RE: Waiver draft results explained Date: Fri, 4 Oct 2002 17:12:35 -0400 MIME-Version: 1.0 X-Mailer: Internet Mail Service (5.5.2656.59) X-MS-Embedded-Report: Content-Type: multipart/mixed; boundary="----_=_NextPart_000_01C26BEA.C2970D56" This message is in MIME format. Since your mail reader does not understand this format, some or all of this message may not be legible. ------_=_NextPart_000_01C26BEA.C2970D56 Content-Type: text/plain; charset="iso-8859-1" Your message To: pit-penguins@plaidworks.com Subject: RE: Waiver draft results explained Sent: Fri, 4 Oct 2002 17:10:56 -0400 did not reach the following recipient(s): c=US;a= ;p=IKON;o=Nexus2;dda:SMTP=userx@example.COM; on Fri, 4 Oct 2002 17:12:28 -0400 The recipient name is not recognized The MTS-ID of the original message is: c=us;a= ;p=ikon;l=BKB02-IMS-010210042112TX06SNVK MSEXCH:IMS:IKON:Nexus2:BKB02-IMS-01 0 (000C05A6) Unknown Recipient ------_=_NextPart_000_01C26BEA.C2970D56 Content-Type: message/rfc822 Message removed ------_=_NextPart_000_01C26BEA.C2970D56-- flufl.bounce-3.0/flufl/bounce/tests/data/dsn_01.txt0000664000175000017500000001470513051676163022522 0ustar barrybarry00000000000000From VM Wed Oct 4 02:03:34 2000 Return-Path: Delivered-To: zzzzz@mail.wooz.org Received: from ns1.beopen.com (unknown [208.185.174.104]) by mail.wooz.org (Postfix) with ESMTP id 0E701D37D5 for ; Tue, 3 Oct 2000 18:33:46 -0400 (EDT) Received: from dinsdale.python.org (dinsdale.cnri.reston.va.us [132.151.1.21]) by ns1.beopen.com (8.9.3/8.9.3) with ESMTP id PAA65588 for ; Tue, 3 Oct 2000 15:34:07 -0700 (PDT) (envelope-from jpython-interest-admin@python.org) Received: from dinsdale.python.org (localhost [127.0.0.1]) by dinsdale.python.org (Postfix) with ESMTP id D2E691CC09 for ; Tue, 3 Oct 2000 18:32:02 -0400 (EDT) Delivered-To: jpython-interest-admin@python.org Received: from mta01f.seamail.go.com (mta01f.seamail.go.com [204.202.140.193]) by dinsdale.python.org (Postfix) with ESMTP id D33DA1CD8E for ; Tue, 3 Oct 2000 18:31:09 -0400 (EDT) Received: from msg00.seamail.go.com (msg00.seamail.go.com [10.212.0.32]) by mta01.seamail.go.com (Sun Internet Mail Server sims.4.0.2000.05.17.04.13.p6) with ESMTP id <0G1V0040VJN3RY@mta01.seamail.go.com> for jpython-interest-admin@python.org; Tue, 3 Oct 2000 14:57:04 -0700 (PDT) Received: from process-daemon by msg00.seamail.go.com (Sun Internet Mail Server sims.4.0.2000.05.17.04.13.p6) id <0G1V00701JN2C7@msg00.seamail.go.com> for jpython-interest-admin@python.org; Tue, 03 Oct 2000 14:57:02 -0700 (PDT) Received: from msg00.seamail.go.com (Sun Internet Mail Server sims.4.0.2000.05.17.04.13.p6) id <0G1V00703JN1C6@msg00.seamail.go.com>; Tue, 03 Oct 2000 14:57:02 -0700 (PDT) Message-id: <0G1V0070AJN2C6@msg00.seamail.go.com> MIME-version: 1.0 Content-type: MULTIPART/REPORT; BOUNDARY="Boundary_(ID_+h6gzBCYzjhP3wCVCkWTrg)"; REPORT-TYPE=DELIVERY-STATUS Errors-To: jpython-interest-owner@python.org Precedence: bulk List-Help: List-Post: List-Subscribe: , List-Id: Python for the JavaTM Platform List-Unsubscribe: , List-Archive: From: Internet Mail Delivery Sender: jpython-interest-owner@python.org To: jpython-interest-admin@python.org Subject: Delivery Notification: Delivery has failed Date: Tue, 03 Oct 2000 14:57:02 -0700 (PDT) X-BeenThere: jpython-interest@python.org X-Mailman-Version: 2.0beta6 --Boundary_(ID_+h6gzBCYzjhP3wCVCkWTrg) Content-type: text/plain; charset=ISO-8859-1 Content-transfer-encoding: 7BIT This report relates to a message you sent with the following header fields: Message-id: Date: Tue, 03 Oct 2000 19:28:29 +0000 (GMT) From: heiho1@example.com To: thaank@nl.example.org, jpython-interest@python.org Subject: [JPython] Re: JPython testing framework Your message cannot be delivered to the following recipients: Recipient address: userx@sims-ms-daemon Original address: userx@example.com Reason: recipient reached disk quota --Boundary_(ID_+h6gzBCYzjhP3wCVCkWTrg) Content-type: message/DELIVERY-STATUS Reporting-MTA: dns;msg00.seamail.go.com Action: failed Status: 5.0.0 (recipient reached disk quota) Original-recipient: rfc822;userx@example.com Final-recipient: rfc822;userx@sims-ms-daemon --Boundary_(ID_+h6gzBCYzjhP3wCVCkWTrg) Content-type: MESSAGE/RFC822 Return-path: jpython-interest-admin@python.org Received: from sims-ms-daemon by msg00.seamail.go.com (Sun Internet Mail Server sims.4.0.2000.05.17.04.13.p6) id <0G1V00703JN1C6@msg00.seamail.go.com>; Tue, 03 Oct 2000 14:57:01 -0700 (PDT) Received: from mta01.seamail.go.com (mta01.seamail.go.com [10.212.0.193]) by msg00.seamail.go.com (Sun Internet Mail Server sims.4.0.2000.05.17.04.13.p6) with ESMTP id <0G1V00L69JG1BD@msg00.seamail.go.com> for JimmyMcEgypt@sims-ms-daemon (ORCPT rfc822;JimmyMcEgypt@go.com); Tue, 03 Oct 2000 14:56:57 -0700 (PDT) Received: from dinsdale.python.org (dinsdale.cnri.reston.va.us [132.151.1.21]) by mta01.seamail.go.com (Sun Internet Mail Server sims.4.0.2000.05.17.04.13.p6) with ESMTP id <0G1V004NTCTFPX@mta01.seamail.go.com> for JimmyMcEgypt@msg00.seamail.go.com (ORCPT rfc822;JimmyMcEgypt@go.com); Tue, 03 Oct 2000 12:29:39 -0700 (PDT) Received: from dinsdale.python.org (localhost [127.0.0.1]) by dinsdale.python.org (Postfix) with ESMTP id 76FC61CF28; Tue, 03 Oct 2000 15:29:27 -0400 (EDT) Received: from hotmail.com (f121.pav1.hotmail.com [64.4.31.121]) by dinsdale.python.org (Postfix) with ESMTP id AFF4D1CD11 for ; Tue, 03 Oct 2000 15:28:28 -0400 (EDT) Received: from mail pickup service by hotmail.com with Microsoft SMTPSVC; Tue, 03 Oct 2000 12:28:29 -0700 Received: from 206.41.27.49 by pv1fd.pav1.hotmail.msn.com with HTTP; Tue, 03 Oct 2000 19:28:29 +0000 (GMT) Date: Tue, 03 Oct 2000 19:28:29 +0000 (GMT) From: heiho1@example.com Subject: [JPython] Re: JPython testing framework X-Originating-IP: [206.41.27.49] Sender: jpython-interest-admin@python.org To: thaank@nl.packardbell.org, jpython-interest@python.org Errors-to: jpython-interest-admin@python.org Message-id: MIME-version: 1.0 Content-type: text/plain; format=flowed Content-transfer-encoding: 7BIT Precedence: bulk Delivered-to: jpython-interest@python.org X-BeenThere: jpython-interest@python.org X-Mailman-Version: 2.0beta6 List-Post: List-Subscribe: , List-Unsubscribe: , List-Archive: List-Help: List-Id: Python for the JavaTM Platform X-OriginalArrivalTime: 03 Oct 2000 19:28:29.0320 (UTC) FILETIME=[1BD98080:01C02D70] Otto, Thanks for the reply. I remembered hearing of this PyUnit but had lost track of it for a while. I just visited the sourceforge homepage: --Boundary_(ID_+h6gzBCYzjhP3wCVCkWTrg)-- flufl.bounce-3.0/flufl/bounce/tests/data/yahoo_11.txt0000664000175000017500000000070413051154320023032 0ustar barrybarry00000000000000From: MAILER-DAEMON@yahoo.com To: user@bellsouth.net Date: Wed, 20 Feb 2013 15:50:26 -0000 Subject: Failure Notice Sorry, we were unable to deliver your message to the following address. : Remote host said: 550 5.1.1 : Recipient address rejected: aol.com [RCPT_TO] --- Below this line is a copy of the message. The following should not be found as we should have stopped looking. : flufl.bounce-3.0/flufl/bounce/tests/data/smtp32_06.txt0000664000175000017500000000114513051676163023065 0ustar barrybarry00000000000000Date: Fri, 18 Nov 2005 21:22:05 -0700 Message-Id: <10511182122.AA10923782@mail.value.net> Mime-Version: 1.0 Content-Type: text/plain; charset=us-ascii From: "Postmaster" Sender: To: Subject: Undeliverable Mail X-Mailer: X-RCPT-TO: Status: U X-UIDL: 430582473 Unknown user: Absolute_garbage_addr@example.net RCPT TO generated following response: 553 5.3.0 ... Addressee unknown, relay=[205.208.202.10] Original message follows. Message removed flufl.bounce-3.0/flufl/bounce/tests/data/dsn_11.txt0000664000175000017500000001436313051154320022505 0ustar barrybarry00000000000000Date: Sat, 26 Oct 2002 22:00:26 +0900 (JST) From: Mail Delivery Subsystem Message-Id: <200210261300.WAA27079@example.com> To: MIME-Version: 1.0 Content-Type: multipart/report; report-type=delivery-status; boundary="WAA27079.1035637226/example.com" Subject: Returned mail: User unknown Auto-Submitted: auto-generated (failure) X-Scanned-By: MIMEDefang 2.16 (www . roaringpenguin . com / mimedefang) X-Spam-Status: No, hits=-4.0 required=5.0 tests=ATTACH_DS,FAILURE_NOTICE_1,FAILURE_NOTICE_2,FROM_MAILER_DAEMON,MAILER_DAEMON,RCVD_IN_RFCI,SPAM_PHRASE_00_01 X-Spam-Level: This is a MIME-encapsulated message --WAA27079.1035637226/example.com The original message was received at Sat, 26 Oct 2002 22:00:24 +0900 (JST) from mailhub-nyc3-hme0.ny.ssmb.com [162.124.148.17] ----- The following addresses had permanent fatal errors ----- joem@example.com (expanded from: ) joem@example.com (expanded from: joem@example.com) joem@example.com (expanded from: joem@example.com) joem@example.com (expanded from: joem@example.com) joem@example.com (expanded from: joem@example.com) joem@example.com (expanded from: joem@example.com) joem@example.com (expanded from: joem@example.com) joem@example.com (expanded from: joem@example.com) joem@example.com (expanded from: joem@example.com) joem@example.com (expanded from: joem@example.com) ----- Transcript of session follows ----- 554 joem@example.com... aliasing/forwarding loop broken (11 aliases deep; 10 max) 550 joem@example.com... User unknown 550 joem@example.com... User unknown 550 joem@example.com... User unknown 550 joem@example.com... User unknown 550 joem@example.com... User unknown 550 joem@example.com... User unknown 550 joem@example.com... User unknown 550 joem@example.com... User unknown 550 joem@example.com... User unknown 550 joem@example.com... User unknown 550 ... User unknown --WAA27079.1035637226/example.com Content-Type: message/delivery-status Reporting-MTA: dns; example.com Received-From-MTA: DNS; mailhub-nyc3-hme0.ny.ssmb.com Arrival-Date: Sat, 26 Oct 2002 22:00:24 +0900 (JST) Final-Recipient: RFC822; Action: failed Status: 5.1.1 Last-Attempt-Date: Sat, 26 Oct 2002 22:00:26 +0900 (JST) Final-Recipient: RFC822; X-Actual-Recipient: RFC822; joem@example.com Action: failed Status: 5.1.1 Last-Attempt-Date: Sat, 26 Oct 2002 22:00:26 +0900 (JST) Final-Recipient: RFC822; X-Actual-Recipient: RFC822; joem@example.com Action: failed Status: 5.1.1 Last-Attempt-Date: Sat, 26 Oct 2002 22:00:26 +0900 (JST) Final-Recipient: RFC822; X-Actual-Recipient: RFC822; joem@example.com Action: failed Status: 5.1.1 Last-Attempt-Date: Sat, 26 Oct 2002 22:00:26 +0900 (JST) Final-Recipient: RFC822; X-Actual-Recipient: RFC822; joem@example.com Action: failed Status: 5.1.1 Last-Attempt-Date: Sat, 26 Oct 2002 22:00:26 +0900 (JST) Final-Recipient: RFC822; X-Actual-Recipient: RFC822; joem@example.com Action: failed Status: 5.1.1 Last-Attempt-Date: Sat, 26 Oct 2002 22:00:26 +0900 (JST) Final-Recipient: RFC822; X-Actual-Recipient: RFC822; joem@example.com Action: failed Status: 5.1.1 Last-Attempt-Date: Sat, 26 Oct 2002 22:00:26 +0900 (JST) Final-Recipient: RFC822; X-Actual-Recipient: RFC822; joem@example.com Action: failed Status: 5.1.1 Last-Attempt-Date: Sat, 26 Oct 2002 22:00:26 +0900 (JST) Final-Recipient: RFC822; X-Actual-Recipient: RFC822; joem@example.com Action: failed Status: 5.1.1 Last-Attempt-Date: Sat, 26 Oct 2002 22:00:26 +0900 (JST) Final-Recipient: RFC822; X-Actual-Recipient: RFC822; joem@example.com Action: failed Status: 5.1.1 Last-Attempt-Date: Sat, 26 Oct 2002 22:00:26 +0900 (JST) Final-Recipient: RFC822; X-Actual-Recipient: RFC822; joem@example.com Action: failed Status: 5.1.1 Last-Attempt-Date: Sat, 26 Oct 2002 22:00:26 +0900 (JST) --WAA27079.1035637226/example.com Content-Type: text/rfc822-headers Return-Path: Received: from mailhub-nyc3.ny.ssmb.com (mailhub-nyc3-hme0.ny.ssmb.com [162.124.148.17]) by example.com (8.8.8+Sun/8.8.8) with ESMTP id WAA27077 for ; Sat, 26 Oct 2002 22:00:24 +0900 (JST) Received: from imbarc-nj01.nj.ssmb.com (imbarc-nj01-1.nj.ssmb.com [150.110.115.169]) by mailhub-nyc3.ny.ssmb.com (8.9.3/8.9.3/SSMB-HUB) with ESMTP id JAA01226 for ; Sat, 26 Oct 2002 09:00:23 -0400 (EDT) Received: from imbavirus-nj02.nj.ssmb.com (imbavirus-nj02-1.nj.ssmb.com [150.110.235.232]) by imbarc-nj01.nj.ssmb.com (8.12.4/8.12.4/SSMB_QQQ_IN/1.1) with ESMTP id g9QD0ZtR020988 for ; Sat, 26 Oct 2002 09:00:35 -0400 (EDT) Received: (from uucp@localhost) by imbavirus-nj02.nj.ssmb.com (8.11.0/8.11.0/SSMB_AV/1.1) id g9QD0GF15020 for ; Sat, 26 Oct 2002 09:00:16 -0400 (EDT) Received: from nodnsquery(199.67.177.248) by imbavirus-nj02.nj.ssmb.com via csmap (V4.1) id srcAAA5gaqvD; Sat, 26 Oct 02 09:00:15 -0400 Received: from mail.python.org (mail.python.org [12.155.117.29]) by imbaspam-nj04.iplex.ssmb.com (8.12.5/8.12.5/SSMB_EXT/evision: 1.13 $) with ESMTP id g9QD0FnI008045 for ; Sat, 26 Oct 2002 09:00:15 -0400 (EDT) Received: from localhost.localdomain ([127.0.0.1] helo=mail.python.org) by mail.python.org with esmtp (Exim 4.05) id 185QXq-0004y2-00 for joem@example.com; Sat, 26 Oct 2002 09:00:02 -0400 MIME-Version: 1.0 Content-Type: text/plain; charset="us-ascii" Content-Transfer-Encoding: 7bit From: mailman-developers-request@python.org To: joem@example.com Subject: confirm e70bc3961da9f415027185c8634596f7b226815a Message-ID: Date: Sat, 26 Oct 2002 09:00:01 -0400 Precedence: bulk X-BeenThere: mailman-developers@python.org X-Mailman-Version: 2.1b4 X-List-Administrivia: yes List-Id: GNU Mailman developers Sender: mailman-developers-bounces@python.org Errors-To: mailman-developers-bounces@python.org X-Spam-Score: -1.1 () NO_REAL_NAME X-Scanned-By: MIMEDefang 2.16 (www . roaringpenguin . com / mimedefang) --WAA27079.1035637226/example.com-- flufl.bounce-3.0/flufl/bounce/tests/data/simple_10.txt0000664000175000017500000000401113051676163023214 0ustar barrybarry00000000000000Return-Path: Received: from netmail03.thehartford.com (hfdmailgate.thehartford.com [162.136.189.90]) by sb7.songbird.com (8.12.11/8.12.11) with ESMTP id k23KA05D028804 (version=TLSv1/SSLv3 cipher=EDH-RSA-DES-CBC3-SHA bits=168 verify=NO) for ; Fri, 3 Mar 2006 12:10:01 -0800 Received: from hfdzixvpm004.thehartford.com (hfdzixvpm004.thehartford.com [10.129.67.20]) by netmail03.thehartford.com (Switch-3.1.7/Switch-3.1.7) with ESMTP id k23K9Mj8024526 for ; Fri, 3 Mar 2006 15:09:22 -0500 (EST) Received: from hfdzixvpm004.thehartford.com (ZixVPM [127.0.0.1]) by Outbound.thehartford.com (Proprietary) with ESMTP id 6702827002F for ; Fri, 3 Mar 2006 15:09:22 -0500 (EST) Received: from ad2simmsw007.ad2.prod (ad2simmsw007.ad2.prod [172.30.84.92]) by hfdzixvpm004.thehartford.com (Proprietary) with ESMTP id 4C653284090 for ; Fri, 3 Mar 2006 15:09:22 -0500 (EST) Received: from AD1SIMEXI301.ad1.prod (ad1simexi301.ad1.prod) by ad2simmsw007.ad2.prod (Content Technologies SMTPRS 4.3.17) with ESMTP id for ; Fri, 3 Mar 2006 15:09:21 -0500 Received: from AD1HFDEXI301.ad1.prod ([10.129.76.24]) by AD1SIMEXI301.ad1.prod with Microsoft SMTPSVC(6.0.3790.211); Fri, 3 Mar 2006 15:09:21 -0500 From: postmaster@thehartford.com To: gpc-talk-bounces@grizz.org Date: Fri, 3 Mar 2006 15:09:20 -0500 MIME-Version: 1.0 Content-Type: Text/Plain X-DSNContext: 335a7efd - 4523 - 00000001 - 80040546 Message-ID: Subject: Delivery Status Notification (Failure) X-OriginalArrivalTime: 03 Mar 2006 20:09:21.0200 (UTC) FILETIME=[5BF47300:01C63EFE] X-SongbirdInformation: support@songbird.com for more information X-Songbird: Found to be clean X-Songbird-From: This is an automatically generated Delivery Status Notification. Delivery to the following recipients failed. userx@example.com flufl.bounce-3.0/flufl/bounce/tests/data/simple_21.txt0000664000175000017500000000406113051676163023223 0ustar barrybarry00000000000000Return-Path: Received: from smtp6-haw.bigfish.com (smtp-haw.frontbridge.com [12.129.219.126]) by sb7.songbird.com (8.12.11.20060308/8.12.11) with ESMTP id k55EO4mF019544 (version=TLSv1/SSLv3 cipher=EDH-RSA-DES-CBC3-SHA bits=168 verify=FAIL) for ; Mon, 5 Jun 2006 07:24:04 -0700 Received: from outbound2-ash.bigfish.com (unknown [192.168.52.1]) by smtp6-haw.bigfish.com (Postfix) with ESMTP id 8154B66A1DAC for ; Mon, 5 Jun 2006 14:23:30 +0000 (UTC) Received: from mail43-ash-R.bigfish.com (unknown [172.18.2.3]) by outbound2-ash.bigfish.com (Postfix) with ESMTP id 622388946DE for ; Mon, 5 Jun 2006 14:23:30 +0000 (UTC) Received: from mail43-ash.bigfish.com (localhost.localdomain [127.0.0.1]) by mail43-ash-R.bigfish.com (Postfix) with ESMTP id 5400FA2F645 for ; Mon, 5 Jun 2006 14:23:30 +0000 (UTC) X-BigFish: V Received: by mail43-ash (MessageSwitch) id 1149517410316439_20007; Mon, 5 Jun 2006 14:23:30 +0000 (UCT) Received: from user (mail-cpk.bigfish.com [207.46.163.10]) by mail43-ash.bigfish.com (Postfix) with SMTP id 299DEA2EF77 for ; Mon, 5 Jun 2006 14:23:30 +0000 (UTC) MIME-Version: 1.0 Content-Type: text/plain From: MAILER-DAEMON@sb7.songbird.com (Mail Delivery System) To: gpc-talk-bounces@grizz.org Subject: Warning: message has not yet been delivered Message-Id: <20060605142330.299DEA2EF77@mail43-ash.bigfish.com> Date: Mon, 5 Jun 2006 14:23:30 +0000 (UTC) X-SongbirdInformation: support@songbird.com for more information X-Songbird: Clean X-Songbird-From: Content-Transfer-Encoding: 8bit X-MIME-Autoconverted: from quoted-printable to 8bit by sb7.songbird.com id k55EO4mF019544 This is an automated message created by mail delivery software. Your message to: userx@example.com has not yet been delivered because the recipient server did not respond. This is just a warning, you do not need to take any action. We will continue to attempt delivery of this message for 5 days. flufl.bounce-3.0/flufl/bounce/tests/data/yahoo_05.txt0000664000175000017500000000407013051676163023053 0ustar barrybarry00000000000000Return-Path: Received: from mx04.mrf.mail.rcn.net ([207.172.4.53] [207.172.4.53]) by mta05.mrf.mail.rcn.net with ESMTP id <20020403160106.EMCB19155.mta05.mrf.mail.rcn.net@mx04.mrf.mail.rcn.net>; Wed, 3 Apr 2002 11:01:06 -0500 Received: from milliways.osl.iu.edu ([129.79.245.239]) by mx04.mrf.mail.rcn.net with esmtp (Exim 3.35 #5) id 16snC5-0003g7-00 for david.abrahams@rcn.com; Wed, 03 Apr 2002 11:01:06 -0500 Received: from milliways.osl.iu.edu (localhost [127.0.0.1]) by milliways.osl.iu.edu (8.11.6/8.11.6/IUCS_2.44) with ESMTP id g33G10A24726; Wed, 3 Apr 2002 11:01:00 -0500 Received: from mta414.mail.yahoo.com (mta414.mail.yahoo.com [216.136.128.66]) by milliways.osl.iu.edu (8.11.6/8.11.6/IUCS_2.44) with SMTP id g33G02A24708 for ; Wed, 3 Apr 2002 11:00:03 -0500 Date: Wed, 3 Apr 2002 11:00:03 -0500 Message-Id: <200204031600.g33G02A24708@milliways.osl.iu.edu> From: MAILER-DAEMON@yahoo.com To: boost-admin@lists.boost.org X-Loop: MAILER-DAEMON@yahoo.com Subject: Delivery failure Sender: boost-owner@lists.boost.org Errors-To: boost-owner@lists.boost.org X-BeenThere: boost@lists.boost.org X-Mailman-Version: 2.0.8 Precedence: bulk List-Help: List-Post: List-Subscribe: , List-Id: Boost mailing list List-Unsubscribe: , List-Archive: Message from yahoo.com. Unable to deliver message to the following address(es). : Sorry your message to userx@example.com cannot be delivered. This account has been disabled or discontinued. : Sorry your message to usery@example.com cannot be delivered. This account has been disabled or discontinued. --- Original message follows. Message removed flufl.bounce-3.0/flufl/bounce/tests/data/postfix_01.txt0000664000175000017500000000530213051676163023423 0ustar barrybarry00000000000000From VM Tue Oct 3 18:16:48 2000 Return-Path: Delivered-To: zzzzz@mail.wooz.org Received: from ns1.beopen.com (unknown [208.185.174.104]) by mail.wooz.org (Postfix) with ESMTP id 0C841D37D5 for ; Tue, 3 Oct 2000 18:08:44 -0400 (EDT) Received: from dinsdale.python.org (dinsdale.cnri.reston.va.us [132.151.1.21]) by ns1.beopen.com (8.9.3/8.9.3) with ESMTP id PAA65355 for ; Tue, 3 Oct 2000 15:09:08 -0700 (PDT) (envelope-from mailman-developers-admin@python.org) Received: from dinsdale.python.org (localhost [127.0.0.1]) by dinsdale.python.org (Postfix) with ESMTP id 2EF421CDC9 for ; Tue, 3 Oct 2000 18:07:03 -0400 (EDT) Delivered-To: mailman-developers-admin@python.org Received: by dinsdale.python.org (Postfix) via BOUNCE id 7CE611CE55; Tue, 3 Oct 2000 18:06:58 -0400 (EDT) MIME-Version: 1.0 Content-Type: multipart/mixed; boundary="BDD021CF6B.970610818/dinsdale.python.org" Message-Id: <20001003220658.7CE611CE55@dinsdale.python.org> Errors-To: mailman-developers-owner@python.org Precedence: bulk List-Help: List-Post: List-Subscribe: , List-Id: Mailman mailing list developers List-Unsubscribe: , List-Archive: From: MAILER-DAEMON@python.org (Mail Delivery System) Sender: mailman-developers-owner@python.org To: mailman-developers-admin@python.org Subject: Undelivered Mail Returned to Sender Date: Tue, 3 Oct 2000 18:06:58 -0400 (EDT) X-BeenThere: mailman-developers@python.org X-Mailman-Version: 2.0beta6 This is a MIME-encapsulated message. --BDD021CF6B.970610818/dinsdale.python.org Content-Description: Notification Content-Type: text/plain This is the Postfix program at host dinsdale.python.org. I'm sorry to have to inform you that the message returned below could not be delivered to one or more destinations. For further assistance, please contact If you do so, please include this problem report. You can delete your own text from the message returned below. The Postfix program : host mail.local.ie[195.7.46.14] said: 550 5.1.1 ... User unknown --BDD021CF6B.970610818/dinsdale.python.org Content-Description: Undelivered Message Content-Type: message/rfc822 Message removed --BDD021CF6B.970610818/dinsdale.python.org-- flufl.bounce-3.0/flufl/bounce/tests/data/bounce_02.txt0000664000175000017500000000307513051676163023210 0ustar barrybarry00000000000000From: E500_SMTP_Mail_Service@example.org To: Subject: Returned Mail - Error During Delivery Date: Wed, 20 Nov 2002 19:58:47 -0500 (EST) X-Virus-Scanned: by amavisd-milter (http://amavis.org/) ------ Failed Recipients ------ : Requested action not taken: mailbox unavailable. [SMTP Error Code 550] -------- Returned Mail -------- Received: from tnmx01.mgw.rr.com(24.165.200.11) by tnav01.midsouth.rr.com via csmap id 26013; Wed, 20 Nov 2002 19:58:47 -0500 (EST) Received: from lerami.example.org (lerami.lerctr.org [207.158.72.11]) by tnmx01.mgw.rr.com (8.12.5/8.12.5) with ESMTP id gAL0wLBM020447 for ; Wed, 20 Nov 2002 19:58:21 -0500 (EST) Received: from lerami.example.org (localhost [127.0.0.1]) by lerami.example.org (8.12.6/8.12.6/20020902/$Revision: 5940 $) with ESMTP id gAL0wHwV016400 for ; Wed, 20 Nov 2002 18:58:18 -0600 (CST) MIME-Version: 1.0 Content-Type: text/plain; charset="us-ascii" Content-Transfer-Encoding: 7bit Subject: You have been unsubscribed from the MacArthur1975 mailing list From: macarthur1975-bounces@example.org To: userx@example.com Message-ID: Date: Wed, 20 Nov 2002 18:58:16 -0600 Precedence: bulk X-BeenThere: macarthur1975@example.org X-Mailman-Version: 2.1b4 List-Id: MacArthur Class of 1975 Discussion X-List-Administrivia: yes Sender: macarthur1975-bounces@example.org Errors-To: macarthur1975-bounces@example.org X-Virus-Scanned: by amavisd-milter (http://amavis.org/) flufl.bounce-3.0/flufl/bounce/tests/data/newmailru_01.txt0000664000175000017500000000442113051676163023733 0ustar barrybarry00000000000000From VM Thu Dec 7 15:07:27 2000 Return-Path: Delivered-To: bxxxxx@mail.wooz.org Received: from dinsdale.python.org (dinsdale.python.org [132.151.1.21]) by mail.wooz.org (Postfix) with ESMTP id 276A9D37DB for ; Thu, 7 Dec 2000 15:03:20 -0500 (EST) Received: from dinsdale.python.org (localhost [127.0.0.1]) by dinsdale.python.org (Postfix) with ESMTP id 13CF11CFD2 for ; Thu, 7 Dec 2000 14:58:02 -0500 (EST) Delivered-To: python-list-admin@python.org Received: from grif.newmail.ru (grif.newmail.ru [212.48.140.154]) by dinsdale.python.org (Postfix) with SMTP id D9F021CFD2 for ; Thu, 7 Dec 2000 14:57:26 -0500 (EST) Received: (qmail 1933 invoked for bounce); 7 Dec 2000 19:57:26 -0000 Content-Type: text/plain; charset=koi8-r Message-Id: <20001207195726.D9F021CFD2@dinsdale.python.org> Errors-To: python-list-owner@python.org Precedence: bulk List-Help: List-Post: List-Subscribe: , List-Id: General discussion list for the Python programming language List-Unsubscribe: , List-Archive: From: MAILER-DAEMON@grif.newmail.ru Sender: python-list-owner@python.org To: python-list-admin@python.org Subject: failure notice Date: 7 Dec 2000 19:57:26 -0000 X-BeenThere: python-list@python.org X-Mailman-Version: 2.0 This is the machine generated message from mail service. Unfortunately, we were not able to deliver your message to the following address(es): üÔÏ ÓÏÏÂÝÅÎÉÅ ÓÏÚÄÁÎÏ Á×ÔÏÍÁÔÉÞÅÓËÉ mail-ÓÅÒ×ÉÓÏÍ. ë ÓÏÖÁÌÅÎÉÀ, ÎÅ×ÏÚÍÏÖÎÏ ÄÏÓÔÁ×ÉÔØ ÓÏÏÂÝÅÎÉÅ ÐÏ ÓÌÅÄÕÀÝÅÍÕ ÁÄÒÅÓÕ: : This person's account is exceeding their quota. --- Below the next line is a copy of the message. --- îÉÖÅ ÜÔÏÊ ÌÉÎÉÉ ÎÁÈÏÄÉÔÓÑ ËÏÐÉÑ ÓÏÏÂÝÅÎÉÑ. Return-Path: Received: (qmail 1924 invoked from network); 7 Dec 2000 19:57:26 -0000 Received: from unknown (HELO dinsdale.python.org) (132.151.1.21) Message truncated flufl.bounce-3.0/flufl/bounce/tests/data/yahoo_02.txt0000664000175000017500000000056313051676163023053 0ustar barrybarry00000000000000From: To: Subject: Delivery failure Date: Wednesday, April 03, 2002 5:56 AM Message from yahoo.es. Unable to deliver message to the following address(es). : Sorry, your message to userx@example.es cannot be delivered. This account is over quota. --- Original message follows. Message removed flufl.bounce-3.0/flufl/bounce/tests/data/qmail_05.txt0000664000175000017500000000171013051676163023035 0ustar barrybarry00000000000000Return-Path: Received: from outbound20-2.nyc.untd.com (outbound20-2.nyc.untd.com [64.136.20.160]) by sb7.songbird.com (8.12.11.20060308/8.12.11) with SMTP id k5BBPhZR024133 for ; Sun, 11 Jun 2006 04:25:43 -0700 Message-Id: <200606111125.k5BBPhZR024133@sb7.songbird.com> Received: (qmail 29409 invoked for bounce); 11 Jun 2006 11:25:12 -0000 Date: 11 Jun 2006 11:25:12 -0000 From: MAILER-DAEMON@mx06.nyc.untd.com To: wed_ride-bounces@grizz.org Subject: Mail Not Delivered X-SongbirdInformation: support@songbird.com for more information X-Songbird: Clean X-Songbird-From: Unfortunately, your mail was not delivered to the following address: : 64.136.25.171 does not like recipient. Remote host said: 550 : Recipient address rejected: User unknown in virtual alias table Giving up on 64.136.25.171. --- Below this line is a copy of the message. Message removed flufl.bounce-3.0/flufl/bounce/tests/data/simple_03.txt0000664000175000017500000000647413051676163023235 0ustar barrybarry00000000000000From VM Mon Apr 2 02:29:26 2001 X-VM-v5-Data: ([nil nil nil nil nil nil t nil nil] [nil "Monday" "2" "April" "2001" "08:27:16" "+0200" "Mail Delivery System" "Mailer-Daemon@pop3.pta.lia.net" nil "18" "Warning: message 14jRTi-0007jE-00 delayed 24 hours" "^From:" "python-list-admin@python.org" "python-list-admin@python.org" "4" nil nil nil nil nil] nil) Return-Path: Delivered-To: userw@example.org Received: from example.com (host15.digitalcreations.d.subnet.rcn.com [208.59.6.15]) by mail.example.org (Postfix) with ESMTP id 458FAD3757 for ; Mon, 2 Apr 2001 02:25:41 -0400 (EDT) Received: from by example.com (CommuniGate Pro RULES 3.4) with RULES id 1746501; Mon, 02 Apr 2001 02:27:54 -0400 Received: from ns2.example.com ([216.164.72.2] verified) by example.com (CommuniGate Pro SMTP 3.4) with ESMTP id 1746500 for usery@mail.example.com; Mon, 02 Apr 2001 02:27:54 -0400 Received: from mail.python.org (mail.python.org [63.102.49.29]) by ns2.example.com (8.9.3/8.9.3) with ESMTP id CAA09080 for ; Mon, 2 Apr 2001 02:28:02 -0400 Received: from localhost.localdomain ([127.0.0.1] helo=mail.python.org) by mail.python.org with esmtp (Exim 3.21 #1) id 14jxoo-0003mt-00 for usery@example.com; Mon, 02 Apr 2001 02:28:02 -0400 Received: from [196.22.216.11] (helo=pop3.pta.lia.net ident=root) by mail.python.org with esmtp (Exim 3.21 #1) id 14jxo8-0003hg-00 for python-list-admin@python.org; Mon, 02 Apr 2001 02:27:23 -0400 Received: from root by pop3.pta.lia.net with local (Exim 1.92 #1) for python-list-admin@python.org id 14jxo4-00007H-00; Mon, 2 Apr 2001 08:27:16 +0200 Message-Id: Precedence: bulk List-Help: List-Post: List-Subscribe: , List-Id: General discussion list for the Python programming language List-Unsubscribe: , List-Archive: From: Mail Delivery System Sender: python-list-owner@python.org To: python-list-admin@python.org Subject: Warning: message 14jRTi-0007jE-00 delayed 24 hours Date: Mon, 2 Apr 2001 08:27:16 +0200 X-Autogenerated: Mirror X-Mirrored-by: X-BeenThere: python-list@python.org X-Mailman-Version: 2.0.3 (101270) This message was created automatically by mail delivery software. A message that you sent has not yet been delivered to all its recipients after more than 24 hours on the queue on pop3.pta.lia.net. The message identifier is: 14jRTi-0007jE-00 The subject of the message is: I want to learn PYTHON! The date of the message is: Sat, 31 Mar 2001 14:33:06 -0500 The address to which the message has not yet been delivered is: userx@example.za No action is required on your part. Delivery attempts will continue for some time, and this warning may be repeated at intervals if the message remains undelivered. Eventually the mail delivery software will give up, and when that happens, the message will be returned to you. flufl.bounce-3.0/flufl/bounce/tests/data/simple_19.txt0000664000175000017500000000216513051676163023235 0ustar barrybarry00000000000000Return-Path: Received: from cumeils.prima.com.ar (cumeil9.prima.net.ar [200.42.0.151] (may be forged)) by sb7.songbird.com (8.12.11.20060308/8.12.11) with SMTP id k4M8xpB2026035 for ; Mon, 22 May 2006 01:59:51 -0700 Message-Id: <200605220859.k4M8xpB2026035@sb7.songbird.com> Received: (qmail 37041 invoked for bounce); 22 May 2006 08:59:18 -0000 Date: 22 May 2006 08:59:18 -0000 From: MAILER-DAEMON@cumeils.prima.com.ar To: gpc-talk-bounces@grizz.org MIME-Version: 1.0 Content-Type: multipart/mixed; boundary="1148288358cumeils.prima.com.ar967579" Subject: failure notice X-SongbirdInformation: support@songbird.com for more information X-Songbird: Clean X-Songbird-From: --1148288358cumeils.prima.com.ar967579 (cumeils.prima.com.ar) Su mensaje no pudo ser entregado - Sua mensagem nao pode ser enviada - Your message could not be delivered. : Sorry, no mailbox here by that name. (#5.1.1) --- Mensaje original adjunto. --1148288358cumeils.prima.com.ar967579 Content-Type: message/rfc822 Message removed --1148288358cumeils.prima.com.ar967579-- flufl.bounce-3.0/flufl/bounce/tests/test_detectors.py0000664000175000017500000000376313051676163023373 0ustar barrybarry00000000000000"""Test the bounce detection modules.""" import unittest from contextlib import closing from email import message_from_binary_file as parse, message_from_string from flufl.bounce._detectors.caiwireless import Caiwireless from flufl.bounce._detectors.microsoft import Microsoft from flufl.bounce._detectors.smtp32 import SMTP32 from flufl.bounce._scan import scan_message from pkg_resources import resource_stream COMMASPACE = b', ' class TestOtherBounces(unittest.TestCase): def test_SMTP32_failure(self): # This file has no X-Mailer: header with closing(resource_stream('flufl.bounce.tests.data', 'postfix_01.txt')) as fp: msg = parse(fp) self.failIf(msg['x-mailer'] is not None) temporary, permanent = SMTP32().process(msg) self.failIf(temporary) self.failIf(permanent) def test_caiwireless(self): # BAW: this is a mostly bogus test; I lost the samples. :( msg = message_from_string("""\ Content-Type: multipart/report; boundary=BOUNDARY --BOUNDARY --BOUNDARY-- """) temporary, permanent = Caiwireless().process(msg) self.failIf(temporary) self.failIf(permanent) def test_microsoft(self): # BAW: similarly as above, I lost the samples. :( msg = message_from_string("""\ Content-Type: multipart/report; boundary=BOUNDARY --BOUNDARY --BOUNDARY-- """) temporary, permanent = Microsoft().process(msg) self.failIf(temporary) self.failIf(permanent) def test_caiwireless_lp_917720(self): # https://bugs.launchpad.net/flufl.bounce/+bug/917720 with closing(resource_stream('flufl.bounce.tests.data', 'simple_01.txt')) as fp: msg = parse(fp) self.assertEqual(scan_message(msg), set([b'bbbsss@example.com'])) class TestDetectors(unittest.TestCase): # This is a pure placeholder for the nose2 plugin in # flufl.bounce.testing.helpers.Detectors. pass flufl.bounce-3.0/flufl/bounce/README.rst0000664000175000017500000000407213051672602020277 0ustar barrybarry00000000000000======================================= flufl.bounce - Email bounce detectors ======================================= The `flufl.bounce` library provides a set of heuristics and an API for detecting the original bouncing email addresses from a bounce message. Many formats found in the wild are supported, as are VERP_ and RFC 3464 (DSN_). Requirements ============ `flufl.bounce` requires Python 3.4 or newer. Documentation ============= A `simple guide`_ to using the library is available within this package. Project details =============== * Project home: https://gitlab.com/warsaw/flufl.bounce * Report bugs at: https://gitlab.com/warsaw/flufl.bounce/issues * Code: https://gitlab.com/warsaw/flufl.bounce.git * Documentation: http://fluflbounce.readthedocs.io/ you can install it with ``pip``:: % pip install flufl.bounce You can grab the latest development copy of the code using git. The master repository is hosted on GitLab. If you have git installed, you can grab your own branch of the code like this:: $ git clone https://gitlab.com/warsaw/flufl.bounce.git You may contact the author via barry@python.org. Copyright ========= Copyright (C) 2004-2017 Barry A. Warsaw Licensed under the Apache License, Version 2.0 (the "License"); you may not use this file except in compliance with the License. You may obtain a copy of the License at http://www.apache.org/licenses/LICENSE-2.0 Unless required by applicable law or agreed to in writing, software distributed under the License is distributed on an "AS IS" BASIS, WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. See the License for the specific language governing permissions and limitations under the License. Table of Contents ================= .. toctree:: docs/using.rst NEWS.rst .. _DSN: http://www.faqs.org/rfcs/rfc3464.html .. _VERP: http://en.wikipedia.org/wiki/Variable_envelope_return_path .. _`simple guide`: docs/using.html .. _`virtualenv`: http://www.virtualenv.org/en/latest/index.html .. _`zope.interface`: https://pypi.python.org/pypi/zope.interface flufl.bounce-3.0/flufl/bounce/testing/0000775000175000017500000000000013051700115020251 5ustar barrybarry00000000000000flufl.bounce-3.0/flufl/bounce/testing/__init__.py0000664000175000017500000000000013051672602022361 0ustar barrybarry00000000000000flufl.bounce-3.0/flufl/bounce/testing/helpers.py0000664000175000017500000002626213051676163022314 0ustar barrybarry00000000000000import os import email import doctest import logging from contextlib import closing from email import message_from_binary_file as parse from importlib import import_module from nose2.events import Plugin from pkg_resources import resource_stream from unittest import TestCase DOCTEST_FLAGS = ( doctest.ELLIPSIS | doctest.NORMALIZE_WHITESPACE | doctest.REPORT_NDIFF) def setup(testobj): """Test setup.""" testobj.globs['parse'] = email.message_from_bytes def initialize(plugin): """Initialize logging for the test suite. Normally, an application would itself initialize the flufl.bounce logger, but when the test suite is run, it is the controlling application. Sometimes when you run the test suite, you want additional debugging, so you can set the logging level via an environment variable $FLUFL_LOGGING. This variable can be a set of semi-colon separated key-value pairs, themselves separated by an equal sign. The keys and values can be anything accepted by `logging.basicConfig()`. """ kwargs = {} envar = os.environ.get('FLUFL_LOGGING') if envar is not None: for key_value in envar.split(';'): key, equals, value = key_value.partition('=') kwargs[key] = value logging.basicConfig(**kwargs) class Detectors(Plugin): configSection = 'detectors' class DataTest(TestCase): def __init__(self, data): super().__init__('run_test') if len(data) == 3: bounce_module, filename, expected = data self.is_temporary = False else: bounce_module, filename, expected, self.is_temporary = data self.expected = set(expected) self.description = '{}: [{}] detecting {} in {}'.format( bounce_module, ('T' if self.is_temporary else 'P'), self.expected, filename) module_name = 'flufl.bounce._detectors.{}'.format(bounce_module) module = import_module(module_name) with closing(resource_stream( 'flufl.bounce.tests.data', filename)) as fp: self.message = parse(fp) missing = object() for name in getattr(module, '__all__', []): component_class = getattr(module, name, missing) if component_class is missing: raise RuntimeError( 'skipping missing __all__ entry: {}'.format(name)) self.component = component_class() def run_test(self): # XXX 2011-07-02: We don't currently test temporary failures. temporary, permanent = self.component.process(self.message) got = (set(temporary) if self.is_temporary else set(permanent)) self.assertEqual(got, self.expected) def loadTestsFromTestCase(self, event): if event.testCase.__name__ is not 'TestDetectors': return for data in DATA: event.extraTests.append(Detectors.DataTest(data)) def describeTest(self, event): if event.test.__class__ is Detectors.DataTest: event.description = event.test.description event.handled = True DATA = ( # Postfix bounces ('postfix', 'postfix_01.txt', [b'xxxxx@local.ie']), ('postfix', 'postfix_02.txt', [b'yyyyy@digicool.com']), ('postfix', 'postfix_03.txt', [b'ttttt@ggggg.com']), ('postfix', 'postfix_04.txt', [b'userx@mail1.example.com']), ('postfix', 'postfix_05.txt', [b'userx@example.net']), # Exim bounces ('exim', 'exim_01.txt', [b'userx@its.example.nl']), # SimpleMatch bounces ('simplematch', 'sendmail_01.txt', [b'zzzzz@shaft.coal.nl', b'zzzzz@nfg.nl']), ('simplematch', 'simple_01.txt', [b'bbbsss@example.com']), ('simplematch', 'simple_02.txt', [b'userx@example.net']), ('simplematch', 'simple_04.txt', [b'userx@example.com']), ('simplematch', 'newmailru_01.txt', [b'zzzzz@newmail.ru']), ('simplematch', 'hotpop_01.txt', [b'userx@example.com']), ('simplematch', 'microsoft_03.txt', [b'userx@example.com']), ('simplematch', 'simple_05.txt', [b'userx@example.net']), ('simplematch', 'simple_06.txt', [b'userx@example.com']), ('simplematch', 'simple_07.txt', [b'userx@example.net']), ('simplematch', 'simple_08.txt', [b'userx@example.de']), ('simplematch', 'simple_09.txt', [b'userx@example.de']), ('simplematch', 'simple_10.txt', [b'userx@example.com']), ('simplematch', 'simple_11.txt', [b'userx@example.com']), ('simplematch', 'simple_12.txt', [b'userx@example.ac.jp']), ('simplematch', 'simple_13.txt', [b'userx@example.fr']), ('simplematch', 'simple_14.txt', [b'userx@example.com', b'usery@example.com']), ('simplematch', 'simple_15.txt', [b'userx@example.be']), ('simplematch', 'simple_16.txt', [b'userx@example.com']), ('simplematch', 'simple_17.txt', [b'userx@example.com']), ('simplematch', 'simple_18.txt', [b'userx@example.com']), ('simplematch', 'simple_19.txt', [b'userx@example.com.ar']), ('simplematch', 'simple_20.txt', [b'userx@example.com']), ('simplematch', 'simple_23.txt', [b'userx@example.it']), ('simplematch', 'simple_24.txt', [b'userx@example.com']), ('simplematch', 'simple_25.txt', [b'userx@example.com']), ('simplematch', 'simple_26.txt', [b'userx@example.it']), ('simplematch', 'simple_27.txt', [b'userx@example.net.py']), ('simplematch', 'simple_29.txt', [b'userx@example.com']), ('simplematch', 'simple_30.txt', [b'userx@example.com']), ('simplematch', 'simple_31.txt', [b'userx@example.fr']), ('simplematch', 'simple_32.txt', [b'userx@example.com']), ('simplematch', 'simple_33.txt', [b'userx@example.com']), ('simplematch', 'simple_34.txt', [b'roland@example.com']), ('simplematch', 'simple_36.txt', [b'userx@example.com']), ('simplematch', 'simple_37.txt', [b'user@example.edu']), ('simplematch', 'simple_38.txt', [b'userx@example.com']), ('simplematch', 'simple_39.txt', [b'userx@example.ru']), ('simplematch', 'simple_41.txt', [b'userx@example.com']), ('simplematch', 'bounce_02.txt', [b'userx@example.com']), ('simplematch', 'bounce_03.txt', [b'userx@example.uk']), # SimpleWarning ('simplewarning', 'simple_03.txt', [b'userx@example.za'], True), ('simplewarning', 'simple_21.txt', [b'userx@example.com'], True), ('simplewarning', 'simple_22.txt', [b'User@example.org'], True), ('simplewarning', 'simple_28.txt', [b'userx@example.com'], True), ('simplewarning', 'simple_35.txt', [b'calvin@example.com'], True), ('simplewarning', 'simple_40.txt', [b'user@example.com'], True), # GroupWise ('groupwise', 'groupwise_01.txt', [b'userx@example.EDU']), # This one really sucks 'cause it's text/html. Just make sure it # doesn't throw an exception, but we won't get any meaningful # addresses back from it. ('groupwise', 'groupwise_02.txt', []), # Actually, it's from Exchange, and Exchange does recognize it ('exchange', 'groupwise_02.txt', [b'userx@example.com']), # Not a bounce but has confused groupwise ('groupwise', 'groupwise_03.txt', []), # Yale's own ('yale', 'yale_01.txt', [b'userx@cs.yale.edu', b'userx@yale.edu']), # DSN, i.e. RFC 1894 ('dsn', 'dsn_01.txt', [b'userx@example.com']), ('dsn', 'dsn_02.txt', [b'zzzzz@example.uk']), ('dsn', 'dsn_03.txt', [b'userx@example.be']), ('dsn', 'dsn_04.txt', [b'userx@example.ch']), ('dsn', 'dsn_05.txt', [b'userx@example.cz'], True), ('dsn', 'dsn_06.txt', [b'userx@example.com'], True), ('dsn', 'dsn_07.txt', [b'userx@example.nz'], True), ('dsn', 'dsn_08.txt', [b'userx@example.de'], True), ('dsn', 'dsn_09.txt', [b'userx@example.com']), ('dsn', 'dsn_10.txt', [b'anne.person@dom.ain']), ('dsn', 'dsn_11.txt', [b'joem@example.com']), ('dsn', 'dsn_12.txt', [b'userx@example.jp']), ('dsn', 'dsn_13.txt', [b'userx@example.com']), ('dsn', 'dsn_14.txt', [b'userx@example.com.dk']), ('dsn', 'dsn_15.txt', [b'userx@example.com']), ('dsn', 'dsn_16.txt', [b'userx@example.com']), ('dsn', 'dsn_17.txt', [b'userx@example.fi'], True), # Microsoft Exchange ('exchange', 'microsoft_01.txt', [b'userx@example.COM']), ('exchange', 'microsoft_02.txt', [b'userx@example.COM']), # SMTP32 ('smtp32', 'smtp32_01.txt', [b'userx@example.ph']), ('smtp32', 'smtp32_02.txt', [b'userx@example.com']), ('smtp32', 'smtp32_03.txt', [b'userx@example.com']), ('smtp32', 'smtp32_04.txt', [b'after_another@example.net', b'one_bad_address@example.net']), ('smtp32', 'smtp32_05.txt', [b'userx@example.com']), ('smtp32', 'smtp32_06.txt', [b'Absolute_garbage_addr@example.net']), ('smtp32', 'smtp32_07.txt', [b'userx@example.com']), # Qmail ('qmail', 'qmail_01.txt', [b'userx@example.de']), ('qmail', 'qmail_02.txt', [b'userx@example.com']), ('qmail', 'qmail_03.txt', [b'userx@example.jp']), ('qmail', 'qmail_04.txt', [b'userx@example.au']), ('qmail', 'qmail_05.txt', [b'userx@example.com']), ('qmail', 'qmail_06.txt', [b'ntl@xxx.com']), ('qmail', 'qmail_07.txt', [b'user@example.net']), ('qmail', 'qmail_08.txt', []), # LLNL's custom Sendmail ('llnl', 'llnl_01.txt', [b'user1@example.gov']), # Netscape's server... ('netscape', 'netscape_01.txt', [b'aaaaa@corel.com', b'bbbbb@corel.com']), # Yahoo's proprietary format ('yahoo', 'yahoo_01.txt', [b'userx@example.com']), ('yahoo', 'yahoo_02.txt', [b'userx@example.es']), ('yahoo', 'yahoo_03.txt', [b'userx@example.com']), ('yahoo', 'yahoo_04.txt', [b'userx@example.es', b'usery@example.uk']), ('yahoo', 'yahoo_05.txt', [b'userx@example.com', b'usery@example.com']), ('yahoo', 'yahoo_06.txt', [b'userx@example.com', b'usery@example.com', b'userz@example.com', b'usera@example.com']), ('yahoo', 'yahoo_07.txt', [b'userw@example.com', b'userx@example.com', b'usery@example.com', b'userz@example.com']), ('yahoo', 'yahoo_08.txt', [b'usera@example.com', b'userb@example.com', b'userc@example.com', b'userd@example.com', b'usere@example.com', b'userf@example.com']), ('yahoo', 'yahoo_09.txt', [b'userx@example.com', b'usery@example.com']), ('yahoo', 'yahoo_10.txt', [b'userx@example.com', b'usery@example.com', b'userz@example.com']), ('yahoo', 'yahoo_11.txt', [b'bad_user@aol.com']), # sina.com appears to use their own weird SINAEMAIL MTA ('sina', 'sina_01.txt', [b'userx@sina.com', b'usery@sina.com']), ('aol', 'aol_01.txt', [b'screenname@aol.com']), # No address can be detected in these... # dumbass_01.txt - We love Microsoft. :( # Done ) flufl.bounce-3.0/flufl/bounce/conf.py0000644000175000017500000001533113051157176020111 0ustar barrybarry00000000000000# -*- coding: utf-8 -*- # # flufl.bounce documentation build configuration file, created by # sphinx-quickstart on Thu Jan 7 18:41:30 2010. # # This file is execfile()d with the current directory set to its containing dir. # # Note that not all possible configuration values are present in this # autogenerated file. # # All configuration values have a default; values that are commented out # serve to show the default. from __future__ import print_function import sys, os # If extensions (or modules to document with autodoc) are in another directory, # add these directories to sys.path here. If the directory is relative to the # documentation root, use os.path.abspath to make it absolute, like shown here. #sys.path.append(os.path.abspath('.')) # -- General configuration ----------------------------------------------------- # Add any Sphinx extension module names here, as strings. They can be extensions # coming with Sphinx (named 'sphinx.ext.*') or your custom ones. extensions = ['sphinx.ext.autodoc'] # Add any paths that contain templates here, relative to this directory. templates_path = ['../../_templates'] # The suffix of source filenames. source_suffix = '.rst' # The encoding of source files. #source_encoding = 'utf-8' # The master toctree document. master_doc = 'README' # General information about the project. project = 'flufl.bounce' copyright = '2004-2017, Barry A. Warsaw' # The version info for the project you're documenting, acts as replacement for # |version| and |release|, also used in various other places throughout the # built documents. # from flufl.bounce import __version__ # The short X.Y version. version = __version__ # The full version, including alpha/beta/rc tags. release = __version__ # The language for content autogenerated by Sphinx. Refer to documentation # for a list of supported languages. #language = None # There are two options for replacing |today|: either, you set today to some # non-false value, then it is used: #today = '' # Else, today_fmt is used as the format for a strftime call. #today_fmt = '%B %d, %Y' # List of documents that shouldn't be included in the build. #unused_docs = [] # List of directories, relative to source directory, that shouldn't be searched # for source files. exclude_trees = ['_build', 'build', 'flufl.bounce.egg-info', 'distribute-0.6.10', 'tests/data'] # The reST default role (used for this markup: `text`) to use for all documents. #default_role = None # If true, '()' will be appended to :func: etc. cross-reference text. #add_function_parentheses = True # If true, the current module name will be prepended to all description # unit titles (such as .. function::). #add_module_names = True # If true, sectionauthor and moduleauthor directives will be shown in the # output. They are ignored by default. #show_authors = False # The name of the Pygments (syntax highlighting) style to use. pygments_style = 'sphinx' # A list of ignored prefixes for module index sorting. #modindex_common_prefix = [] # -- Options for HTML output --------------------------------------------------- # The theme to use for HTML and HTML Help pages. Major themes that come with # Sphinx are currently 'default' and 'sphinxdoc'. html_theme = 'default' # Theme options are theme-specific and customize the look and feel of a theme # further. For a list of options available for each theme, see the # documentation. #html_theme_options = {} # Add any paths that contain custom themes here, relative to this directory. #html_theme_path = [] # The name for this set of Sphinx documents. If None, it defaults to # " v documentation". #html_title = None # A shorter title for the navigation bar. Default is the same as html_title. #html_short_title = None # The name of an image file (relative to this directory) to place at the top # of the sidebar. #html_logo = None # The name of an image file (within the static path) to use as favicon of the # docs. This file should be a Windows icon file (.ico) being 16x16 or 32x32 # pixels large. #html_favicon = None # Add any paths that contain custom static files (such as style sheets) here, # relative to this directory. They are copied after the builtin static files, # so a file named "default.css" will overwrite the builtin "default.css". html_static_path = ['../../_static'] # If not '', a 'Last updated on:' timestamp is inserted at every page bottom, # using the given strftime format. #html_last_updated_fmt = '%b %d, %Y' # If true, SmartyPants will be used to convert quotes and dashes to # typographically correct entities. #html_use_smartypants = True # Custom sidebar templates, maps document names to template names. #html_sidebars = {} # Additional templates that should be rendered to pages, maps page names to # template names. #html_additional_pages = {} # If false, no module index is generated. #html_use_modindex = True # If false, no index is generated. #html_use_index = True # If true, the index is split into individual pages for each letter. #html_split_index = False # If true, links to the reST sources are added to the pages. #html_show_sourcelink = True # If true, an OpenSearch description file will be output, and all pages will # contain a tag referring to it. The value of this option must be the # base URL from which the finished HTML is served. #html_use_opensearch = '' # If nonempty, this is the file name suffix for HTML files (e.g. ".xhtml"). #html_file_suffix = '' # Output file base name for HTML help builder. htmlhelp_basename = 'fluflbouncedoc' # -- Options for LaTeX output -------------------------------------------------- # The paper size ('letter' or 'a4'). #latex_paper_size = 'letter' # The font size ('10pt', '11pt' or '12pt'). #latex_font_size = '10pt' # Grouping the document tree into LaTeX files. List of tuples # (source start file, target name, title, author, documentclass [howto/manual]). latex_documents = [ ('README.rst', 'fluflbounce.tex', 'flufl.bounce Documentation', 'Barry A. Warsaw', 'manual'), ] # The name of an image file (relative to this directory) to place at the top of # the title page. #latex_logo = None # For "manual" documents, if this is true, then toplevel headings are parts, # not chapters. #latex_use_parts = False # Additional stuff for the LaTeX preamble. #latex_preamble = '' # Documents to append as an appendix to all manuals. #latex_appendices = [] # If false, no module index is generated. #latex_use_modindex = True import errno def index_html(): cwd = os.getcwd() try: os.chdir('build/sphinx/html') os.symlink('README.html', 'index.html') print('index.html -> README.html') except OSError as error: if error.errno != errno.EEXIST: raise finally: os.chdir(cwd) import atexit atexit.register(index_html) flufl.bounce-3.0/flufl/bounce/_detectors/0000775000175000017500000000000013051700115020727 5ustar barrybarry00000000000000flufl.bounce-3.0/flufl/bounce/_detectors/caiwireless.py0000664000175000017500000000243213051672602023625 0ustar barrybarry00000000000000"""Parse mystery style generated by MTA at caiwireless.net.""" import re from email.iterators import body_line_iterator from enum import Enum from flufl.bounce.interfaces import ( IBounceDetector, NoFailures, NoTemporaryFailures) from public import public from zope.interface import implementer tcre = re.compile( r'the following recipients did not receive this message:', re.IGNORECASE) acre = re.compile( r'<(?P[^>]*)>') class ParseState(Enum): start = 0 tag_seen = 1 @public @implementer(IBounceDetector) class Caiwireless: """Parse mystery style generated by MTA at caiwireless.net.""" def process(self, msg): if msg.get_content_type() == 'multipart/mixed': state = ParseState.start # This format thinks it's a MIME, but it really isn't. for line in body_line_iterator(msg): line = line.strip() if state is ParseState.start and tcre.match(line): state = ParseState.tag_seen elif state is ParseState.tag_seen and line: mo = acre.match(line) if mo: return NoTemporaryFailures, set(mo.group('addr')) else: break return NoFailures flufl.bounce-3.0/flufl/bounce/_detectors/simplematch.py0000664000175000017500000002240613051672602023624 0ustar barrybarry00000000000000"""Recognizes simple heuristically delimited bounces.""" import re from email.iterators import body_line_iterator from email.quoprimime import unquote from enum import Enum from flufl.bounce.interfaces import IBounceDetector, NoTemporaryFailures from public import public from zope.interface import implementer class ParseState(Enum): start = 0 tag_seen = 1 def _unquote_match(match): return unquote(match.group(0)) def _quopri_decode(address): # Some addresses come back with quopri encoded spaces. This will decode # them and strip the spaces. We can't use the undocumebted # email.quoprimime.header_decode() because that also turns underscores # into spaces, which is not good for us. Instead we'll use the # undocumented email.quoprimime.unquote(). # # For compatibility with Python 3, the API requires byte addresses. unquoted = re.sub('=[a-fA-F0-9]{2}', _unquote_match, address) return unquoted.encode('us-ascii').strip() def _c(pattern): return re.compile(pattern, re.IGNORECASE) # This is a list of tuples of the form # # (start cre, end cre, address cre) # # where 'cre' means compiled regular expression, start is the line just before # the bouncing address block, end is the line just after the bouncing address # block, and address cre is the regexp that will recognize the addresses. It # must have a group called 'addr' which will contain exactly and only the # address that bounced. PATTERNS = [ # sdm.de (_c('here is your list of failed recipients'), _c('here is your returned mail'), _c(r'<(?P[^>]*)>')), # sz-sb.de, corridor.com, nfg.nl (_c('the following addresses had'), _c('transcript of session follows'), _c(r'^ *(\(expanded from: )?[^\s@]+@[^\s@>]+?)>?\)?\s*$')), # robanal.demon.co.uk (_c('this message was created automatically by mail delivery software'), _c('original message follows'), _c('rcpt to:\s*<(?P[^>]*)>')), # s1.com (InterScan E-Mail VirusWall NT ???) (_c('message from interscan e-mail viruswall nt'), _c('end of message'), _c('rcpt to:\s*<(?P[^>]*)>')), # Smail (_c('failed addresses follow:'), _c('message text follows:'), _c(r'\s*(?P\S+@\S+)')), # newmail.ru (_c('This is the machine generated message from mail service.'), _c('--- Below the next line is a copy of the message.'), _c('<(?P[^>]*)>')), # turbosport.com runs something called `MDaemon 3.5.2' ??? (_c('The following addresses did NOT receive a copy of your message:'), _c('--- Session Transcript ---'), _c('[>]\s*(?P.*)$')), # usa.net (_c('Intended recipient:\s*(?P.*)$'), _c('--------RETURNED MAIL FOLLOWS--------'), _c('Intended recipient:\s*(?P.*)$')), # hotpop.com (_c('Undeliverable Address:\s*(?P.*)$'), _c('Original message attached'), _c('Undeliverable Address:\s*(?P.*)$')), # Another demon.co.uk format (_c('This message was created automatically by mail delivery'), _c('^---- START OF RETURNED MESSAGE ----'), _c("addressed to '(?P[^']*)'")), # Prodigy.net full mailbox (_c("User's mailbox is full:"), _c('Unable to deliver mail.'), _c("User's mailbox is full:\s*<(?P[^>]*)>")), # Microsoft SMTPSVC (_c('The email below could not be delivered to the following user:'), _c('Old message:'), _c('<(?P[^>]*)>')), # Yahoo on behalf of other domains like sbcglobal.net (_c('Unable to deliver message to the following address\(es\)\.'), _c('--- Original message follows\.'), _c('<(?P[^>]*)>:')), # googlemail.com (_c('Delivery to the following recipient failed'), _c('----- Original message -----'), _c('^\s*(?P[^\s@]+@[^\s@]+)\s*$')), # kundenserver.de (_c('A message that you sent could not be delivered'), _c('^---'), _c('<(?P[^>]*)>')), # another kundenserver.de (_c('A message that you sent could not be delivered'), _c('^---'), _c('^(?P[^\s@]+@[^\s@:]+):')), # thehartford.com / songbird (_c('Del(i|e)very to the following recipients (failed|was aborted)'), # this one may or may not have the original message, but there's nothing # unique to stop on, so stop on the first line of at least 3 characters # that doesn't start with 'D' (to not stop immediately) and has no '@'. # Also note that simple_30.txt contains an apparent misspelling in the # MTA's DSN section. _c('^[^D][^@]{2,}$'), _c('^[\s*]*(?P[^\s@]+@[^\s@]+)\s*$')), # and another thehartfod.com/hartfordlife.com (_c('^Your message\s*$'), _c('^because:'), _c('^\s*(?P[^\s@]+@[^\s@]+)\s*$')), # kviv.be (InterScan NT) (_c('^Unable to deliver message to'), _c(r'\*+\s+End of message\s+\*+'), _c('<(?P[^>]*)>')), # earthlink.net supported domains (_c('^Sorry, unable to deliver your message to'), _c('^A copy of the original message'), _c('\s*(?P[^\s@]+@[^\s@]+)\s+')), # ademe.fr (_c('^A message could not be delivered to:'), _c('^Subject:'), _c('^\s*(?P[^\s@]+@[^\s@]+)\s*$')), # andrew.ac.jp (_c('^Invalid final delivery userid:'), _c('^Original message follows.'), _c('\s*(?P[^\s@]+@[^\s@]+)\s*$')), # E500_SMTP_Mail_Service@lerctr.org (_c('------ Failed Recipients ------'), _c('-------- Returned Mail --------'), _c('<(?P[^>]*)>')), # cynergycom.net (_c('A message that you sent could not be delivered'), _c('^---'), _c('(?P[^\s@]+@[^\s@)]+)')), # LSMTP for Windows (_c('^--> Error description:\s*$'), _c('^Error-End:'), _c('^Error-for:\s+(?P[^\s@]+@[^\s@]+)')), # Qmail with a tri-language intro beginning in spanish (_c('Your message could not be delivered'), _c('^-'), _c('<(?P[^>]*)>:')), # socgen.com (_c('Your message could not be delivered to'), _c('^\s*$'), _c('(?P[^\s@]+@[^\s@]+)')), # dadoservice.it (_c('Your message has encountered delivery problems'), _c('Your message reads'), _c('addressed to\s*(?P[^\s@]+@[^\s@)]+)')), # gomaps.com (_c('Did not reach the following recipient'), _c('^\s*$'), _c('\s(?P[^\s@]+@[^\s@]+)')), # EYOU MTA SYSTEM (_c('This is the deliver program at'), _c('^-'), _c('^(?P[^\s@]+@[^\s@<>]+)')), # A non-standard qmail at ieo.it (_c('this is the email server at'), _c('^-'), _c('\s(?P[^\s@]+@[^\s@]+)[\s,]')), # pla.net.py (MDaemon.PRO ?) (_c('- no such user here'), _c('There is no user'), _c('^(?P[^\s@]+@[^\s@]+)\s')), # mxlogic.net (_c('The following address failed:'), _c('Included is a copy of the message header'), _c('<(?P[^>]+)>')), # fastdnsservers.com (_c('The following recipient\(s\) could not be reached'), _c('\s*Error Type'), _c('^(?P[^\s@]+@[^\s@<>]+)')), # xxx.com (simple_36.txt) (_c('Could not deliver message to the following recipient'), _c('\s*-- The header'), _c('Failed Recipient: (?P[^\s@]+@[^\s@<>]+)')), # mta1.service.uci.edu (_c('Message not delivered to the following addresses'), _c('Error detail'), _c('\s*(?P[^\s@]+@[^\s@)]+)')), # Dovecot LDA Over quota MDN (bogus - should be DSN). (_c('^Your message'), _c('^Reporting'), _c('Your message to [^\s<@]+@[^\s@>]+)>? was automatically' ' rejected')), # mail.ru (_c('A message that you sent was rejected'), _c('This is a copy of your message'), _c('\s(?P[^\s@]+@[^\s@]+)')), # MailEnable (_c('Message could not be delivered to some recipients.'), _c('Message headers follow'), _c('Recipient: \[SMTP:(?P[^\s@]+@[^\s@]+)\]')), # Next one goes here... ] @public @implementer(IBounceDetector) class SimpleMatch: """Recognizes simple heuristically delimited bounces.""" PATTERNS = PATTERNS def process(self, msg): """See `IBounceDetector`.""" addresses = set() # MAS: This is a mess. The outer loop used to be over the message # so we only looped through the message once. Looping through the # message for each set of patterns is obviously way more work, but # if we don't do it, problems arise because scre from the wrong # pattern set matches first and then acre doesn't match. The # alternative is to split things into separate modules, but then # we process the message multiple times anyway. for scre, ecre, acre in self.PATTERNS: state = ParseState.start for line in body_line_iterator(msg): if state is ParseState.start: if scre.search(line): state = ParseState.tag_seen if state is ParseState.tag_seen: mo = acre.search(line) if mo: address = mo.group('addr') if address: addresses.add(_quopri_decode(address)) elif ecre.search(line): break if len(addresses) > 0: break return NoTemporaryFailures, addresses flufl.bounce-3.0/flufl/bounce/_detectors/yahoo.py0000664000175000017500000000421013051672602022426 0ustar barrybarry00000000000000"""Yahoo! has its own weird format for bounces.""" import re from email.iterators import body_line_iterator from email.utils import parseaddr from enum import Enum from flufl.bounce.interfaces import ( IBounceDetector, NoFailures, NoTemporaryFailures) from public import public from zope.interface import implementer tcre = (re.compile(r'message\s+from\s+yahoo\.\S+', re.IGNORECASE), re.compile(r'Sorry, we were unable to deliver your message to ' r'the following address(\(es\))?\.', re.IGNORECASE), ) acre = re.compile(r'<(?P[^>]*)>:') ecre = (re.compile(r'--- Original message follows'), re.compile(r'--- Below this line is a copy of the message'), ) class _ParseState(Enum): start = 0 tag_seen = 1 all_done = 2 @public @implementer(IBounceDetector) class Yahoo: """Yahoo! bounce detection.""" def process(self, msg): """See `IBounceDetector`.""" # Yahoo! bounces seem to have a known subject value and something # called an x-uidl: header, the value of which seems unimportant. sender = parseaddr(msg.get('from', '').lower())[1] or '' if not sender.startswith('mailer-daemon@yahoo'): return NoFailures addresses = set() state = _ParseState.start for line in body_line_iterator(msg): line = line.strip() if state is _ParseState.start: for cre in tcre: if cre.match(line): state = _ParseState.tag_seen break elif state is _ParseState.tag_seen: mo = acre.match(line) if mo: addresses.add(mo.group('addr').encode('us-ascii')) continue for cre in ecre: mo = cre.match(line) if mo: # We're at the end of the error response. state = _ParseState.all_done break if state is _ParseState.all_done: break return NoTemporaryFailures, addresses flufl.bounce-3.0/flufl/bounce/_detectors/__init__.py0000664000175000017500000000000013051154320023027 0ustar barrybarry00000000000000flufl.bounce-3.0/flufl/bounce/_detectors/exim.py0000664000175000017500000000163613051672602022262 0ustar barrybarry00000000000000"""Parse bounce messages generated by Exim. Exim adds an X-Failed-Recipients: header to bounce messages containing an `addresslist' of failed addresses. """ from email.utils import getaddresses from flufl.bounce.interfaces import IBounceDetector, NoTemporaryFailures from public import public from zope.interface import implementer @public @implementer(IBounceDetector) class Exim: """Parse bounce messages generated by Exim.""" def process(self, msg): """See `IBounceDetector`.""" all_failed = msg.get_all('x-failed-recipients', []) # all_failed will contain string/unicode values, but the flufl.bounce # API requires these to be bytes. We don't know the encoding, but # assume it must be ascii, per the relevant RFCs. return (NoTemporaryFailures, set(address.encode('us-ascii') for name, address in getaddresses(all_failed))) flufl.bounce-3.0/flufl/bounce/_detectors/dsn.py0000664000175000017500000000706113051672602022102 0ustar barrybarry00000000000000"""Parse RFC 3464 (i.e. DSN) bounce formats. RFC 3464 obsoletes 1894 which was the old DSN standard. This module has not been audited for differences between the two. """ from email.iterators import typed_subpart_iterator from email.utils import parseaddr from flufl.bounce.interfaces import IBounceDetector from public import public from zope.interface import implementer @public @implementer(IBounceDetector) class DSN: """Parse RFC 3464 (i.e. DSN) bounce formats.""" def process(self, msg): """See `IBounceDetector`.""" # Iterate over each message/delivery-status subpart. failed_addresses = [] delayed_addresses = [] for part in typed_subpart_iterator(msg, 'message', 'delivery-status'): if not part.is_multipart(): # Huh? continue # Each message/delivery-status contains a list of Message objects # which are the header blocks. Iterate over those too. for msgblock in part.get_payload(): address_set = None # We try to dig out the Original-Recipient (which is optional) # and Final-Recipient (which is mandatory, but may not exactly # match an address on our list). Some MTA's also use # X-Actual-Recipient as a synonym for Original-Recipient, but # some apparently use that for other purposes :( # # Also grok out Action so we can do something with that too. action = msgblock.get('action', '').lower() # Some MTAs have been observed that put comments on the action. if action.startswith('delayed'): address_set = delayed_addresses elif action.startswith('fail'): address_set = failed_addresses else: # Some non-permanent failure, so ignore this block. continue params = [] foundp = False for header in ('original-recipient', 'final-recipient'): for k, v in msgblock.get_params([], header): if k.lower() == 'rfc822': foundp = True else: params.append(k) if foundp: # Note that params should already be unquoted. address_set.extend(params) break else: # MAS: This is a kludge, but # SMTP-GATEWAY01.intra.home.dk has a final-recipient # with an angle-addr and no address-type parameter at # all. Non-compliant, but ... for param in params: if param.startswith('<') and param.endswith('>'): address_set.append(param[1:-1]) # There may be Nones in the current set of failures, so filter those # out of both sets. Also, for Python 3 compatibility, the API # requires byte addresses. return ( # First, the delayed, or temporary failures. set(parseaddr(address)[1].encode('us-ascii') for address in delayed_addresses if address is not None), # And now the failed or permanent failures. set(parseaddr(address)[1].encode('us-ascii') for address in failed_addresses if address is not None) ) flufl.bounce-3.0/flufl/bounce/_detectors/exchange.py0000664000175000017500000000244513051672602023101 0ustar barrybarry00000000000000"""Recognizes (some) Microsoft Exchange formats.""" import re from email.iterators import body_line_iterator from flufl.bounce.interfaces import ( IBounceDetector, NoFailures, NoTemporaryFailures) from public import public from zope.interface import implementer scre = re.compile('did not reach the following recipient') ecre = re.compile('MSEXCH:') a1cre = re.compile('SMTP=(?P[^;]+); on ') a2cre = re.compile('(?P[^ ]+) on ') @public @implementer(IBounceDetector) class Exchange: """Recognizes (some) Microsoft Exchange formats.""" def process(self, msg): """See `IBounceDetector`.""" addresses = set() it = body_line_iterator(msg) # Find the start line. for line in it: if scre.search(line): break else: return NoFailures # Search each line until we hit the end line. for line in it: if ecre.search(line): break mo = a1cre.search(line) if not mo: mo = a2cre.search(line) if mo: # For Python 3 compatibility, the API requires bytes address = mo.group('addr').encode('us-ascii') addresses.add(address) return NoTemporaryFailures, set(addresses) flufl.bounce-3.0/flufl/bounce/_detectors/simplewarning.py0000664000175000017500000000410513051672602024171 0ustar barrybarry00000000000000"""Recognizes simple heuristically delimited warnings.""" from flufl.bounce._detectors.simplematch import SimpleMatch, _c from flufl.bounce.interfaces import NoPermanentFailures from public import public # This is a list of tuples of the form # # (start cre, end cre, address cre) # # where 'cre' means compiled regular expression, start is the line just before # the bouncing address block, end is the line just after the bouncing address # block, and address cre is the regexp that will recognize the addresses. It # must have a group called 'addr' which will contain exactly and only the # address that bounced. PATTERNS = [ # pop3.pta.lia.net (_c('The address to which the message has not yet been delivered is'), _c('No action is required on your part'), _c(r'\s*(?P\S+@\S+)\s*')), # MessageSwitch (_c('Your message to:'), _c('This is just a warning, you do not need to take any action'), _c(r'\s*(?P\S+@\S+)\s*')), # Symantec_AntiVirus_for_SMTP_Gateways (_c('Your message with Subject:'), _c('Delivery attempts will continue to be made'), _c(r'\s*(?P\S+@\S+)\s*')), # googlemail.com warning (_c('Delivery to the following recipient has been delayed'), _c('Message will be retried'), _c(r'\s*(?P\S+@\S+)\s*')), # Exchange warning message. (_c('This is an advisory-only email'), _c('has been postponed'), _c('"(?P[^"]+)"')), # kundenserver.de (_c('not yet been delivered'), _c('No action is required on your part'), _c(r'\s*\S+@[^>\s]+)>?\s*')), # Next one goes here... ] @public class SimpleWarning(SimpleMatch): """Recognizes simple heuristically delimited warnings.""" PATTERNS = PATTERNS def process(self, msg): """See `SimpleMatch`.""" # Since these are warnings, they're classified as temporary failures. # There are no permanent failures. (temporary, permanent_really_temporary) = super(SimpleWarning, self).process(msg) return permanent_really_temporary, NoPermanentFailures flufl.bounce-3.0/flufl/bounce/_detectors/smtp32.py0000664000175000017500000000313413051672602022443 0ustar barrybarry00000000000000"""Something which claims X-Mailer: What the heck is this thing? Here's a recent host: % telnet 207.51.255.218 smtp Trying 207.51.255.218... Connected to 207.51.255.218. Escape character is '^]'. 220 X1 NT-ESMTP Server 208.24.118.205 (IMail 6.00 45595-15) """ import re from email.iterators import body_line_iterator from flufl.bounce.interfaces import ( IBounceDetector, NoFailures, NoTemporaryFailures) from public import public from zope.interface import implementer ecre = re.compile('original message follows', re.IGNORECASE) acre = re.compile(r''' ( # several different prefixes user\ mailbox[^:]*: # have been spotted in the |delivery\ failed[^:]*: # wild... |unknown\ user[^:]*: |undeliverable\ +to |delivery\ userid[^:]*: ) \s* # space separator (?P[^\s]*) # and finally, the address ''', re.IGNORECASE | re.VERBOSE) @public @implementer(IBounceDetector) class SMTP32: """Something which claims X-Mailer: """ def process(self, msg): mailer = msg.get('x-mailer', '') if not mailer.startswith('[^>]*)>:') REPORT_TYPES = ('multipart/mixed', 'multipart/report') class ParseState(Enum): start = 0 salutation_found = 1 def flatten(msg, leaves): # Give us all the leaf (non-multipart) subparts. if msg.is_multipart(): for part in msg.get_payload(): flatten(part, leaves) else: leaves.append(msg) def findaddr(msg): addresses = set() body = BytesIO(msg.get_payload(decode=True)) state = ParseState.start for line in body: # Preserve leading whitespace. line = line.rstrip() # Yes, use match() to match at beginning of string. if state is ParseState.start and ( pcre.match(line) or rcre.match(line)): # Then... state = ParseState.salutation_found elif state is ParseState.salutation_found and line: mo = acre.search(line) if mo: addresses.add(mo.group('addr')) # Probably a continuation line. return addresses @public @implementer(IBounceDetector) class Postfix: """Parse bounce messages generated by Postfix.""" def process(self, msg): """See `IBounceDetector`.""" if msg.get_content_type() not in REPORT_TYPES: return NoFailures # We're looking for the plain/text subpart with a Content-Description: # of 'notification'. leaves = [] flatten(msg, leaves) for subpart in leaves: content_type = subpart.get_content_type() content_desc = subpart.get('content-description', '').lower() if content_type == 'text/plain' and content_desc == 'notification': return NoTemporaryFailures, set(findaddr(subpart)) return NoFailures flufl.bounce-3.0/flufl/bounce/_detectors/yale.py0000664000175000017500000000470613051672602022253 0ustar barrybarry00000000000000"""Yale's mail server is pretty dumb. Its reports include the end user's name, but not the full domain. I think we can usually guess it right anyway. This is completely based on examination of the corpse, and is subject to failure whenever Yale even slightly changes their MTA. :( """ import re from email.utils import getaddresses from enum import Enum from flufl.bounce.interfaces import ( IBounceDetector, NoFailures, NoTemporaryFailures) from io import BytesIO from public import public from zope.interface import implementer scre = re.compile(b'Message not delivered to the following', re.IGNORECASE) ecre = re.compile(b'Error Detail', re.IGNORECASE) acre = re.compile(b'\\s+(?P\\S+)\\s+') class ParseState(Enum): start = 0 intro_found = 1 @public @implementer(IBounceDetector) class Yale: """Parse Yale's bounces (or what used to be).""" def process(self, msg): """See `IBounceDetector`.""" if msg.is_multipart(): return NoFailures try: whofrom = getaddresses([msg.get('from', '')])[0][1] if not whofrom: return NoFailures username, domain = whofrom.split('@', 1) except (IndexError, ValueError): return NoFailures if username.lower() != 'mailer-daemon': return NoFailures parts = domain.split('.') parts.reverse() for part1, part2 in zip(parts, ('edu', 'yale')): if part1 != part2: return NoFailures # Okay, we've established that the bounce came from the mailer-daemon # at yale.edu. Let's look for a name, and then guess the relevant # domains. names = set() body = BytesIO(msg.get_payload(decode=True)) state = ParseState.start for line in body: if state is ParseState.start and scre.search(line): state = ParseState.intro_found elif state is ParseState.intro_found and ecre.search(line): break elif state is ParseState.intro_found: mo = acre.search(line) if mo: names.add(mo.group('addr')) # Now we have a bunch of names, these are either @yale.edu or # @cs.yale.edu. Add them both. addresses = set() for name in names: addresses.add(name + b'@yale.edu') addresses.add(name + b'@cs.yale.edu') return NoTemporaryFailures, addresses flufl.bounce-3.0/flufl/bounce/_detectors/aol.py0000664000175000017500000000240613051672602022067 0ustar barrybarry00000000000000"""Recognizes a class of messages from AOL that report only Screen Name.""" import re from email.utils import parseaddr from flufl.bounce.interfaces import ( IBounceDetector, NoFailures, NoTemporaryFailures) from public import public from zope.interface import implementer scre = re.compile(b'mail to the following recipients could not be delivered') @public @implementer(IBounceDetector) class AOL: """Recognizes a class of messages from AOL that report only Screen Name.""" def process(self, msg): if msg.get_content_type() != 'text/plain': return NoFailures if not parseaddr(msg.get('from', ''))[1].lower().endswith('@aol.com'): return NoFailures addresses = set() found = False for line in msg.get_payload(decode=True).splitlines(): if scre.search(line): found = True continue if found: local = line.strip() if local: if re.search(b'\\s', local): break if b'@' in local: addresses.add(local) else: addresses.add(local + b'@aol.com') return NoTemporaryFailures, addresses flufl.bounce-3.0/flufl/bounce/_detectors/groupwise.py0000664000175000017500000000347713051672602023351 0ustar barrybarry00000000000000"""This appears to be the format for Novell GroupWise and NTMail X-Mailer: Novell GroupWise Internet Agent 5.5.3.1 X-Mailer: NTMail v4.30.0012 X-Mailer: Internet Mail Service (5.5.2653.19) """ import re from email.message import Message from flufl.bounce.interfaces import ( IBounceDetector, NoFailures, NoTemporaryFailures) from io import BytesIO from public import public from zope.interface import implementer acre = re.compile(b'<(?P[^>]*)>') def find_textplain(msg): if msg.get_content_type() == 'text/plain': return msg if msg.is_multipart: for part in msg.get_payload(): if not isinstance(part, Message): continue ret = find_textplain(part) if ret: return ret return None @public @implementer(IBounceDetector) class GroupWise: """Parse Novell GroupWise and NTMail bounces.""" def process(self, msg): """See `IBounceDetector`.""" if msg.get_content_type() != 'multipart/mixed' or not msg['x-mailer']: return NoFailures if msg['x-mailer'][:3].lower() not in ('nov', 'ntm', 'int'): return NoFailures addresses = set() # Find the first text/plain part in the message. text_plain = find_textplain(msg) if text_plain is None: return NoFailures body = BytesIO(text_plain.get_payload(decode=True)) for line in body: mo = acre.search(line) if mo: addresses.add(mo.group('addr')) elif b'@' in line: i = line.find(b' ') if i == 0: continue if i < 0: addresses.add(line) else: addresses.add(line[:i]) return NoTemporaryFailures, set(addresses) flufl.bounce-3.0/flufl/bounce/_detectors/sina.py0000664000175000017500000000204713051672602022247 0ustar barrybarry00000000000000"""sina.com bounces""" import re from email.iterators import body_line_iterator from flufl.bounce.interfaces import ( IBounceDetector, NoFailures, NoTemporaryFailures) from public import public from zope.interface import implementer acre = re.compile(r'<(?P[^>]*)>') @public @implementer(IBounceDetector) class Sina: """sina.com bounces""" def process(self, msg): """See `IBounceDetector`.""" if msg.get('from', '').lower() != 'mailer-daemon@sina.com': return NoFailures if not msg.is_multipart(): return NoFailures # The interesting bits are in the first text/plain multipart. part = None try: part = msg.get_payload(0) except IndexError: pass if not part: return NoFailures addresses = set() for line in body_line_iterator(part): mo = acre.match(line) if mo: addresses.add(mo.group('addr').encode('us-ascii')) return NoTemporaryFailures, addresses flufl.bounce-3.0/flufl/bounce/_detectors/netscape.py0000664000175000017500000000456213051672602023123 0ustar barrybarry00000000000000"""Netscape Messaging Server bounce formats. I've seen at least one NMS server version 3.6 (envy.gmp.usyd.edu.au) bounce messages of this format. Bounces come in DSN MIME format, but don't include any -Recipient: headers. Gotta just parse the text :( NMS 4.1 (dfw-smtpin1.email.verio.net) seems even worse, but we'll try to decipher the format here too. """ import re from flufl.bounce.interfaces import ( IBounceDetector, NoFailures, NoTemporaryFailures) from io import BytesIO from public import public from zope.interface import implementer pcre = re.compile( b'This Message was undeliverable due to the following reason:', re.IGNORECASE) acre = re.compile( b'(?Pplease reply to)?.*<(?P[^>]*)>', re.IGNORECASE) def flatten(msg, leaves): # Give us all the leaf (non-multipart) subparts. if msg.is_multipart(): for part in msg.get_payload(): flatten(part, leaves) else: leaves.append(msg) @public @implementer(IBounceDetector) class Netscape: """Netscape Messaging Server bounce formats.""" def process(self, msg): """See `IBounceDetector`.""" # Sigh. Some NMS 3.6's show # multipart/report; report-type=delivery-status # and some show # multipart/mixed; if not msg.is_multipart(): return NoFailures # We're looking for a text/plain subpart occuring before a # message/delivery-status subpart. plainmsg = None leaves = [] flatten(msg, leaves) for i, subpart in zip(range(len(leaves)-1), leaves): if subpart.get_content_type() == 'text/plain': plainmsg = subpart break if not plainmsg: return NoFailures # Total guesswork, based on captured examples... body = BytesIO(plainmsg.get_payload(decode=True)) addresses = set() for line in body: mo = pcre.search(line) if mo: # We found a bounce section, but I have no idea what the # official format inside here is. :( We'll just search for # strings. for line in body: mo = acre.search(line) if mo and not mo.group('reply'): addresses.add(mo.group('addr')) return NoTemporaryFailures, addresses flufl.bounce-3.0/flufl/bounce/_detectors/microsoft.py0000664000175000017500000000265113051672602023323 0ustar barrybarry00000000000000"""Microsoft's `SMTPSVC' nears I kin tell.""" import re from enum import Enum from flufl.bounce.interfaces import ( IBounceDetector, NoFailures, NoTemporaryFailures) from io import BytesIO from public import public from zope.interface import implementer scre = re.compile(br'transcript of session follows', re.IGNORECASE) class ParseState(Enum): start = 0 tag_seen = 1 @public @implementer(IBounceDetector) class Microsoft: """Microsoft's `SMTPSVC' nears I kin tell.""" def process(self, msg): if msg.get_content_type() != 'multipart/mixed': return NoFailures # Find the first subpart, which has no MIME type. try: subpart = msg.get_payload(0) except IndexError: # The message *looked* like a multipart but wasn't. return NoFailures data = subpart.get_payload(decode=True) if isinstance(data, list): # The message is a multi-multipart, so not a matching bounce. return NoFailures body = BytesIO(data) state = ParseState.start addresses = set() for line in body: if state is ParseState.start: if scre.search(line): state = ParseState.tag_seen elif state is ParseState.tag_seen: if '@' in line: addresses.add(line.strip()) return NoTemporaryFailures, set(addresses) flufl.bounce-3.0/flufl/bounce/_detectors/llnl.py0000664000175000017500000000134313051672602022254 0ustar barrybarry00000000000000"""LLNL's custom Sendmail bounce message.""" import re from email.iterators import body_line_iterator from flufl.bounce.interfaces import ( IBounceDetector, NoFailures, NoTemporaryFailures) from public import public from zope.interface import implementer acre = re.compile(r',\s*(?P\S+@[^,]+),', re.IGNORECASE) @public @implementer(IBounceDetector) class LLNL: """LLNL's custom Sendmail bounce message.""" def process(self, msg): """See `IBounceDetector`.""" for line in body_line_iterator(msg): mo = acre.search(line) if mo: address = mo.group('addr').encode('us-ascii') return NoTemporaryFailures, set([address]) return NoFailures flufl.bounce-3.0/flufl/bounce/_detectors/qmail.py0000664000175000017500000000462213051672602022421 0ustar barrybarry00000000000000"""Parse bounce messages generated by qmail. Qmail actually has a standard, called QSBMF (qmail-send bounce message format), as described in http://cr.yp.to/proto/qsbmf.txt This module should be conformant. """ import re from email.iterators import body_line_iterator from enum import Enum from flufl.bounce.interfaces import IBounceDetector, NoTemporaryFailures from public import public from zope.interface import implementer # Other (non-standard?) intros have been observed in the wild. introtags = [ "We're sorry. There's a problem", 'Check your send e-mail address.', 'Hi. The MTA program at', 'Hi. This is the', 'This is the mail delivery agent at', 'Unfortunately, your mail was not delivered', 'Your mail message to the following', ] introtags_encoded = [tag.encode('ascii') for tag in introtags] acre = re.compile(r'<(?P[^>]*)>:') class ParseState(Enum): start = 0 intro_paragraph_seen = 1 recip_paragraph_seen = 2 @public @implementer(IBounceDetector) class Qmail: """Parse QSBMF format bounces.""" def process(self, msg): """See `IBounceDetector`.""" addresses = set() state = ParseState.start for line in body_line_iterator(msg): line = line.strip() if state is ParseState.start: for introtag in (introtags_encoded if isinstance(line, bytes) else introtags): if line.startswith(introtag): state = ParseState.intro_paragraph_seen break elif state is ParseState.intro_paragraph_seen and not line: # Looking for the end of the intro paragraph. state = ParseState.recip_paragraph_seen elif state is ParseState.recip_paragraph_seen: if line.startswith('-'): # We're looking at the break paragraph, so we're done. break # At this point we know we must be looking at a recipient # paragraph. mo = acre.match(line) if mo: addresses.add(mo.group('addr').encode('us-ascii')) # Otherwise, it must be a continuation line, so just ignore it. else: # We're not looking at anything in particular. pass return NoTemporaryFailures, addresses flufl.bounce-3.0/setup.cfg0000664000175000017500000000022313051700115016027 0ustar barrybarry00000000000000[build_sphinx] source_dir = flufl/bounce [upload_docs] upload_dir = build/sphinx/html [egg_info] tag_svn_revision = 0 tag_date = 0 tag_build = flufl.bounce-3.0/MANIFEST.in0000664000175000017500000000017713051677464016000 0ustar barrybarry00000000000000include *.py COPYING.LESSER MANIFEST.in exclude *.egg global-include *.rst *.txt *.ini *.cfg prune build prune dist prune .tox flufl.bounce-3.0/unittest.cfg0000664000175000017500000000046213051672602016564 0ustar barrybarry00000000000000[unittest] verbose = 2 plugins = flufl.testing.nose flufl.bounce.testing.helpers [detectors] always-on = True [log-capture] always-on = False [flufl.testing] always-on = True package = flufl.bounce setup = flufl.bounce.testing.helpers.setup start_run = flufl.bounce.testing.helpers.initialize flufl.bounce-3.0/flufl.bounce.egg-info/0000775000175000017500000000000013051700115020265 5ustar barrybarry00000000000000flufl.bounce-3.0/flufl.bounce.egg-info/SOURCES.txt0000664000175000017500000001245113051700115022154 0ustar barrybarry00000000000000MANIFEST.in README.rst coverage.ini setup.cfg setup.py setup_helpers.py tox.ini unittest.cfg flufl/__init__.py flufl.bounce.egg-info/PKG-INFO flufl.bounce.egg-info/SOURCES.txt flufl.bounce.egg-info/dependency_links.txt flufl.bounce.egg-info/namespace_packages.txt flufl.bounce.egg-info/not-zip-safe flufl.bounce.egg-info/requires.txt flufl.bounce.egg-info/top_level.txt flufl/bounce/NEWS.rst flufl/bounce/README.rst flufl/bounce/__init__.py flufl/bounce/_scan.py flufl/bounce/conf.py flufl/bounce/interfaces.py flufl/bounce/_detectors/__init__.py flufl/bounce/_detectors/aol.py flufl/bounce/_detectors/caiwireless.py flufl/bounce/_detectors/dsn.py flufl/bounce/_detectors/exchange.py flufl/bounce/_detectors/exim.py flufl/bounce/_detectors/groupwise.py flufl/bounce/_detectors/llnl.py flufl/bounce/_detectors/microsoft.py flufl/bounce/_detectors/netscape.py flufl/bounce/_detectors/postfix.py flufl/bounce/_detectors/qmail.py flufl/bounce/_detectors/simplematch.py flufl/bounce/_detectors/simplewarning.py flufl/bounce/_detectors/sina.py flufl/bounce/_detectors/smtp32.py flufl/bounce/_detectors/yahoo.py flufl/bounce/_detectors/yale.py flufl/bounce/docs/__init__.py flufl/bounce/docs/using.rst flufl/bounce/testing/__init__.py flufl/bounce/testing/helpers.py flufl/bounce/tests/__init__.py flufl/bounce/tests/test_detectors.py flufl/bounce/tests/data/__init__.py flufl/bounce/tests/data/aol_01.txt flufl/bounce/tests/data/bounce_01.txt flufl/bounce/tests/data/bounce_02.txt flufl/bounce/tests/data/bounce_03.txt flufl/bounce/tests/data/dsn_01.txt flufl/bounce/tests/data/dsn_02.txt flufl/bounce/tests/data/dsn_03.txt flufl/bounce/tests/data/dsn_04.txt flufl/bounce/tests/data/dsn_05.txt flufl/bounce/tests/data/dsn_06.txt flufl/bounce/tests/data/dsn_07.txt flufl/bounce/tests/data/dsn_08.txt flufl/bounce/tests/data/dsn_09.txt flufl/bounce/tests/data/dsn_10.txt flufl/bounce/tests/data/dsn_11.txt flufl/bounce/tests/data/dsn_12.txt flufl/bounce/tests/data/dsn_13.txt flufl/bounce/tests/data/dsn_14.txt flufl/bounce/tests/data/dsn_15.txt flufl/bounce/tests/data/dsn_16.txt flufl/bounce/tests/data/dsn_17.txt flufl/bounce/tests/data/dumbass_01.txt flufl/bounce/tests/data/exim_01.txt flufl/bounce/tests/data/groupwise_01.txt flufl/bounce/tests/data/groupwise_02.txt flufl/bounce/tests/data/groupwise_03.txt flufl/bounce/tests/data/hotpop_01.txt flufl/bounce/tests/data/llnl_01.txt flufl/bounce/tests/data/microsoft_01.txt flufl/bounce/tests/data/microsoft_02.txt flufl/bounce/tests/data/microsoft_03.txt flufl/bounce/tests/data/netscape_01.txt flufl/bounce/tests/data/newmailru_01.txt flufl/bounce/tests/data/postfix_01.txt flufl/bounce/tests/data/postfix_02.txt flufl/bounce/tests/data/postfix_03.txt flufl/bounce/tests/data/postfix_04.txt flufl/bounce/tests/data/postfix_05.txt flufl/bounce/tests/data/qmail_01.txt flufl/bounce/tests/data/qmail_02.txt flufl/bounce/tests/data/qmail_03.txt flufl/bounce/tests/data/qmail_04.txt flufl/bounce/tests/data/qmail_05.txt flufl/bounce/tests/data/qmail_06.txt flufl/bounce/tests/data/qmail_07.txt flufl/bounce/tests/data/qmail_08.txt flufl/bounce/tests/data/sendmail_01.txt flufl/bounce/tests/data/simple_01.txt flufl/bounce/tests/data/simple_02.txt flufl/bounce/tests/data/simple_03.txt flufl/bounce/tests/data/simple_04.txt flufl/bounce/tests/data/simple_05.txt flufl/bounce/tests/data/simple_06.txt flufl/bounce/tests/data/simple_07.txt flufl/bounce/tests/data/simple_08.txt flufl/bounce/tests/data/simple_09.txt flufl/bounce/tests/data/simple_10.txt flufl/bounce/tests/data/simple_11.txt flufl/bounce/tests/data/simple_12.txt flufl/bounce/tests/data/simple_13.txt flufl/bounce/tests/data/simple_14.txt flufl/bounce/tests/data/simple_15.txt flufl/bounce/tests/data/simple_16.txt flufl/bounce/tests/data/simple_17.txt flufl/bounce/tests/data/simple_18.txt flufl/bounce/tests/data/simple_19.txt flufl/bounce/tests/data/simple_20.txt flufl/bounce/tests/data/simple_21.txt flufl/bounce/tests/data/simple_22.txt flufl/bounce/tests/data/simple_23.txt flufl/bounce/tests/data/simple_24.txt flufl/bounce/tests/data/simple_25.txt flufl/bounce/tests/data/simple_26.txt flufl/bounce/tests/data/simple_27.txt flufl/bounce/tests/data/simple_28.txt flufl/bounce/tests/data/simple_29.txt flufl/bounce/tests/data/simple_30.txt flufl/bounce/tests/data/simple_31.txt flufl/bounce/tests/data/simple_32.txt flufl/bounce/tests/data/simple_33.txt flufl/bounce/tests/data/simple_34.txt flufl/bounce/tests/data/simple_35.txt flufl/bounce/tests/data/simple_36.txt flufl/bounce/tests/data/simple_37.txt flufl/bounce/tests/data/simple_38.txt flufl/bounce/tests/data/simple_39.txt flufl/bounce/tests/data/simple_40.txt flufl/bounce/tests/data/simple_41.txt flufl/bounce/tests/data/sina_01.txt flufl/bounce/tests/data/smtp32_01.txt flufl/bounce/tests/data/smtp32_02.txt flufl/bounce/tests/data/smtp32_03.txt flufl/bounce/tests/data/smtp32_04.txt flufl/bounce/tests/data/smtp32_05.txt flufl/bounce/tests/data/smtp32_06.txt flufl/bounce/tests/data/smtp32_07.txt flufl/bounce/tests/data/yahoo_01.txt flufl/bounce/tests/data/yahoo_02.txt flufl/bounce/tests/data/yahoo_03.txt flufl/bounce/tests/data/yahoo_04.txt flufl/bounce/tests/data/yahoo_05.txt flufl/bounce/tests/data/yahoo_06.txt flufl/bounce/tests/data/yahoo_07.txt flufl/bounce/tests/data/yahoo_08.txt flufl/bounce/tests/data/yahoo_09.txt flufl/bounce/tests/data/yahoo_10.txt flufl/bounce/tests/data/yahoo_11.txt flufl/bounce/tests/data/yale_01.txtflufl.bounce-3.0/flufl.bounce.egg-info/not-zip-safe0000664000175000017500000000000113051700115022513 0ustar barrybarry00000000000000 flufl.bounce-3.0/flufl.bounce.egg-info/PKG-INFO0000664000175000017500000000155113051700115021364 0ustar barrybarry00000000000000Metadata-Version: 1.1 Name: flufl.bounce Version: 3.0 Summary: Email bounce detectors. Home-page: https://fluflbounce.readthedocs.io/en/latest/ Author: Barry Warsaw Author-email: barry@python.org License: ASLv2 Download-URL: https://pypi.python.org/pypi/flufl.bounce Description: UNKNOWN Platform: UNKNOWN Classifier: Development Status :: 5 - Production/Stable Classifier: Intended Audience :: Developers Classifier: License :: OSI Approved :: Apache Software License Classifier: Operating System :: POSIX Classifier: Operating System :: Microsoft :: Windows Classifier: Operating System :: MacOS :: MacOS X Classifier: Programming Language :: Python Classifier: Programming Language :: Python :: 3 Classifier: Topic :: Software Development :: Libraries Classifier: Topic :: Communications :: Email Classifier: Topic :: Software Development :: Libraries :: Python Modules flufl.bounce-3.0/flufl.bounce.egg-info/namespace_packages.txt0000664000175000017500000000000613051700115024614 0ustar barrybarry00000000000000flufl flufl.bounce-3.0/flufl.bounce.egg-info/requires.txt0000664000175000017500000000003013051700115022656 0ustar barrybarry00000000000000atpublic zope.interface flufl.bounce-3.0/flufl.bounce.egg-info/dependency_links.txt0000664000175000017500000000000113051700115024333 0ustar barrybarry00000000000000 flufl.bounce-3.0/flufl.bounce.egg-info/top_level.txt0000664000175000017500000000000613051700115023013 0ustar barrybarry00000000000000flufl flufl.bounce-3.0/setup_helpers.py0000664000175000017500000001210613051672602017456 0ustar barrybarry00000000000000# Copyright (C) 2009-2015 Barry A. Warsaw # # This file is part of setup_helpers.py # # setup_helpers.py is free software: you can redistribute it and/or modify it # under the terms of the GNU Lesser General Public License as published by the # Free Software Foundation, version 3 of the License. # # setup_helpers.py is distributed in the hope that it will be useful, but # WITHOUT ANY WARRANTY; without even the implied warranty of MERCHANTABILITY or # FITNESS FOR A PARTICULAR PURPOSE. See the GNU Lesser General Public License # for more details. # # You should have received a copy of the GNU Lesser General Public License # along with setup_helpers.py. If not, see . """setup.py helper functions.""" from __future__ import absolute_import, print_function, unicode_literals __metaclass__ = type __all__ = [ 'description', 'find_doctests', 'get_version', 'long_description', 'require_python', ] import os import re import sys DEFAULT_VERSION_RE = re.compile( r'(?P\d+\.\d+(?:\.\d+)?(?:(?:a|b|rc)\d+)?)') EMPTYSTRING = '' __version__ = '2.3' def require_python(minimum): """Require at least a minimum Python version. The version number is expressed in terms of `sys.hexversion`. E.g. to require a minimum of Python 2.6, use:: >>> require_python(0x206000f0) :param minimum: Minimum Python version supported. :type minimum: integer """ if sys.hexversion < minimum: hversion = hex(minimum)[2:] if len(hversion) % 2 != 0: hversion = '0' + hversion split = list(hversion) parts = [] while split: parts.append(int(''.join((split.pop(0), split.pop(0))), 16)) major, minor, micro, release = parts if release == 0xf0: print('Python {0}.{1}.{2} or better is required'.format( major, minor, micro)) else: print('Python {0}.{1}.{2} ({3}) or better is required'.format( major, minor, micro, hex(release)[2:])) sys.exit(1) def get_version(filename, pattern=None): """Extract the __version__ from a file without importing it. While you could get the __version__ by importing the module, the very act of importing can cause unintended consequences. For example, Distribute's automatic 2to3 support will break. Instead, this searches the file for a line that starts with __version__, and extract the version number by regular expression matching. By default, two or three dot-separated digits are recognized, but by passing a pattern parameter, you can recognize just about anything. Use the `version` group name to specify the match group. :param filename: The name of the file to search. :type filename: string :param pattern: Optional alternative regular expression pattern to use. :type pattern: string :return: The version that was extracted. :rtype: string """ if pattern is None: cre = DEFAULT_VERSION_RE else: cre = re.compile(pattern) with open(filename) as fp: for line in fp: if line.startswith('__version__'): mo = cre.search(line) assert mo, 'No valid __version__ string found' return mo.group('version') raise AssertionError('No __version__ assignment found') def find_doctests(start='.', extension='.rst'): """Find separate-file doctests in the package. This is useful for Distribute's automatic 2to3 conversion support. The `setup()` keyword argument `convert_2to3_doctests` requires file names, which may be difficult to track automatically as you add new doctests. :param start: Directory to start searching in (default is cwd) :type start: string :param extension: Doctest file extension (default is .txt) :type extension: string :return: The doctest files found. :rtype: list """ doctests = [] for dirpath, dirnames, filenames in os.walk(start): doctests.extend(os.path.join(dirpath, filename) for filename in filenames if filename.endswith(extension)) return doctests def long_description(*filenames): """Provide a long description.""" res = [''] for filename in filenames: with open(filename) as fp: for line in fp: res.append(' ' + line) res.append('') res.append('\n') return EMPTYSTRING.join(res) def description(filename): """Provide a short description.""" # This ends up in the Summary header for PKG-INFO and it should be a # one-liner. It will get rendered on the package page just below the # package version header but above the long_description, which ironically # gets stuff into the Description header. It should not include reST, so # pick out the first single line after the double header. with open(filename) as fp: for lineno, line in enumerate(fp): if lineno < 3: continue line = line.strip() if len(line) > 0: return line flufl.bounce-3.0/PKG-INFO0000664000175000017500000000155113051700115015310 0ustar barrybarry00000000000000Metadata-Version: 1.1 Name: flufl.bounce Version: 3.0 Summary: Email bounce detectors. Home-page: https://fluflbounce.readthedocs.io/en/latest/ Author: Barry Warsaw Author-email: barry@python.org License: ASLv2 Download-URL: https://pypi.python.org/pypi/flufl.bounce Description: UNKNOWN Platform: UNKNOWN Classifier: Development Status :: 5 - Production/Stable Classifier: Intended Audience :: Developers Classifier: License :: OSI Approved :: Apache Software License Classifier: Operating System :: POSIX Classifier: Operating System :: Microsoft :: Windows Classifier: Operating System :: MacOS :: MacOS X Classifier: Programming Language :: Python Classifier: Programming Language :: Python :: 3 Classifier: Topic :: Software Development :: Libraries Classifier: Topic :: Communications :: Email Classifier: Topic :: Software Development :: Libraries :: Python Modules flufl.bounce-3.0/README.rst0000664000175000017500000000162713051672602015717 0ustar barrybarry00000000000000============ flufl.bounce ============ Email bounce detectors. The `flufl.bounce` library provides a set of heuristics and an API for detecting the original bouncing email addresses from a bounce message. Many formats found in the wild are supported, as are VERP_ and RFC 3464 (DSN_). Authors ======= `flufl.bounce` is Copyright (C) 2004-2017 Barry Warsaw Barry Warsaw Mark Sapiro Licensed under the terms of the Apache Software License, version 2. See LICENSE for details. Project details =============== * Project home: https://gitlab.com/warsaw/flufl.bounce * Report bugs at: https://gitlab.com/warsaw/flufl.bounce/issues * Code: https://gitlab.com/warsaw/flufl.bounce.git * Documentation: http://fluflbounce.readthedocs.io/ .. _VERP: http://en.wikipedia.org/wiki/Variable_envelope_return_path .. _DSN: http://www.faqs.org/rfcs/rfc3464.html flufl.bounce-3.0/tox.ini0000664000175000017500000000236113051672602015537 0ustar barrybarry00000000000000[tox] envlist = {py34,py35,py36}-{cov,nocov,diffcov},qa,docs recreate = True skip_missing_interpreters = True [testenv] commands = nocov: python -m nose2 -v {posargs} {cov,diffcov}: python -m coverage run {[coverage]rc} -m nose2 -v {cov,diffcov}: python -m coverage combine {[coverage]rc} cov: python -m coverage html {[coverage]rc} cov: python -m coverage report -m {[coverage]rc} --fail-under=91 diffcov: python -m coverage xml {[coverage]rc} diffcov: diff-cover coverage.xml --html-report diffcov.html diffcov: diff-cover coverage.xml --fail-under=91 #sitepackages = True usedevelop = True deps = nose2 flufl.testing {cov,diffcov}: coverage diffcov: diff_cover setenv = cov: COVERAGE_PROCESS_START={[coverage]rcfile} cov: COVERAGE_OPTIONS="-p" cov: COVERAGE_FILE={toxinidir}/.coverage passenv = PYTHON* [coverage] rcfile = {toxinidir}/coverage.ini rc = --rcfile={[coverage]rcfile} [testenv:qa] basepython = python3 commands = python -m flake8 flufl/bounce deps = flake8 flufl.testing [testenv:docs] basepython = python3 commands = python setup.py build_sphinx deps: sphinx [flake8] enable-extensions = U4 exclude = conf.py hang-closing = True jobs = 1 max-line-length = 79 flufl.bounce-3.0/coverage.ini0000644000175000017500000000035313051157176016521 0ustar barrybarry00000000000000[run] branch = true parallel = true omit = setup* flufl/bounce/testing/* flufl/bounce/tests/* .tox/*/lib/python3.*/site-packages/* [paths] source = flufl/bounce .tox/*/lib/python*/site-packages/flufl/bounce