imap-tools


Nameimap-tools JSON
Version 1.9.1 PyPI version JSON
download
home_pagehttps://github.com/ikvk/imap_tools
SummaryWork with email by IMAP
upload_time2025-01-17 08:38:41
maintainerNone
docs_urlNone
authorVladimir Kaukin
requires_pythonNone
licenseApache-2.0
keywords imap imap-client python3 python email
VCS
bugtrack_url
requirements No requirements were recorded.
Travis-CI No Travis.
coveralls test coverage No coveralls.
            .. http://docutils.sourceforge.net/docs/user/rst/quickref.html

.. |nbsp| unicode:: 0xA0
   :trim:

imap_tools 📧
=============

High level lib for work with email by IMAP:

- Basic message operations: fetch, uids, numbers
- Parsed email message attributes
- Query builder for search criteria
- Actions with emails: copy, delete, flag, move, append
- Actions with folders: list, set, get, create, exists, rename, subscribe, delete, status
- IDLE commands: start, poll, stop, wait
- Exceptions on failed IMAP operations
- No external dependencies, tested

.. image:: https://img.shields.io/pypi/dm/imap_tools.svg?style=social

===============  ================================================================================================
Python version   3.8+
License          Apache-2.0
PyPI             https://pypi.python.org/pypi/imap_tools/
RFC              `IMAP4.1 <https://tools.ietf.org/html/rfc3501>`_,
                 `EMAIL <https://tools.ietf.org/html/rfc2822>`_,
                 `IMAP related RFCs <https://github.com/ikvk/imap_tools/blob/master/docs/IMAP_related_RFCs.txt>`_
Repo mirror      https://gitflic.ru/project/ikvk/imap-tools
===============  ================================================================================================

.. contents::

Installation
------------
::

    $ pip install imap-tools

Guide
-----

Basic
^^^^^

Info about lib are at: *this page*, docstrings, issues, pull requests, examples, source, stackoverflow.com

.. code-block:: python

    from imap_tools import MailBox, AND

    # Get date, subject and body len of all emails from INBOX folder
    with MailBox('imap.mail.com').login('test@mail.com', 'pwd') as mailbox:
        for msg in mailbox.fetch():
            print(msg.date, msg.subject, len(msg.text or msg.html))

`Description of this^ example <https://github.com/ikvk/imap_tools/blob/master/examples/basic.py>`_.

``MailBox, MailBoxTls, MailBoxUnencrypted`` - for create mailbox client. `TLS example <https://github.com/ikvk/imap_tools/blob/master/examples/tls.py>`_.

``BaseMailBox.<auth>`` - login, login_utf8, xoauth2, logout - authentication functions, they support context manager.

``BaseMailBox.fetch`` - first searches email uids by criteria in current folder, then fetch and yields `MailMessage <#email-attributes>`_, args:

* *criteria* = 'ALL', message search criteria, `query builder <#search-criteria>`_
* *charset* = 'US-ASCII', indicates charset of the strings that appear in the search criteria. See rfc2978
* *limit* = None, limit on the number of read emails, useful for actions with a large number of messages, like "move". May be int or slice.
* *mark_seen* = True, mark emails as seen on fetch
* *reverse* = False, in order from the larger date to the smaller
* *headers_only* = False, get only email headers (without text, html, attachments)
* *bulk* = False, False - fetch each message separately per N commands - low memory consumption, slow; True - fetch all messages per 1 command - high memory consumption, fast; int - fetch all messages by bulks of the specified size, for 20 messages and bulk=5 -> 4 commands
* *sort* = None, criteria for sort messages on server, use SortCriteria constants. Charset arg is important for sort

``BaseMailBox.uids`` - search mailbox for matching message uids in current folder, returns [str | None], None when MailMessage.from_bytes used, args:

* *criteria* = 'ALL', message search criteria, `query builder <#search-criteria>`_
* *charset* = 'US-ASCII', indicates charset of the strings that appear in the search criteria. See rfc2978
* *sort* = None, criteria for sort messages on server, use SortCriteria constants. Charset arg is important for sort

``BaseMailBox.<action>`` - `copy, move, delete, flag, append <#actions-with-emails>`_ - message actions.

``BaseMailBox.folder.<action>`` - `list, set, get, create, exists, rename, subscribe, delete, status <#actions-with-folders>`_ - folder manager.

``BaseMailBox.idle.<action>`` - `start, poll, stop, wait <#idle-workflow>`_ - idle manager.

``BaseMailBox.numbers`` - search mailbox for matching message numbers in current folder, returns [str]

``BaseMailBox.numbers_to_uids`` - Get message uids by message numbers, returns [str]

``BaseMailBox.client`` - imaplib.IMAP4/IMAP4_SSL client instance.

Email attributes
^^^^^^^^^^^^^^^^

Email has 2 basic body variants: text and html. Sender can choose to include: one, other, both or neither(rare).

MailMessage and MailAttachment public attributes are cached by functools.cached_property

.. code-block:: python

    for msg in mailbox.fetch():  # generator: imap_tools.MailMessage
        msg.uid          # str | None: '123'
        msg.subject      # str: 'some subject 你 привет'
        msg.from_        # str: 'Bartölke@ya.ru'
        msg.to           # tuple: ('iam@goo.ru', 'friend@ya.ru', )
        msg.cc           # tuple: ('cc@mail.ru', )
        msg.bcc          # tuple: ('bcc@mail.ru', )
        msg.reply_to     # tuple: ('reply_to@mail.ru', )
        msg.date         # datetime.datetime: 1900-1-1 for unparsed, may be naive or with tzinfo
        msg.date_str     # str: original date - 'Tue, 03 Jan 2017 22:26:59 +0500'
        msg.text         # str: 'Hello 你 Привет'
        msg.html         # str: '<b>Hello 你 Привет</b>'
        msg.flags        # tuple: ('\\Seen', '\\Flagged', 'ENCRYPTED')
        msg.headers      # dict: {'received': ('from 1.m.ru', 'from 2.m.ru'), 'anti-virus': ('Clean',)}
        msg.size_rfc822  # int: 20664 bytes - size info from server (*useful with headers_only arg)
        msg.size         # int: 20377 bytes - size of received message

        for att in msg.attachments:  # list: imap_tools.MailAttachment
            att.filename             # str: 'cat.jpg'
            att.payload              # bytes: b'\xff\xd8\xff\xe0\'
            att.content_id           # str: 'part45.06020801.00060008@mail.ru'
            att.content_type         # str: 'image/jpeg'
            att.content_disposition  # str: 'inline'
            att.part                 # email.message.Message: original object
            att.size                 # int: 17361 bytes

        msg.obj              # email.message.Message: original object
        msg.from_values      # imap_tools.EmailAddress | None
        msg.to_values        # tuple: (imap_tools.EmailAddress,)
        msg.cc_values        # tuple: (imap_tools.EmailAddress,)
        msg.bcc_values       # tuple: (imap_tools.EmailAddress,)
        msg.reply_to_values  # tuple: (imap_tools.EmailAddress,)

        # imap_tools.EmailAddress example:
        # EmailAddress(name='Ya', email='im@ya.ru')  # has "full" property = 'Ya <im@ya.ru>'

Search criteria
^^^^^^^^^^^^^^^

The *"criteria"* argument is used at *fetch, uids, numbers* methods of MailBox. Criteria can be of three types:

.. code-block:: python

    from imap_tools import AND

    mailbox.fetch(AND(subject='weather'))  # query, the str-like object
    mailbox.fetch('TEXT "hello"')          # str
    mailbox.fetch(b'TEXT "\xd1\x8f"')      # bytes

Use *"charset"* argument for encode criteria to the desired encoding. If criteria is bytes - encoding will be ignored.

.. code-block:: python

    mailbox.uids(A(subject='жёлтый'), charset='utf8')

Query builder implements all search logic described in `rfc3501 <https://tools.ietf.org/html/rfc3501#section-6.4.4>`_.
It uses this classes:

========  =====  ========================================== ======================================
Class     Alias  Description                                Arguments
========  =====  ========================================== ======================================
AND       A      Combine conditions by logical "AND"        Search keys (see table below) | str
OR        O      Combine conditions by logical "OR"         Search keys (see table below) | str
NOT       N      Invert the result of a logical expression  AND/OR instances | str
Header    H      Header value for search by header key      name: str, value: str
UidRange  U      UID range value for search by uid key      start: str, end: str
========  =====  ========================================== ======================================

See `query examples <https://github.com/ikvk/imap_tools/blob/master/examples/search.py>`_. A few examples:

.. code-block:: python

    from imap_tools import A, AND, OR, NOT
    # AND
    A(text='hello', new=True)  # '(TEXT "hello" NEW)'
    # OR
    OR(text='hello', date=datetime.date(2000, 3, 15))  # '(OR TEXT "hello" ON 15-Mar-2000)'
    # NOT
    NOT(text='hello', new=True)  # 'NOT (TEXT "hello" NEW)'
    # complex
    A(OR(from_='from@ya.ru', text='"the text"'), NOT(OR(A(answered=False), A(new=True))), to='to@ya.ru')
    # python note: you can't do: A(text='two', NOT(subject='one'))
    A(NOT(subject='one'), text='two')  # use kwargs after logic classes (args)

Server side search notes:

* For string search keys a message matches if the string is a substring of the field. The matching is case-insensitive.
* When searching by dates - email's time and timezone are disregarding.

Search key table below.

Key types marked with `*` can accepts a sequence of values like list, tuple, set or generator - for join by OR.

=============  ===============  ======================  ================================================================
Key            Types            Results                 Description
=============  ===============  ======================  ================================================================
answered       bool             `ANSWERED/UNANSWERED`   with/without the Answered flag
seen           bool             `SEEN/UNSEEN`           with/without the Seen flag
flagged        bool             `FLAGGED/UNFLAGGED`     with/without the Flagged flag
draft          bool             `DRAFT/UNDRAFT`         with/without the Draft flag
deleted        bool             `DELETED/UNDELETED`     with/without the Deleted flag
keyword        str*             KEYWORD KEY             with the specified keyword flag
no_keyword     str*             UNKEYWORD KEY           without the specified keyword flag
`from_`        str*             FROM `"from@ya.ru"`     contain specified str in envelope struct's FROM field
to             str*             TO `"to@ya.ru"`         contain specified str in envelope struct's TO field
subject        str*             SUBJECT "hello"         contain specified str in envelope struct's SUBJECT field
body           str*             BODY "some_key"         contain specified str in body of the message
text           str*             TEXT "some_key"         contain specified str in header or body of the message
bcc            str*             BCC `"bcc@ya.ru"`       contain specified str in envelope struct's BCC field
cc             str*             CC `"cc@ya.ru"`         contain specified str in envelope struct's CC field
date           datetime.date*   ON 15-Mar-2000          internal date is within specified date
date_gte       datetime.date*   SINCE 15-Mar-2000       internal date is within or later than the specified date
date_lt        datetime.date*   BEFORE 15-Mar-2000      internal date is earlier than the specified date
sent_date      datetime.date*   SENTON 15-Mar-2000      rfc2822 Date: header is within the specified date
sent_date_gte  datetime.date*   SENTSINCE 15-Mar-2000   rfc2822 Date: header is within or later than the specified date
sent_date_lt   datetime.date*   SENTBEFORE 1-Mar-2000   rfc2822 Date: header is earlier than the specified date
size_gt        int >= 0         LARGER 1024             rfc2822 size larger than specified number of octets
size_lt        int >= 0         SMALLER 512             rfc2822 size smaller than specified number of octets
new            True             NEW                     have the Recent flag set but not the Seen flag
old            True             OLD                     do not have the Recent flag set
recent         True             RECENT                  have the Recent flag set
all            True             ALL                     all, criteria by default
uid            iter(str)/str/U  UID 1,2,17              corresponding to the specified unique identifier set
header         H(str, str)*     HEADER "A-Spam" "5.8"   have a header that contains the specified str in the text
gmail_label    str*             X-GM-LABELS "label1"    have this gmail label
=============  ===============  ======================  ================================================================

Actions with emails
^^^^^^^^^^^^^^^^^^^

First of all read about UID `at rfc3501 <https://tools.ietf.org/html/rfc3501#section-2.3.1.1>`_.

Action's uid_list arg may takes:

* str, that is comma separated uids
* Sequence, that contains str uids

To get uids, use the maibox methods: uids, fetch.

For actions with a large number of messages imap command may be too large and will cause exception at server side,
use 'limit' argument for fetch in this case.

.. code-block:: python

    with MailBox('imap.mail.com').login('test@mail.com', 'pwd', initial_folder='INBOX') as mailbox:

        # COPY messages with uid in 23,27 from current folder to folder1
        mailbox.copy('23,27', 'folder1')

        # MOVE all messages from current folder to INBOX/folder2
        mailbox.move(mailbox.uids(), 'INBOX/folder2')

        # DELETE messages with 'cat' word in its html from current folder
        mailbox.delete([msg.uid for msg in mailbox.fetch() if 'cat' in msg.html])

        # FLAG unseen messages in current folder as \Seen, \Flagged and TAG1
        flags = (imap_tools.MailMessageFlags.SEEN, imap_tools.MailMessageFlags.FLAGGED, 'TAG1')
        mailbox.flag(mailbox.uids(AND(seen=False)), flags, True)

        # APPEND: add message to mailbox directly, to INBOX folder with \Seen flag and now date
        with open('/tmp/message.eml', 'rb') as f:
            msg = imap_tools.MailMessage.from_bytes(f.read())  # *or use bytes instead MailMessage
        mailbox.append(msg, 'INBOX', dt=None, flag_set=[imap_tools.MailMessageFlags.SEEN])

Actions with folders
^^^^^^^^^^^^^^^^^^^^

BaseMailBox.login/xoauth2 has initial_folder arg, that is "INBOX" by default, use None for not set folder on login.

.. code-block:: python

    with MailBox('imap.mail.com').login('test@mail.com', 'pwd') as mailbox:

        # LIST: get all subfolders of the specified folder (root by default)
        for f in mailbox.folder.list('INBOX'):
            print(f)  # FolderInfo(name='INBOX|cats', delim='|', flags=('\\Unmarked', '\\HasChildren'))

        # SET: select folder for work
        mailbox.folder.set('INBOX')

        # GET: get selected folder
        current_folder = mailbox.folder.get()

        # CREATE: create new folder
        mailbox.folder.create('INBOX|folder1')

        # EXISTS: check is folder exists (shortcut for list)
        is_exists = mailbox.folder.exists('INBOX|folder1')

        # RENAME: set new name to folder
        mailbox.folder.rename('folder3', 'folder4')

        # SUBSCRIBE: subscribe/unsubscribe to folder
        mailbox.folder.subscribe('INBOX|папка два', True)

        # DELETE: delete folder
        mailbox.folder.delete('folder4')

        # STATUS: get folder status info
        stat = mailbox.folder.status('some_folder')
        print(stat)  # {'MESSAGES': 41, 'RECENT': 0, 'UIDNEXT': 11996, 'UIDVALIDITY': 1, 'UNSEEN': 5}

IDLE workflow
^^^^^^^^^^^^^

IDLE logic are in mailbox.idle manager, its methods are in the table below:

======== ============================================================================== ================================
Method   Description                                                                    Arguments
======== ============================================================================== ================================
start    Switch on mailbox IDLE mode
poll     Poll for IDLE responses                                                        timeout: |nbsp| Optional[float]
stop     Switch off mailbox IDLE mode
wait     Switch on IDLE, poll responses, switch off IDLE on response, return responses  timeout: |nbsp| Optional[float]
======== ============================================================================== ================================

.. code-block:: python

    from imap_tools import MailBox, A

    # waiting for updates 60 sec, print unseen immediately if any update
    with MailBox('imap.my.moon').login('acc', 'pwd', 'INBOX') as mailbox:
        responses = mailbox.idle.wait(timeout=60)
        if responses:
            for msg in mailbox.fetch(A(seen=False)):
                print(msg.date, msg.subject)
        else:
            print('no updates in 60 sec')

Read docstrings and see `detailed examples <https://github.com/ikvk/imap_tools/blob/master/examples/idle.py>`_.

Exceptions
^^^^^^^^^^

Most lib server actions raises exception if result is marked as not success.

Custom lib exceptions here: `errors.py <https://github.com/ikvk/imap_tools/blob/master/imap_tools/errors.py>`_.

Release notes
-------------

History of important changes: `release_notes.rst <https://github.com/ikvk/imap_tools/blob/master/docs/release_notes.rst>`_

Contribute
----------

If you found a bug or have a question, then:

1. Look for answer at: this page, issues, pull requests, examples, source, RFCs, stackoverflow.com, internet.
2. And only then - create merge request or issue.

Reasons
-------

- Excessive low level of `imaplib` library.
- Other libraries contain various shortcomings or not convenient.
- Open source projects make world better.

Thanks
------

Big thanks to people who helped develop this library:

`shilkazx <https://github.com/shilkazx>`_,
`somepad <https://github.com/somepad>`_,
`0xThiebaut <https://github.com/0xThiebaut>`_,
`TpyoKnig <https://github.com/TpyoKnig>`_,
`parchd-1 <https://github.com/parchd-1>`_,
`dojasoncom <https://github.com/dojasoncom>`_,
`RandomStrangerOnTheInternet <https://github.com/RandomStrangerOnTheInternet>`_,
`jonnyarnold <https://github.com/jonnyarnold>`_,
`Mitrich3000 <https://github.com/Mitrich3000>`_,
`audemed44 <https://github.com/audemed44>`_,
`mkalioby <https://github.com/mkalioby>`_,
`atlas0fd00m <https://github.com/atlas0fd00m>`_,
`unqx <https://github.com/unqx>`_,
`daitangio <https://github.com/daitangio>`_,
`upils <https://github.com/upils>`_,
`Foosec <https://github.com/Foosec>`_,
`frispete <https://github.com/frispete>`_,
`PH89 <https://github.com/PH89>`_,
`amarkham09 <https://github.com/amarkham09>`_,
`nixCodeX <https://github.com/nixCodeX>`_,
`backelj <https://github.com/backelj>`_,
`ohayak <https://github.com/ohayak>`_,
`mwherman95926 <https://github.com/mwherman95926>`_,
`andyfensham <https://github.com/andyfensham>`_,
`mike-code <https://github.com/mike-code>`_,
`aknrdureegaesr <https://github.com/aknrdureegaesr>`_,
`ktulinger <https://github.com/ktulinger>`_,
`SamGenTLEManKaka <https://github.com/SamGenTLEManKaka>`_,
`devkral <https://github.com/devkral>`_,
`tnusraddinov <https://github.com/tnusraddinov>`_,
`thepeshka <https://github.com/thepeshka>`_,
`shofstet <https://github.com/shofstet>`_,
`the7erm <https://github.com/the7erm>`_,
`c0da <https://github.com/c0da>`_,
`dev4max <https://github.com/dev4max>`_,
`ascheucher <https://github.com/ascheucher>`_,
`Borutia <https://github.com/Borutia>`_,
`nathan30 <https://github.com/nathan30>`_,
`daniel55411 <https://github.com/daniel55411>`_,
`rcarmo <https://github.com/rcarmo>`_,
`bhernacki <https://github.com/bhernacki>`_,
`ilep <https://github.com/ilep>`_,
`ThKue <https://github.com/ThKue>`_,
`repodiac <https://github.com/repodiac>`_,
`tiuub <https://github.com/tiuub>`_,
`Yannik <https://github.com/Yannik>`_,
`pete312 <https://github.com/pete312>`_,
`edkedk99 <https://github.com/edkedk99>`_,
`UlisseMini <https://github.com/UlisseMini>`_,
`Nicarex <https://github.com/Nicarex>`_,
`RanjithNair1980 <https://github.com/RanjithNair1980>`_,
`NickC-NZ <https://github.com/NickC-NZ>`_,
`mweinelt <https://github.com/mweinelt>`_,
`lucbouge <https://github.com/lucbouge>`_,
`JacquelinCharbonnel <https://github.com/JacquelinCharbonnel>`_,
`stumpylog <https://github.com/stumpylog>`_,
`dimitrisstr <https://github.com/dimitrisstr>`_,
`abionics <https://github.com/abionics>`_,
`link2xt <https://github.com/link2xt>`_,
`Docpart <https://github.com/Docpart>`_,
`meetttttt <https://github.com/meetttttt>`_,
`sapristi <https://github.com/sapristi>`_,
`thomwiggers <https://github.com/thomwiggers>`_,
`histogal <https://github.com/histogal>`_,
`K900 <https://github.com/K900>`_,
`homoLudenus <https://github.com/homoLudenus>`_,
`sphh <https://github.com/sphh>`_,
`bh <https://github.com/bh>`_,
`tomasmach <https://github.com/tomasmach>`_

Help the project
----------------
1. Found a bug or figure out how to improve the library - open issue or merge request 🎯
2. Do not know how to improve library - try to help other open projects that you use ✋
3. Nowhere to put your money - spend it on your family, friends, loved ones, or people around you 💰
4. Star the project ⭐

            

Raw data

            {
    "_id": null,
    "home_page": "https://github.com/ikvk/imap_tools",
    "name": "imap-tools",
    "maintainer": null,
    "docs_url": null,
    "requires_python": null,
    "maintainer_email": null,
    "keywords": "imap, imap-client, python3, python, email",
    "author": "Vladimir Kaukin",
    "author_email": "KaukinVK@ya.ru",
    "download_url": "https://files.pythonhosted.org/packages/12/93/08d5e287c702b7b5ec6850f67579be3ea59a690442af923cdb74dee9d05e/imap_tools-1.9.1.tar.gz",
    "platform": null,
    "description": ".. http://docutils.sourceforge.net/docs/user/rst/quickref.html\r\n\r\n.. |nbsp| unicode:: 0xA0\r\n   :trim:\r\n\r\nimap_tools \ud83d\udce7\r\n=============\r\n\r\nHigh level lib for work with email by IMAP:\r\n\r\n- Basic message operations: fetch, uids, numbers\r\n- Parsed email message attributes\r\n- Query builder for search criteria\r\n- Actions with emails: copy, delete, flag, move, append\r\n- Actions with folders: list, set, get, create, exists, rename, subscribe, delete, status\r\n- IDLE commands: start, poll, stop, wait\r\n- Exceptions on failed IMAP operations\r\n- No external dependencies, tested\r\n\r\n.. image:: https://img.shields.io/pypi/dm/imap_tools.svg?style=social\r\n\r\n===============  ================================================================================================\r\nPython version   3.8+\r\nLicense          Apache-2.0\r\nPyPI             https://pypi.python.org/pypi/imap_tools/\r\nRFC              `IMAP4.1 <https://tools.ietf.org/html/rfc3501>`_,\r\n                 `EMAIL <https://tools.ietf.org/html/rfc2822>`_,\r\n                 `IMAP related RFCs <https://github.com/ikvk/imap_tools/blob/master/docs/IMAP_related_RFCs.txt>`_\r\nRepo mirror      https://gitflic.ru/project/ikvk/imap-tools\r\n===============  ================================================================================================\r\n\r\n.. contents::\r\n\r\nInstallation\r\n------------\r\n::\r\n\r\n    $ pip install imap-tools\r\n\r\nGuide\r\n-----\r\n\r\nBasic\r\n^^^^^\r\n\r\nInfo about lib are at: *this page*, docstrings, issues, pull requests, examples, source, stackoverflow.com\r\n\r\n.. code-block:: python\r\n\r\n    from imap_tools import MailBox, AND\r\n\r\n    # Get date, subject and body len of all emails from INBOX folder\r\n    with MailBox('imap.mail.com').login('test@mail.com', 'pwd') as mailbox:\r\n        for msg in mailbox.fetch():\r\n            print(msg.date, msg.subject, len(msg.text or msg.html))\r\n\r\n`Description of this^ example <https://github.com/ikvk/imap_tools/blob/master/examples/basic.py>`_.\r\n\r\n``MailBox, MailBoxTls, MailBoxUnencrypted`` - for create mailbox client. `TLS example <https://github.com/ikvk/imap_tools/blob/master/examples/tls.py>`_.\r\n\r\n``BaseMailBox.<auth>`` - login, login_utf8, xoauth2, logout - authentication functions, they support context manager.\r\n\r\n``BaseMailBox.fetch`` - first searches email uids by criteria in current folder, then fetch and yields `MailMessage <#email-attributes>`_, args:\r\n\r\n* *criteria* = 'ALL', message search criteria, `query builder <#search-criteria>`_\r\n* *charset* = 'US-ASCII', indicates charset of the strings that appear in the search criteria. See rfc2978\r\n* *limit* = None, limit on the number of read emails, useful for actions with a large number of messages, like \"move\". May be int or slice.\r\n* *mark_seen* = True, mark emails as seen on fetch\r\n* *reverse* = False, in order from the larger date to the smaller\r\n* *headers_only* = False, get only email headers (without text, html, attachments)\r\n* *bulk* = False, False - fetch each message separately per N commands - low memory consumption, slow; True - fetch all messages per 1 command - high memory consumption, fast; int - fetch all messages by bulks of the specified size, for 20 messages and bulk=5 -> 4 commands\r\n* *sort* = None, criteria for sort messages on server, use SortCriteria constants. Charset arg is important for sort\r\n\r\n``BaseMailBox.uids`` - search mailbox for matching message uids in current folder, returns [str | None], None when MailMessage.from_bytes used, args:\r\n\r\n* *criteria* = 'ALL', message search criteria, `query builder <#search-criteria>`_\r\n* *charset* = 'US-ASCII', indicates charset of the strings that appear in the search criteria. See rfc2978\r\n* *sort* = None, criteria for sort messages on server, use SortCriteria constants. Charset arg is important for sort\r\n\r\n``BaseMailBox.<action>`` - `copy, move, delete, flag, append <#actions-with-emails>`_ - message actions.\r\n\r\n``BaseMailBox.folder.<action>`` - `list, set, get, create, exists, rename, subscribe, delete, status <#actions-with-folders>`_ - folder manager.\r\n\r\n``BaseMailBox.idle.<action>`` - `start, poll, stop, wait <#idle-workflow>`_ - idle manager.\r\n\r\n``BaseMailBox.numbers`` - search mailbox for matching message numbers in current folder, returns [str]\r\n\r\n``BaseMailBox.numbers_to_uids`` - Get message uids by message numbers, returns [str]\r\n\r\n``BaseMailBox.client`` - imaplib.IMAP4/IMAP4_SSL client instance.\r\n\r\nEmail attributes\r\n^^^^^^^^^^^^^^^^\r\n\r\nEmail has 2 basic body variants: text and html. Sender can choose to include: one, other, both or neither(rare).\r\n\r\nMailMessage and MailAttachment public attributes are cached by functools.cached_property\r\n\r\n.. code-block:: python\r\n\r\n    for msg in mailbox.fetch():  # generator: imap_tools.MailMessage\r\n        msg.uid          # str | None: '123'\r\n        msg.subject      # str: 'some subject \u4f60 \u043f\u0440\u0438\u0432\u0435\u0442'\r\n        msg.from_        # str: 'Bart\u00f6lke@ya.ru'\r\n        msg.to           # tuple: ('iam@goo.ru', 'friend@ya.ru', )\r\n        msg.cc           # tuple: ('cc@mail.ru', )\r\n        msg.bcc          # tuple: ('bcc@mail.ru', )\r\n        msg.reply_to     # tuple: ('reply_to@mail.ru', )\r\n        msg.date         # datetime.datetime: 1900-1-1 for unparsed, may be naive or with tzinfo\r\n        msg.date_str     # str: original date - 'Tue, 03 Jan 2017 22:26:59 +0500'\r\n        msg.text         # str: 'Hello \u4f60 \u041f\u0440\u0438\u0432\u0435\u0442'\r\n        msg.html         # str: '<b>Hello \u4f60 \u041f\u0440\u0438\u0432\u0435\u0442</b>'\r\n        msg.flags        # tuple: ('\\\\Seen', '\\\\Flagged', 'ENCRYPTED')\r\n        msg.headers      # dict: {'received': ('from 1.m.ru', 'from 2.m.ru'), 'anti-virus': ('Clean',)}\r\n        msg.size_rfc822  # int: 20664 bytes - size info from server (*useful with headers_only arg)\r\n        msg.size         # int: 20377 bytes - size of received message\r\n\r\n        for att in msg.attachments:  # list: imap_tools.MailAttachment\r\n            att.filename             # str: 'cat.jpg'\r\n            att.payload              # bytes: b'\\xff\\xd8\\xff\\xe0\\'\r\n            att.content_id           # str: 'part45.06020801.00060008@mail.ru'\r\n            att.content_type         # str: 'image/jpeg'\r\n            att.content_disposition  # str: 'inline'\r\n            att.part                 # email.message.Message: original object\r\n            att.size                 # int: 17361 bytes\r\n\r\n        msg.obj              # email.message.Message: original object\r\n        msg.from_values      # imap_tools.EmailAddress | None\r\n        msg.to_values        # tuple: (imap_tools.EmailAddress,)\r\n        msg.cc_values        # tuple: (imap_tools.EmailAddress,)\r\n        msg.bcc_values       # tuple: (imap_tools.EmailAddress,)\r\n        msg.reply_to_values  # tuple: (imap_tools.EmailAddress,)\r\n\r\n        # imap_tools.EmailAddress example:\r\n        # EmailAddress(name='Ya', email='im@ya.ru')  # has \"full\" property = 'Ya <im@ya.ru>'\r\n\r\nSearch criteria\r\n^^^^^^^^^^^^^^^\r\n\r\nThe *\"criteria\"* argument is used at *fetch, uids, numbers* methods of MailBox. Criteria can be of three types:\r\n\r\n.. code-block:: python\r\n\r\n    from imap_tools import AND\r\n\r\n    mailbox.fetch(AND(subject='weather'))  # query, the str-like object\r\n    mailbox.fetch('TEXT \"hello\"')          # str\r\n    mailbox.fetch(b'TEXT \"\\xd1\\x8f\"')      # bytes\r\n\r\nUse *\"charset\"* argument for encode criteria to the desired encoding. If criteria is bytes - encoding will be ignored.\r\n\r\n.. code-block:: python\r\n\r\n    mailbox.uids(A(subject='\u0436\u0451\u043b\u0442\u044b\u0439'), charset='utf8')\r\n\r\nQuery builder implements all search logic described in `rfc3501 <https://tools.ietf.org/html/rfc3501#section-6.4.4>`_.\r\nIt uses this classes:\r\n\r\n========  =====  ========================================== ======================================\r\nClass     Alias  Description                                Arguments\r\n========  =====  ========================================== ======================================\r\nAND       A      Combine conditions by logical \"AND\"        Search keys (see table below) | str\r\nOR        O      Combine conditions by logical \"OR\"         Search keys (see table below) | str\r\nNOT       N      Invert the result of a logical expression  AND/OR instances | str\r\nHeader    H      Header value for search by header key      name: str, value: str\r\nUidRange  U      UID range value for search by uid key      start: str, end: str\r\n========  =====  ========================================== ======================================\r\n\r\nSee `query examples <https://github.com/ikvk/imap_tools/blob/master/examples/search.py>`_. A few examples:\r\n\r\n.. code-block:: python\r\n\r\n    from imap_tools import A, AND, OR, NOT\r\n    # AND\r\n    A(text='hello', new=True)  # '(TEXT \"hello\" NEW)'\r\n    # OR\r\n    OR(text='hello', date=datetime.date(2000, 3, 15))  # '(OR TEXT \"hello\" ON 15-Mar-2000)'\r\n    # NOT\r\n    NOT(text='hello', new=True)  # 'NOT (TEXT \"hello\" NEW)'\r\n    # complex\r\n    A(OR(from_='from@ya.ru', text='\"the text\"'), NOT(OR(A(answered=False), A(new=True))), to='to@ya.ru')\r\n    # python note: you can't do: A(text='two', NOT(subject='one'))\r\n    A(NOT(subject='one'), text='two')  # use kwargs after logic classes (args)\r\n\r\nServer side search notes:\r\n\r\n* For string search keys a message matches if the string is a substring of the field. The matching is case-insensitive.\r\n* When searching by dates - email's time and timezone are disregarding.\r\n\r\nSearch key table below.\r\n\r\nKey types marked with `*` can accepts a sequence of values like list, tuple, set or generator - for join by OR.\r\n\r\n=============  ===============  ======================  ================================================================\r\nKey            Types            Results                 Description\r\n=============  ===============  ======================  ================================================================\r\nanswered       bool             `ANSWERED/UNANSWERED`   with/without the Answered flag\r\nseen           bool             `SEEN/UNSEEN`           with/without the Seen flag\r\nflagged        bool             `FLAGGED/UNFLAGGED`     with/without the Flagged flag\r\ndraft          bool             `DRAFT/UNDRAFT`         with/without the Draft flag\r\ndeleted        bool             `DELETED/UNDELETED`     with/without the Deleted flag\r\nkeyword        str*             KEYWORD KEY             with the specified keyword flag\r\nno_keyword     str*             UNKEYWORD KEY           without the specified keyword flag\r\n`from_`        str*             FROM `\"from@ya.ru\"`     contain specified str in envelope struct's FROM field\r\nto             str*             TO `\"to@ya.ru\"`         contain specified str in envelope struct's TO field\r\nsubject        str*             SUBJECT \"hello\"         contain specified str in envelope struct's SUBJECT field\r\nbody           str*             BODY \"some_key\"         contain specified str in body of the message\r\ntext           str*             TEXT \"some_key\"         contain specified str in header or body of the message\r\nbcc            str*             BCC `\"bcc@ya.ru\"`       contain specified str in envelope struct's BCC field\r\ncc             str*             CC `\"cc@ya.ru\"`         contain specified str in envelope struct's CC field\r\ndate           datetime.date*   ON 15-Mar-2000          internal date is within specified date\r\ndate_gte       datetime.date*   SINCE 15-Mar-2000       internal date is within or later than the specified date\r\ndate_lt        datetime.date*   BEFORE 15-Mar-2000      internal date is earlier than the specified date\r\nsent_date      datetime.date*   SENTON 15-Mar-2000      rfc2822 Date: header is within the specified date\r\nsent_date_gte  datetime.date*   SENTSINCE 15-Mar-2000   rfc2822 Date: header is within or later than the specified date\r\nsent_date_lt   datetime.date*   SENTBEFORE 1-Mar-2000   rfc2822 Date: header is earlier than the specified date\r\nsize_gt        int >= 0         LARGER 1024             rfc2822 size larger than specified number of octets\r\nsize_lt        int >= 0         SMALLER 512             rfc2822 size smaller than specified number of octets\r\nnew            True             NEW                     have the Recent flag set but not the Seen flag\r\nold            True             OLD                     do not have the Recent flag set\r\nrecent         True             RECENT                  have the Recent flag set\r\nall            True             ALL                     all, criteria by default\r\nuid            iter(str)/str/U  UID 1,2,17              corresponding to the specified unique identifier set\r\nheader         H(str, str)*     HEADER \"A-Spam\" \"5.8\"   have a header that contains the specified str in the text\r\ngmail_label    str*             X-GM-LABELS \"label1\"    have this gmail label\r\n=============  ===============  ======================  ================================================================\r\n\r\nActions with emails\r\n^^^^^^^^^^^^^^^^^^^\r\n\r\nFirst of all read about UID `at rfc3501 <https://tools.ietf.org/html/rfc3501#section-2.3.1.1>`_.\r\n\r\nAction's uid_list arg may takes:\r\n\r\n* str, that is comma separated uids\r\n* Sequence, that contains str uids\r\n\r\nTo get uids, use the maibox methods: uids, fetch.\r\n\r\nFor actions with a large number of messages imap command may be too large and will cause exception at server side,\r\nuse 'limit' argument for fetch in this case.\r\n\r\n.. code-block:: python\r\n\r\n    with MailBox('imap.mail.com').login('test@mail.com', 'pwd', initial_folder='INBOX') as mailbox:\r\n\r\n        # COPY messages with uid in 23,27 from current folder to folder1\r\n        mailbox.copy('23,27', 'folder1')\r\n\r\n        # MOVE all messages from current folder to INBOX/folder2\r\n        mailbox.move(mailbox.uids(), 'INBOX/folder2')\r\n\r\n        # DELETE messages with 'cat' word in its html from current folder\r\n        mailbox.delete([msg.uid for msg in mailbox.fetch() if 'cat' in msg.html])\r\n\r\n        # FLAG unseen messages in current folder as \\Seen, \\Flagged and TAG1\r\n        flags = (imap_tools.MailMessageFlags.SEEN, imap_tools.MailMessageFlags.FLAGGED, 'TAG1')\r\n        mailbox.flag(mailbox.uids(AND(seen=False)), flags, True)\r\n\r\n        # APPEND: add message to mailbox directly, to INBOX folder with \\Seen flag and now date\r\n        with open('/tmp/message.eml', 'rb') as f:\r\n            msg = imap_tools.MailMessage.from_bytes(f.read())  # *or use bytes instead MailMessage\r\n        mailbox.append(msg, 'INBOX', dt=None, flag_set=[imap_tools.MailMessageFlags.SEEN])\r\n\r\nActions with folders\r\n^^^^^^^^^^^^^^^^^^^^\r\n\r\nBaseMailBox.login/xoauth2 has initial_folder arg, that is \"INBOX\" by default, use None for not set folder on login.\r\n\r\n.. code-block:: python\r\n\r\n    with MailBox('imap.mail.com').login('test@mail.com', 'pwd') as mailbox:\r\n\r\n        # LIST: get all subfolders of the specified folder (root by default)\r\n        for f in mailbox.folder.list('INBOX'):\r\n            print(f)  # FolderInfo(name='INBOX|cats', delim='|', flags=('\\\\Unmarked', '\\\\HasChildren'))\r\n\r\n        # SET: select folder for work\r\n        mailbox.folder.set('INBOX')\r\n\r\n        # GET: get selected folder\r\n        current_folder = mailbox.folder.get()\r\n\r\n        # CREATE: create new folder\r\n        mailbox.folder.create('INBOX|folder1')\r\n\r\n        # EXISTS: check is folder exists (shortcut for list)\r\n        is_exists = mailbox.folder.exists('INBOX|folder1')\r\n\r\n        # RENAME: set new name to folder\r\n        mailbox.folder.rename('folder3', 'folder4')\r\n\r\n        # SUBSCRIBE: subscribe/unsubscribe to folder\r\n        mailbox.folder.subscribe('INBOX|\u043f\u0430\u043f\u043a\u0430 \u0434\u0432\u0430', True)\r\n\r\n        # DELETE: delete folder\r\n        mailbox.folder.delete('folder4')\r\n\r\n        # STATUS: get folder status info\r\n        stat = mailbox.folder.status('some_folder')\r\n        print(stat)  # {'MESSAGES': 41, 'RECENT': 0, 'UIDNEXT': 11996, 'UIDVALIDITY': 1, 'UNSEEN': 5}\r\n\r\nIDLE workflow\r\n^^^^^^^^^^^^^\r\n\r\nIDLE logic are in mailbox.idle manager, its methods are in the table below:\r\n\r\n======== ============================================================================== ================================\r\nMethod   Description                                                                    Arguments\r\n======== ============================================================================== ================================\r\nstart    Switch on mailbox IDLE mode\r\npoll     Poll for IDLE responses                                                        timeout: |nbsp| Optional[float]\r\nstop     Switch off mailbox IDLE mode\r\nwait     Switch on IDLE, poll responses, switch off IDLE on response, return responses  timeout: |nbsp| Optional[float]\r\n======== ============================================================================== ================================\r\n\r\n.. code-block:: python\r\n\r\n    from imap_tools import MailBox, A\r\n\r\n    # waiting for updates 60 sec, print unseen immediately if any update\r\n    with MailBox('imap.my.moon').login('acc', 'pwd', 'INBOX') as mailbox:\r\n        responses = mailbox.idle.wait(timeout=60)\r\n        if responses:\r\n            for msg in mailbox.fetch(A(seen=False)):\r\n                print(msg.date, msg.subject)\r\n        else:\r\n            print('no updates in 60 sec')\r\n\r\nRead docstrings and see `detailed examples <https://github.com/ikvk/imap_tools/blob/master/examples/idle.py>`_.\r\n\r\nExceptions\r\n^^^^^^^^^^\r\n\r\nMost lib server actions raises exception if result is marked as not success.\r\n\r\nCustom lib exceptions here: `errors.py <https://github.com/ikvk/imap_tools/blob/master/imap_tools/errors.py>`_.\r\n\r\nRelease notes\r\n-------------\r\n\r\nHistory of important changes: `release_notes.rst <https://github.com/ikvk/imap_tools/blob/master/docs/release_notes.rst>`_\r\n\r\nContribute\r\n----------\r\n\r\nIf you found a bug or have a question, then:\r\n\r\n1. Look for answer at: this page, issues, pull requests, examples, source, RFCs, stackoverflow.com, internet.\r\n2. And only then - create merge request or issue.\r\n\r\nReasons\r\n-------\r\n\r\n- Excessive low level of `imaplib` library.\r\n- Other libraries contain various shortcomings or not convenient.\r\n- Open source projects make world better.\r\n\r\nThanks\r\n------\r\n\r\nBig thanks to people who helped develop this library:\r\n\r\n`shilkazx <https://github.com/shilkazx>`_,\r\n`somepad <https://github.com/somepad>`_,\r\n`0xThiebaut <https://github.com/0xThiebaut>`_,\r\n`TpyoKnig <https://github.com/TpyoKnig>`_,\r\n`parchd-1 <https://github.com/parchd-1>`_,\r\n`dojasoncom <https://github.com/dojasoncom>`_,\r\n`RandomStrangerOnTheInternet <https://github.com/RandomStrangerOnTheInternet>`_,\r\n`jonnyarnold <https://github.com/jonnyarnold>`_,\r\n`Mitrich3000 <https://github.com/Mitrich3000>`_,\r\n`audemed44 <https://github.com/audemed44>`_,\r\n`mkalioby <https://github.com/mkalioby>`_,\r\n`atlas0fd00m <https://github.com/atlas0fd00m>`_,\r\n`unqx <https://github.com/unqx>`_,\r\n`daitangio <https://github.com/daitangio>`_,\r\n`upils <https://github.com/upils>`_,\r\n`Foosec <https://github.com/Foosec>`_,\r\n`frispete <https://github.com/frispete>`_,\r\n`PH89 <https://github.com/PH89>`_,\r\n`amarkham09 <https://github.com/amarkham09>`_,\r\n`nixCodeX <https://github.com/nixCodeX>`_,\r\n`backelj <https://github.com/backelj>`_,\r\n`ohayak <https://github.com/ohayak>`_,\r\n`mwherman95926 <https://github.com/mwherman95926>`_,\r\n`andyfensham <https://github.com/andyfensham>`_,\r\n`mike-code <https://github.com/mike-code>`_,\r\n`aknrdureegaesr <https://github.com/aknrdureegaesr>`_,\r\n`ktulinger <https://github.com/ktulinger>`_,\r\n`SamGenTLEManKaka <https://github.com/SamGenTLEManKaka>`_,\r\n`devkral <https://github.com/devkral>`_,\r\n`tnusraddinov <https://github.com/tnusraddinov>`_,\r\n`thepeshka <https://github.com/thepeshka>`_,\r\n`shofstet <https://github.com/shofstet>`_,\r\n`the7erm <https://github.com/the7erm>`_,\r\n`c0da <https://github.com/c0da>`_,\r\n`dev4max <https://github.com/dev4max>`_,\r\n`ascheucher <https://github.com/ascheucher>`_,\r\n`Borutia <https://github.com/Borutia>`_,\r\n`nathan30 <https://github.com/nathan30>`_,\r\n`daniel55411 <https://github.com/daniel55411>`_,\r\n`rcarmo <https://github.com/rcarmo>`_,\r\n`bhernacki <https://github.com/bhernacki>`_,\r\n`ilep <https://github.com/ilep>`_,\r\n`ThKue <https://github.com/ThKue>`_,\r\n`repodiac <https://github.com/repodiac>`_,\r\n`tiuub <https://github.com/tiuub>`_,\r\n`Yannik <https://github.com/Yannik>`_,\r\n`pete312 <https://github.com/pete312>`_,\r\n`edkedk99 <https://github.com/edkedk99>`_,\r\n`UlisseMini <https://github.com/UlisseMini>`_,\r\n`Nicarex <https://github.com/Nicarex>`_,\r\n`RanjithNair1980 <https://github.com/RanjithNair1980>`_,\r\n`NickC-NZ <https://github.com/NickC-NZ>`_,\r\n`mweinelt <https://github.com/mweinelt>`_,\r\n`lucbouge <https://github.com/lucbouge>`_,\r\n`JacquelinCharbonnel <https://github.com/JacquelinCharbonnel>`_,\r\n`stumpylog <https://github.com/stumpylog>`_,\r\n`dimitrisstr <https://github.com/dimitrisstr>`_,\r\n`abionics <https://github.com/abionics>`_,\r\n`link2xt <https://github.com/link2xt>`_,\r\n`Docpart <https://github.com/Docpart>`_,\r\n`meetttttt <https://github.com/meetttttt>`_,\r\n`sapristi <https://github.com/sapristi>`_,\r\n`thomwiggers <https://github.com/thomwiggers>`_,\r\n`histogal <https://github.com/histogal>`_,\r\n`K900 <https://github.com/K900>`_,\r\n`homoLudenus <https://github.com/homoLudenus>`_,\r\n`sphh <https://github.com/sphh>`_,\r\n`bh <https://github.com/bh>`_,\r\n`tomasmach <https://github.com/tomasmach>`_\r\n\r\nHelp the project\r\n----------------\r\n1. Found a bug or figure out how to improve the library - open issue or merge request \ud83c\udfaf\r\n2. Do not know how to improve library - try to help other open projects that you use \u270b\r\n3. Nowhere to put your money - spend it on your family, friends, loved ones, or people around you \ud83d\udcb0\r\n4. Star the project \u2b50\r\n",
    "bugtrack_url": null,
    "license": "Apache-2.0",
    "summary": "Work with email by IMAP",
    "version": "1.9.1",
    "project_urls": {
        "Homepage": "https://github.com/ikvk/imap_tools"
    },
    "split_keywords": [
        "imap",
        " imap-client",
        " python3",
        " python",
        " email"
    ],
    "urls": [
        {
            "comment_text": "",
            "digests": {
                "blake2b_256": "6eb32bac5658ced8b59aba38d0f8b05a7cf0d674766f7a74d762c8f470be91b4",
                "md5": "ff7523cf3763fe5f5998fe536811d7ee",
                "sha256": "b5f0611156ad7ab64ea2a7283312480f5787406275f11574e35b3190028062df"
            },
            "downloads": -1,
            "filename": "imap_tools-1.9.1-py3-none-any.whl",
            "has_sig": false,
            "md5_digest": "ff7523cf3763fe5f5998fe536811d7ee",
            "packagetype": "bdist_wheel",
            "python_version": "py3",
            "requires_python": null,
            "size": 34088,
            "upload_time": "2025-01-17T08:38:34",
            "upload_time_iso_8601": "2025-01-17T08:38:34.106661Z",
            "url": "https://files.pythonhosted.org/packages/6e/b3/2bac5658ced8b59aba38d0f8b05a7cf0d674766f7a74d762c8f470be91b4/imap_tools-1.9.1-py3-none-any.whl",
            "yanked": false,
            "yanked_reason": null
        },
        {
            "comment_text": "",
            "digests": {
                "blake2b_256": "129308d5e287c702b7b5ec6850f67579be3ea59a690442af923cdb74dee9d05e",
                "md5": "1a8cebe08beb79ef1d1c4d36369fe08f",
                "sha256": "c2a866ec8c875613b6306b5874bd82d126d94ff85fbc6d5180f038f25af336f1"
            },
            "downloads": -1,
            "filename": "imap_tools-1.9.1.tar.gz",
            "has_sig": false,
            "md5_digest": "1a8cebe08beb79ef1d1c4d36369fe08f",
            "packagetype": "sdist",
            "python_version": "source",
            "requires_python": null,
            "size": 45185,
            "upload_time": "2025-01-17T08:38:41",
            "upload_time_iso_8601": "2025-01-17T08:38:41.217002Z",
            "url": "https://files.pythonhosted.org/packages/12/93/08d5e287c702b7b5ec6850f67579be3ea59a690442af923cdb74dee9d05e/imap_tools-1.9.1.tar.gz",
            "yanked": false,
            "yanked_reason": null
        }
    ],
    "upload_time": "2025-01-17 08:38:41",
    "github": true,
    "gitlab": false,
    "bitbucket": false,
    "codeberg": false,
    "github_user": "ikvk",
    "github_project": "imap_tools",
    "travis_ci": false,
    "coveralls": false,
    "github_actions": false,
    "tox": true,
    "lcname": "imap-tools"
}
        
Elapsed time: 1.92237s