Simon Johansson
Simon Johansson

Reputation: 836

Is there any nicer way to get the full message from gmail with google-api

I'm working on a project where I, among other things, need to read the message in e-mails from my google account. I came up with a solution that works but wonder if there are any simpler ways?

The first part of the code is pretty standard to get access to the mailbox. But I post it so you can see what I did to get it to work.

SCOPES = 'https://www.googleapis.com/auth/gmail.modify'
CLIENT_SECRET ='A.json'
store =file.Storage('storage.json')
credz=store.get()
flags = tools.argparser.parse_args(args=[])
if not credz or credz.invalid:
    flow = client.flow_from_clientsecrets(CLIENT_SECRET,SCOPES)
    if flags:
        credz = tools.run_flow(flow, store, flags)

GMAIL = build('gmail','v1',http=credz.authorize(Http()))
response = GMAIL.users().messages().list(userId='me',q='').execute()
messages = []
if 'messages' in response:
    messages.extend(response['messages'])
print len(messages)
while 'nextPageToken' in response:
    page_token = response['nextPageToken']
    response = service.users().messages().list(userId='me', q=query,pageToken=page_token).execute()
    messages.extend(response['messages'])

FromMeInd=0
for message in messages:
    ReadMessage(GMAIL,'me',message['id'])

It is this part that I'm more interested to imporve. Is there any other way to more directly get the message with python and the gmail-api. I've looked through the api documentation but could not get any more efficient way to read it.

def ReadMessage(service,userID,messID):
    message = service.users().messages().get(userId=userID, id=messID,format='full').execute()
    decoded=base64.urlsafe_b64decode(message['payload']['body']['data'].encode('ASCII'))
    print decoded

Upvotes: 1

Views: 2381

Answers (1)

ccpizza
ccpizza

Reputation: 31801

You can get the body as raw and then parse it using the standard Python email module

According to the official API: https://developers.google.com/gmail/api/v1/reference/users/messages/get:

import email

message = service.users().messages().get(userId='me', id=msg_id,
                                         format='raw').execute()

print 'Message snippet: %s' % message['snippet']

msg_str = base64.urlsafe_b64decode(message['raw'].encode('ASCII'))

mime_msg = email.message_from_string(msg_str)

You'll get a mime message with a payload containing mime parts, e.g. plain text, HTML, quoted printable, attachments, etc.

Upvotes: 2

Related Questions