views:

553

answers:

3

Does anyone know a way to execute a bulk dump of every email of a gmail account and write the emails to a file?

I'm looking to write a program that would let users back up there gmail ( probably via imap) and back it up to either individual files or as a pst ( i know pst will probably be much harder)

Thanks if you can help

+1  A: 

You can use fetchmail from a Unix environment to create an mbox file.

http://lifehacker.com/software/gmail/geek-to-live--back-up-gmail-with-fetchmail-235207.php

Brandon Bloom
+3  A: 

Gmail provides POP access. So just use any library that allows you to communicate using POP and you're golden.

Edit: I just noticed that you mentioned IMAP; I recommend you use POP instead for bulk dumps. IMAP is too chatty for what you want to do.

If you must use IMAP, here's a library for you.

Randolpho
+2  A: 

Hi, some time ago I wrote a blog post about exactly same topic. See HOWTO: Download emails from a GMail account in C# for details.

Code uses our Rebex Mail component:

using Rebex.Mail;
using Rebex.Net;
...
// create the POP3 client
Pop3 client = new Pop3();
try
{

   // Connect securely using explicit SSL. 
   // Use the third argument to specify additional SSL parameters. 
   Console.WriteLine("Connecting to the POP3 server...");
   client.Connect("pop.gmail.com", 995, null, Pop3Security.Implicit);

   // login and password
   client.Login(email, password);

   // get the number of messages
   Console.WriteLine("{0} messages found.", client.GetMessageCount());

   // -----------------
   // list messages
   // -----------------

   // list all messages
   ListPop3MessagesFast(client); // unique IDs and size only   
   //ListPop3MessagesFullHeaders(client); // full headers
}
finally
{
   // leave the server alone
   client.Disconnect();      
}


public static void ListPop3MessagesFast(Pop3 client)
{
   Console.WriteLine("Fetching message list...");

   // let's download only what we can get fast
   Pop3MessageCollection messages = 
      client.GetMessageList(Pop3ListFields.Fast);

   // display basic info about each message
   Console.WriteLine("UID | Sequence number | Length");
   foreach (Pop3MessageInfo messageInfo in messages)
   {
      // display header info
      Console.WriteLine
      (
         "{0} | {1} | {2} ",
         messageInfo.UniqueId,
         messageInfo.SequenceNumber,
         messageInfo.Length
      );

      // or download the whole message
      MailMessage mailMessage = client.GetMailMessage(messageInfo.SequenceNumber);
   }   
}
Martin Vobr