Python to Forward specific mails with attachments recieved today in outlook - python

I'm trying to figure out a way to forward emails with attachments received today
from " invoice#email.com" to "Remas#email.com".
I am stuck in that line, What to put here exactly to let it know that any attachment received from invoice#email.com" today, send it to "Remas#email.com" automatically.
What to type here ?
messages = inbox.Items(????????)
My code:
import win32com.client
import time
import datetime as dt
from os import path
outlook = win32com.client.Dispatch("Outlook.Application").GetNamespace("MAPI")
inbox = outlook.GetDefaultFolder(6)
messages = inbox.Items
for message in messages:
NewMsg = message.Forward()
NewMsg.Body = message.Body
NewMsg.Subject = message.Subject
NewMsg.To = "Remas#email.com"
#NewMsg.Send()

Instead of iterating over all items in the Outlook folder:
for message in messages:
NewMsg = message.Forward()
You need to use the Find/FindNext or Restrict methods of the Items class. They allow getting items that correspond to your conditions and iterate over them only. You may get items recieved today by using the following search criteria:
strFilter = "%today("urn:schemas:httpmail:datereceived")%"
To get items for a specific time frame (for example, several days or hours) you may combine conditions using logical operators:
'This filter uses urn:schemas:httpmail namespace
strFilter = ""urn:schemas:httpmail:datereceived"" > '{datStartUTC}' AND ""urn:schemas:httpmail:datereceived"" < '{datEndUTC}'"
Read more about filtering items using a date-time comparisons in the Filtering Items Using a Date-time Comparison article.
Also you may get items that has any files attached, so you don't need to iterate over all items found for a specific date range:
" "urn:schemas:httpmail:hasattachment"=1 "
Read more about the Find/Find and Restrict methods in the articles that I wrote for the technical blog:
How To: Use Find and FindNext methods to retrieve Outlook mail items from a folder (C#, VB.NET)
How To: Use Restrict method to retrieve Outlook mail items from a folder
If you need to process multiple folders at once you may consider using the AdvancedSearch method. See Advanced search in Outlook programmatically: C#, VB.NET for more information.

Work with Items.Restrict method (Outlook) to apply a filter to the inbox.Items collection
Example
import win32com.client
import time
import datetime as dt
from os import path
outlook = win32com.client.Dispatch(
"Outlook.Application").GetNamespace("MAPI")
inbox = outlook.GetDefaultFolder(6)
messages = inbox.Items
today = str(dt.date.today())
filter_message = f"([ReceivedTime] > '{today} 00:00 AM') AND " \
f"([SenderEmailAddress] = 'invoice#email.com')"
for message in messages.Restrict(filter_message):
# if message has attachments
if message.Attachments.Count > 0:
NewMsg = message.Forward()
NewMsg.HTMLBody = message.HTMLBody
NewMsg.Subject = message.Subject
NewMsg.To = "Remas#email.com"
# NewMsg.Send()
NewMsg.Display()
You may also wanna check MailItem.SenderEmailType property (Outlook)
Returns a String that represents the type of entry for the email address of the sender of the Outlook item, such as 'SMTP' for Internet address, 'EX' for a Microsoft Exchange server address, etc. Read-only.
Example
https://stackoverflow.com/a/74816451/4539709

Related

Forward emails from a specifc sender in outlook via python

i try the below code but the attribute error is driving me crazy !, any thing after message. gets me an attribute error, wtv prop. i use. i end up with attribute error.
AttributeError: <unknown>.Sender
Code:
import win32com.client
outlook = win32com.client.Dispatch("Outlook.Application").GetNamespace("MAPI")
inbox = outlook.GetDefaultFolder(6) # "6" refers to the inbox
messages = inbox.Items
sender_email = "TDC#AE.Roco.COM"
recipient_email = "simple.invoice#net"
for message in messages:
if message.Sender.Address == sender_email:
new_mail = message.Forward()
new_mail.Recipients.Add(recipient_email)
for attachment in message.Attachments:
new_mail.Attachments.Add(attachment)
new_mail.Save()
Based on given answers:
import win32com.client
outlook = win32com.client.Dispatch("Outlook.Application")
mapi = outlook.GetNamespace("MAPI")
inbox = mapi.GetDefaultFolder(6)
accounts = mapi.Folders
query = '#SQL="urn:schemas:httpmail:from" = ' + "'TDC#AE.Roco.COM'" + ' AND "urn:schemas:httpmail:hasattachment" = ' + "'1'"
print(query)
try:
items = inbox.Items.Restrict(query)
print(f'Number of items found : {items.count}')
def check_subfolders(folder):
items = folder.Items.Restrict(query)
if items.count > 0:
print(f'{items.count} emails found in {folder.name}')
for subfolder in folder.Folders:
check_subfolders(subfolder)
check_subfolders(inbox)
for folder in mapi.Folders:
items = folder.Items.Restrict(query)
if items.count > 0:
print(f'{items.count} emails found in {folder.name}')
for item in items:
mail = item.Forward()
mail.Recipients.Add("simple.invoice#net")
mail.Subject = "Fwd: " + item.Subject
mail.Body = "Please find the forwarded message with attachments below:\n\n" + item.Body
mail.Save()
except Exception as e:
print(f'An error occurred: {e}')
Now I have no errors but the result returns zero, although I have mails from that specified sender!
Quick Example
import win32com.client
def outlook_emails(Inbox):
Filter_sender = "#SQL=""urn:schemas:httpmail:fromemail"" " \
"ci_phrasematch 'TDC#AE.Roco.COM'"
items = Inbox.Items.Restrict(Filter_sender)
print(items.Count)
for i in reversed(range(items.Count, 0, -1)):
if items[i].Class == 43:
print(items[i].Subject)
if __name__ == "__main__":
outlook = win32com.client.Dispatch(
"outlook.Application").GetNamespace(
"MAPI"
)
inbox = outlook.GetDefaultFolder(6)
outlook_emails(inbox)
#SQL=""urn:schemas:httpmail:fromemail"" ci_phrasematch
Not all Outlook items provide the Sender property. Outlook folders may contains different kind of items - notes, calendar items, mail items, document items and etc. So, it makes sense to make sure that you deal with a mail item, for example, you could check the MessageClass property.
Instead of iterating over all items in Outlook:
for message in messages:
if message.Sender.Address == sender_email:
Use the Find/FindNext or Restrict methods of the Items class. They allow getting items that correspond to the search criteria, so you can iterate over them without checking a property each time. Read more about these methods in the articles that I wrote for the technical blog:
How To: Use Find and FindNext methods to retrieve Outlook mail items from a folder (C#, VB.NET)
How To: Use Restrict method to retrieve Outlook mail items from a folder
Use the following search criteria to get items from the specified email address:
criteria = "#SQL=" & Chr(34) _
& "urn:schemas:httpmail:senderemail" & Chr(34) _
& " = 'eugene#astafiev.com'"
If you need to send an item from a specific sender, you can use the MailItem.SendUsingAccount property returns or sets an Account object that represents the account under which the MailItem is to be sent. Note, the other account should be configured in Outlook. For example, a sample in VBA shows how to use it:
Sub SendUsingAccount()
Dim oAccount As Outlook.account
For Each oAccount In Application.Session.Accounts
If oAccount.AccountType = olPop3 Then
Dim oMail As Outlook.MailItem
Set oMail = Application.CreateItem(olMailItem)
oMail.Subject = "Sent using POP3 Account"
oMail.Recipients.Add ("someone#example.com")
oMail.Recipients.ResolveAll
Set oMail.SendUsingAccount = oAccount
oMail.Send
End If
Next
End Sub
Another approach is to use the MailItem.SentOnBehalfOfName property which returns or sets a string indicating the display name for the intended sender of the mail message. In that case the other user should have permissions to send on behalf of another person in Exchange.
Sender property is only exposed by the MailItem object, but you can also have ReportItem and MeetingItem objects in the Inbox folder. You need to check first that Class property == 43 (which is olMail)
Also, do not loop through all items in a folder - use Items.Find/FindNext or Items.Restrict with a query like [SenderEmailAddress] = 'TDC#AE.Roco.COM'

Extract Outlook email body into CSV

Hello I receive this email daily and trying to automate this task.
Here is an example of the email body, I'm not sure what's the format of it.
Email body:
.
My goal here is to get all the rows into a CSV file. Then I can split the text but I'm not sure how to turn it into a CSV.
import win32com.client
import pandas as pd
outlook = win32com.client.Dispatch("Outlook.Application").GetNamespace("MAPI")
inbox = outlook.GetDefaultFolder(6).Folders.Item("Automation")
Mail_Messages = inbox.Items
message = messages.GetLast()
body_content = mail.Body
print(body_content)
Also here is the current output I'm getting. Would it be possible to ignore the External Email warning?
You can use string functions to get a substring which starts after the chrexternaltag substring. For example, in Python you could use the Split function.

save outlook attachments with python

Every Monday I receive the attachments with the slightly changed subject title. Constant part of the subject title is PB Report and will have the Monday's date. For example I received email this Monday with subject PB Report - 13.12.2021, last week PB Report - 06.12.2021 and so on. I would like to implement the GetLast in this code in order to get only the newest sent report. Also, how do I tell python to search the subject which starts with PB Report and dont look at the rest of the title. I tried wildcard(*) as save_attachments('PB Report*') but did not work.
import datetime
import os
import win32com.client
path = r"C:/Users/greencolor/Desktop/Autoreport/"
today = datetime.date.today()
outlook = win32com.client.Dispatch("Outlook.Application").GetNamespace("MAPI")
inbox = outlook.GetDefaultFolder(6)
messages = inbox.Items
def save_attachments(subject):
for message in messages:
if message.Subject == subject:
for attachment in message.Attachments:
print(attachment.FileName)
attachment.SaveAsFile(os.path.join(path, str(attachment)))
if __name__ == "__main__":
save_attachments('PB Report - 13.12.2021')
I also have the alternative code but when i run this code i never get the result nor error. It takes.
import os
import win32com.client
path = r"C:/Users/greencolor/Desktop/Autoreport/"
outlook = win32com.client.Dispatch("Outlook.Application").GetNamespace("MAPI")
inbox = outlook.GetDefaultFolder(6)
messages = inbox.Items
message = messages.GetLast()
while message:
if 'PB' in message.subject and 'Report' in message.subject:
for attachment in message.Attachments:
print(attachment.FileName)
attachment.SaveAsFile(os.path.join(path, str(attachment)))
The wildcard for parameter subject wont work because parameter subject is used as string when comparing for equality in message.Subject == subject.
You could instead use string-method startswith on the message subject like message.Subject.startswith(subject_prefix)
and call your method with a common prefix like save_attachments('PB Report - ').
Furthermore use the attachment.FileName to construct the output-file path.
You could use GetLast() or Sort() with appropriate message property to filter on the newest sent report. Or you could parse the dates in message's subject and sort them accordingly. However this would deserve another question, own research and further specification and focus.
Solution
An example solution could be as follows (see comments for adjustments):
def save_attachments(subject_prefix): # changed parameter name
messages.Sort("[ReceivedTime]", True) # sort by received date: newest to oldest
for message in messages:
if message.Subject.startswith(subject_prefix): # changed test
print("saving attachments for:", message.Subject)
for attachment in message.Attachments:
print(attachment.FileName)
attachment.SaveAsFile(os.path.join(path, str(attachment.FileName))) # changed to file-name
return # exit after first matched message
Alternatively use GetLast() if you know the messages only contain desired ones, sorted by date.
message = messages.GetLast()
while message: # to test if there is a (last) message at all
# save attachment
Related questions
str.startswith with a list of strings to test for
Search the entire Outlook email box for specific emails using Python
How to go through Outlook emails in reverse order using Python

Filtering and saving outlook email based on a specific subject using python

I want to filter out emails on outlook based on a subject line that start with/ end with/ contain specific words/characters. Then I want to save those emails in a folder.
To begin with, I tried to follow the code for filtering out emails based on senders. But I am stuck:
outlook = win32com.client.Dispatch("Outlook.Application").GetNameSpace("MAPI")
inbox = outlook.Folders("abc#xyz.com").Folders("Sent Items")
Filter = "[Subject] = 'Unaff'"
items = inbox.Items.Restrict(Filter)
Have you tried somwthing like this?
Add this line to your code
messages = Messages.Restrict("[Subject] = 'Automatic Reports'") #Title contains this
you can use the information given in this post too Iterate through folders in a secondary Outlook Inbox using Python

How to save MS Outlook attachments from specific sender and date using Python

I am a bit new to coding and I am trying to understand how to get Python to save MS Outlook attachments from a specific sender. I currently receive the same email from the same person each day regarding data that I need to save to a specific folder. Below are the requirements I am trying to meet:
I want to open MS Outlook and search for specific sender
I want to make sure that the email that I am opening from the specific sender is the most current date
I want to save all attached files from this sender to a specific folder on my desktop
I have seen some posts on using win32com.client but have not had much luck getting it to work with MS Outlook. I will attach some code I have tried below. I appreciate any feedback!
import win32com.client
outlook=win32com.client.Dispatch("Outlook.Application").GetNamespace("MAPI")
inbox=outlook.GetDefaultFolder(6)
messages=inbox.Items
for message in messages:
attachments = message.attachments
for attachment in attachments:
pass
You almost got it, add filter to the sender email address
import win32com.client
Outlook = win32com.client.Dispatch("Outlook.Application")
olNs = Outlook.GetNamespace("MAPI")
Inbox = olNs.GetDefaultFolder(6)
Filter = "[SenderEmailAddress] = '0m3r#email.com'"
Items = Inbox.Items.Restrict(Filter)
Item = Items.GetFirst()
for attachment in Item.Attachments:
print(attachment.FileName)
attachment.SaveAsFile(r"C:\path\to\my\folder\Attachment.xlsx")
Python 3.8 on windows
def saveAttachments(email:object):
for attachedFile in email.Attachments: #iterate over the attachments
try:
filename = attachedFile.FileName
attachedFile.SaveAsFile("C:\\EmailAttachmentDump\\"+filename) #Filepath must exist already
except Exception as e:
print(e)
for mailItem in inbox.Items:
#Here you just need to bould your own conditions
if mailItem.Sender == "x" or mailItem.SenderName == "y":
saveAttachments(mailItem)
The actual conditions you can change to your liking. I would recommend referring to the Object model for Outlook MailItem objects: https://learn.microsoft.com/en-gb/office/vba/api/outlook.mailitem
Specifically its Properties

Categories