What is POP3 / SMTP / IMAP / SSL / TCP-IP / HTTP / HTTPs ?

Hi Experts.
Can anybody tell me about the following questions.
What is POP3 ?
What is IMAP ?
What is SMTP ?
What is SSL encryption ?
What is TCP-IP connection ?
what is HTTP ?
What is difference in HTTP://  and HTTPs:// ?
Thanks in advance.
Regards,
-=Soniya.=-

Hi,
POP3: This is stands for Post Office Protocol this is part of mail inbox configuration, based on POP3 configuration mail will be reach to inbox from out side.
IMAP: This is stands for Internet Message Access Protocol, it is one of protocol for internet data transfer
SMTP: This is stands for Simple Mail Transport Protocol, it is outbox mail configuration, based on SMTP configuration mail will be send to target system
SSL: This is stands for Secure Socket Layer, this is mainly used to transfer data between two system in secure way.  In this configuration we can provide security in transport (https) & message level (encryption & decryption)
TCP-IP: This is stands for Transmission Control Protocol-Internet Protocol, it is for using internet & intranet.  This protocol will support most of all network.
HTTP: This is stands for Hyper Text Transport Protocol, this protocol convert data to XML format and send across internet & intranet.
What is difference in HTTP:// and HTTPs:// ?
HTTP & HTTPs main difference is security, http we don't have any security in message transport but HTTPs by default provide security in transport level & message level using digital certificates
I hope now clear

Similar Messages

  • Complete working code for Gmail POP3 & SMTP with SSL - Java mail API

    Finally, your code-hunt has come to an end!!!!
    I am presenting you the complete solution (with code) to send and retrieve you mails to & from GMAIL using SMTP and POP3 with SSL & Authenticaion enabled. [Even starters & newbies like me, can easy try, test & understand - But first download & add JAR's of Java Mail API & Java Activation Framework to Netbeans Library Manager]
    Download Java Mail API here
    http://java.sun.com/products/javamail/
    Read Java Mail FAQ's here
    http://java.sun.com/products/javamail/FAQ.html
    Download Java Activation Framework [JAF]
    http://java.sun.com/products/javabeans/jaf/downloads/index.html
    Also, The POP program retrieves the mail sent with SMTP program :) [MOST IMPORTANT & LARGELY IN DEMAND]okey.. first things first... all of your thanks goes to the following and not a s@!te to me :)
    hail Java !!
    hail Java mail API !!
    hail Java forums !!
    hail Java-tips.org !!
    hail Netbeans !!
    Thanks to all coders who helped me by getting the code to work in one piece.
    special thanks to "bshannon" - The dude who runs this forum from 97!!I am just as happy as you will be when you execute the below code!! [my 13 hours of tweaking & code hunting has paid off!!]
    Now here it is...I only present you the complete solution!!
    START OF PROGRAM 1
    SENDING A MAIL FROM GMAIL ACCOUNT USING SMTP [STARTTLS (SSL)] PROTOCOL OF JAVA MAIL APINote on Program 1:
    1. In the code below replace USERNAME & PASSWORD with your respective GMAIL account username and its corresponding password!
    2. Use the code to make your Gmail client [jsp/servlets whatever]
    //Mail.java - smtp sending starttls (ssl) authentication enabled
    //1.Open a new Java class in netbeans (default package of the project) and name it as "Mail.java"
    //2.Copy paste the entire code below and save it.
    //3.Right click on the file name in the left side panel and click "compile" then click "Run"
    import javax.mail.*;
    import javax.mail.internet.*;
    import java.util.*;
    public class Main
        String  d_email = "[email protected]",
                d_password = "PASSWORD",
                d_host = "smtp.gmail.com",
                d_port  = "465",
                m_to = "[email protected]",
                m_subject = "Testing",
                m_text = "Hey, this is the testing email.";
        public Main()
            Properties props = new Properties();
            props.put("mail.smtp.user", d_email);
            props.put("mail.smtp.host", d_host);
            props.put("mail.smtp.port", d_port);
            props.put("mail.smtp.starttls.enable","true");
            props.put("mail.smtp.auth", "true");
            //props.put("mail.smtp.debug", "true");
            props.put("mail.smtp.socketFactory.port", d_port);
            props.put("mail.smtp.socketFactory.class", "javax.net.ssl.SSLSocketFactory");
            props.put("mail.smtp.socketFactory.fallback", "false");
            SecurityManager security = System.getSecurityManager();
            try
                Authenticator auth = new SMTPAuthenticator();
                Session session = Session.getInstance(props, auth);
                //session.setDebug(true);
                MimeMessage msg = new MimeMessage(session);
                msg.setText(m_text);
                msg.setSubject(m_subject);
                msg.setFrom(new InternetAddress(d_email));
                msg.addRecipient(Message.RecipientType.TO, new InternetAddress(m_to));
                Transport.send(msg);
            catch (Exception mex)
                mex.printStackTrace();
        public static void main(String[] args)
            Main blah = new Main();
        private class SMTPAuthenticator extends javax.mail.Authenticator
            public PasswordAuthentication getPasswordAuthentication()
                return new PasswordAuthentication(d_email, d_password);
    END OF PROGRAM 1-----
    START OF PROGRAM 2
    RETRIVE ALL THE MAILS FROM GMAIL INBOX USING Post Office Protocol POP3 [SSL] PROTOCOL OF JAVA MAIL APINote:
    1.Log into your gmail account via webmail [http://mail.google.com/]
    2.Click on "settings" and select "Mail Forwarding & POP3/IMAP"
    3.Select "enable POP for all mail" and "save changes"
    4.In the code below replace USERNAME & PASSWORD with your respective GMAIL account username and its corresponding password!
    PROGRAM 2 - PART 1 - Main.java
    //1.Open a new Java class file in the default package
    //2.Copy paste the below code and rename it to Mail.java
    //3.Compile and execute this code.
    public class Main {
        /** Creates a new instance of Main */
        public Main() {
         * @param args the command line arguments
        public static void main(String[] args) {
            try {
                GmailUtilities gmail = new GmailUtilities();
                gmail.setUserPass("[email protected]", "PASSWORD");
                gmail.connect();
                gmail.openFolder("INBOX");
                int totalMessages = gmail.getMessageCount();
                int newMessages = gmail.getNewMessageCount();
                System.out.println("Total messages = " + totalMessages);
                System.out.println("New messages = " + newMessages);
                System.out.println("-------------------------------");
    //Uncomment the below line to print the body of the message. Remember it will eat-up your bandwidth if you have 100's of messages.            //gmail.printAllMessageEnvelopes();
                gmail.printAllMessages();
            } catch(Exception e) {
                e.printStackTrace();
                System.exit(-1);
    END OF PART 1
    PROGRAM 2 - PART 2 - GmailUtilities.java
    //1.Open a new Java class in the project (default package)
    //2.Copy paste the below code
    //3.Compile - Don't execute this[Run]
    import com.sun.mail.pop3.POP3SSLStore;
    import java.io.File;
    import java.io.IOException;
    import java.io.InputStream;
    import java.util.Date;
    import java.util.Properties;
    import javax.mail.Address;
    import javax.mail.FetchProfile;
    import javax.mail.Flags;
    import javax.mail.Folder;
    import javax.mail.Message;
    import javax.mail.MessagingException;
    import javax.mail.Multipart;
    import javax.mail.Part;
    import javax.mail.Session;
    import javax.mail.Store;
    import javax.mail.URLName;
    import javax.mail.internet.ContentType;
    import javax.mail.internet.InternetAddress;
    import javax.mail.internet.MimeBodyPart;
    import javax.mail.internet.ParseException;
    public class GmailUtilities {
        private Session session = null;
        private Store store = null;
        private String username, password;
        private Folder folder;
        public GmailUtilities() {
        public void setUserPass(String username, String password) {
            this.username = username;
            this.password = password;
        public void connect() throws Exception {
            String SSL_FACTORY = "javax.net.ssl.SSLSocketFactory";
            Properties pop3Props = new Properties();
            pop3Props.setProperty("mail.pop3.socketFactory.class", SSL_FACTORY);
            pop3Props.setProperty("mail.pop3.socketFactory.fallback", "false");
            pop3Props.setProperty("mail.pop3.port",  "995");
            pop3Props.setProperty("mail.pop3.socketFactory.port", "995");
            URLName url = new URLName("pop3", "pop.gmail.com", 995, "",
                    username, password);
            session = Session.getInstance(pop3Props, null);
            store = new POP3SSLStore(session, url);
            store.connect();
        public void openFolder(String folderName) throws Exception {
            // Open the Folder
            folder = store.getDefaultFolder();
            folder = folder.getFolder(folderName);
            if (folder == null) {
                throw new Exception("Invalid folder");
            // try to open read/write and if that fails try read-only
            try {
                folder.open(Folder.READ_WRITE);
            } catch (MessagingException ex) {
                folder.open(Folder.READ_ONLY);
        public void closeFolder() throws Exception {
            folder.close(false);
        public int getMessageCount() throws Exception {
            return folder.getMessageCount();
        public int getNewMessageCount() throws Exception {
            return folder.getNewMessageCount();
        public void disconnect() throws Exception {
            store.close();
        public void printMessage(int messageNo) throws Exception {
            System.out.println("Getting message number: " + messageNo);
            Message m = null;
            try {
                m = folder.getMessage(messageNo);
                dumpPart(m);
            } catch (IndexOutOfBoundsException iex) {
                System.out.println("Message number out of range");
        public void printAllMessageEnvelopes() throws Exception {
            // Attributes & Flags for all messages ..
            Message[] msgs = folder.getMessages();
            // Use a suitable FetchProfile
            FetchProfile fp = new FetchProfile();
            fp.add(FetchProfile.Item.ENVELOPE);       
            folder.fetch(msgs, fp);
            for (int i = 0; i < msgs.length; i++) {
                System.out.println("--------------------------");
                System.out.println("MESSAGE #" + (i + 1) + ":");
                dumpEnvelope(msgs);
    public void printAllMessages() throws Exception {
    // Attributes & Flags for all messages ..
    Message[] msgs = folder.getMessages();
    // Use a suitable FetchProfile
    FetchProfile fp = new FetchProfile();
    fp.add(FetchProfile.Item.ENVELOPE);
    folder.fetch(msgs, fp);
    for (int i = 0; i < msgs.length; i++) {
    System.out.println("--------------------------");
    System.out.println("MESSAGE #" + (i + 1) + ":");
    dumpPart(msgs[i]);
    public static void dumpPart(Part p) throws Exception {
    if (p instanceof Message)
    dumpEnvelope((Message)p);
    String ct = p.getContentType();
    try {
    pr("CONTENT-TYPE: " + (new ContentType(ct)).toString());
    } catch (ParseException pex) {
    pr("BAD CONTENT-TYPE: " + ct);
    * Using isMimeType to determine the content type avoids
    * fetching the actual content data until we need it.
    if (p.isMimeType("text/plain")) {
    pr("This is plain text");
    pr("---------------------------");
    System.out.println((String)p.getContent());
    } else {
    // just a separator
    pr("---------------------------");
    public static void dumpEnvelope(Message m) throws Exception {       
    pr(" ");
    Address[] a;
    // FROM
    if ((a = m.getFrom()) != null) {
    for (int j = 0; j < a.length; j++)
    pr("FROM: " + a[j].toString());
    // TO
    if ((a = m.getRecipients(Message.RecipientType.TO)) != null) {
    for (int j = 0; j < a.length; j++) {
    pr("TO: " + a[j].toString());
    // SUBJECT
    pr("SUBJECT: " + m.getSubject());
    // DATE
    Date d = m.getSentDate();
    pr("SendDate: " +
    (d != null ? d.toString() : "UNKNOWN"));
    static String indentStr = " ";
    static int level = 0;
    * Print a, possibly indented, string.
    public static void pr(String s) {
    System.out.print(indentStr.substring(0, level * 2));
    System.out.println(s);
    }END OF PART 2
    END OF PROGRAM 2
    P.S: CHECKING !!
    STEP 1.
    First compile and execute the PROGRAM 1 with your USERNAME & PASSWORD. This will send a mail to your own account.
    STEP 2.
    Now compile both PART 1 & PART 2 of PROGRAM 2. Then, execute PART 1 - Main.java. This will retrive the mail sent in step 1. njoy! :)
    In future, I hope this is added to the demo programs of the Java Mail API download package.
    This is for 3 main reasons...
    1. To prevent a lot of silly questions being posted on this forum [like the ones I did :(].
    2. To give the first time Java Mail user with a real time working example without code modification [code has to use command line args like the demo programs - for instant results].
    3. Also, this is what google has to say..
    "The Gmail Team is committed to making sure you always can access your mail. That's why we're offering POP access and auto-forwarding. Both features are free for all Gmail users and we have no plans to charge for them in the future."
    http://mail.google.com/support/bin/answer.py?answer=13295
    I guess bshannon & Java Mail team is hearing this....
    Again, Hurray and thanks for helping me make it!! cheers & no more frowned faces!!
    (: (: (: (: (: GO JCODERS GO!! :) :) :) :) :)
    codeace
    -----                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                    

    Thanks for the reply,
    I did checked by enabling session debuging and also checked pop settings it's enabled for all
    mails, I tried deleting some very old messages and now the message count is changed to 310.
    This may be the problem with gmail.
    Bellow is the output i got,
    DEBUG: setDebug: JavaMail version 1.4ea
    DEBUG: getProvider() returning javax.mail.Provider[STORE,pop3,com.sun.mail.pop3.POP3Store,Sun Microsystems, Inc]
    DEBUG POP3: connecting to host "pop.gmail.com", port 995, isSSL false
    S: +OK Gpop ready for requests from 121.243.255.240 n22pf5432603pof.2
    C: USER [email protected]
    S: +OK send PASS
    C: PASS my_password
    S: +OK Welcome.
    C: STAT
    S: +OK 310 26900234
    Custom output: messageCount : 310
    C: QUIT
    S: +OK Farewell.                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                   

  • Problem with access to SMTP, IMAP, POP3 protocols in CAS 2013.

    Hi,
    we have problem with access thgrough SMTP, IMAP, POP3 protocols in CAS 2013.
    If I test connection to SMTP 25 port from other computer, session end quickly.
    Test from CAS2013 to localhost or public IP is OK (similar also for IMAP and POP3).
    Receive connectors are with defaults settings, firewall is disabled.
    Service Microsoft Frontend Transport Services restarted, but no success.
    Certificate is assigned to IMAP, POP3, SMTP, IIS.
    IIS and HTTP(s), protocols are OK. Clients can connects only thgrough web, mobile (ActiveSync), or with Outlook with proxy.
    Do you have some tip, what to test?
    If I create new testing receive connector on port 26 for anonymous, behaviour is same, quick disconnecting.
    Thank's Mirek

    Hi,
    Pleaser try to use the following link to test your STMP/POP/IMAP e-mail, and check the test if successful:
    https://testconnectivity.microsoft.com/
    If unsuccessful, please check the test result, it will tell us what caused the problem.
    Thanks.
    Niko Cheng
    TechNet Community Support

  • What is POP, POP3, and IMAP When I Setup My Email Account in the HP ePrint App?

    I have done as much research as I can do in regards to setting up the HP ePrint App Email Accounts.  If you do not see your email information listed here, feel free to post it below or contact your internet service provider, phone or email company, or whomever else that might know this. I am certain there are many more that could be added but this is a rather extensive list.  I hope you find what you need to finish setting up your email applications.
    I have noticed information differs from website to website but as I have learned over time, with domain masking and companies buying out other companies, I just researched all the information I could find and that way if one of the hostnames or ports don’t work, then you can continue to view further into this page to see if that information is the same. At that point, if you can’t find what you need here, I would say you have done all that you can do before contacting the appropriate support team for your email information.  
    Most of the links are active and the ones listed below should send you directly the pages I pulled this information from but only a few of them were from the actual support sites themselves (Apple support was vague, as well as Microsoft, Macintosh, and commonly used ISPs). Save yourself some time by searching here first. I hope you find what you need in this one-stop-shop and if you get an email address not listed here please post it below and I will add it to this original document.
    Lastly, as this information is from forum-based and other unofficial websites, I would like to add that this is a copy/paste/edit-for-easy-reading document I created in my spare time. This is a very long document so I do recommend using the search and find quick keys to search for the email you need but the top part of this has definitions as to what servers, ports, and hostnames are and the basic setup in case you need to know what these options are used for and what they mean.
    Below are the most common settings needed to set up most POP3/IMAP Email Clients or Devices:
    The following information below can be found at http://www.swestcom.com/Support/q4.htm
    “What is POP3?
    Post Office Protocol version 3 (POP3) is a standard mail protocol used to receive emails from a remote server to a local email client. POP3 allows you to download email messages on your local computer and read them even when you are offline."
    "What is IMAP?
    The Internet Message Access Protocol (IMAP) is a mail protocol used for accessing email on a remote web server from a local client. IMAP and POP3 are the two most commonly used Internet mail protocols for retrieving emails. Both protocols are supported by all modern email clients and web servers."
    "Main difference between IMAP and POP3:
    The POP3 protocol assumes that there is only one client connected to the mailbox. In contrast, the IMAP protocol allows simultaneous access by multiple clients. IMAP is suitable for you if your mailbox is about to be managed by multiple users."
    "What is SMTP?
    Simple Mail Transfer Protocol (SMTP) is the standard protocol for sending emails across the Internet. SMTP uses TCP port 25 or 2525 and sometimes you can have problems to send your messages in case your ISP has closed port 25 (How to check if port 25 is open?). To determine the SMTP server for a given domain name, the MX (Mail eXchange) should have more information."
    "When setting up:
    POP - choose POP and the incoming server port will default to 110
    IMAP - choose IMAP and the incoming server port will default to 143
    All other settings are the same.
    Username = [email protected]
    Password = the password you set up when you configured your mail box
    Incoming Mail Server = mail.yourdomain.com
    Outgoing Mail Server= smtp.yourdomain.com
    Outgoing Server Requires Authentication (typically found in advanced options or settings)
    Do NOT check "Log on Using Secure Password Authentication"
    Use the same Username and Password as Incoming or select "Use Same Settings as Incoming"
    Outgoing Server Port= 2525 or 587This is subject to change based on the individual preferences of your ISP"
    Note - Substitute your actual domain name for "yourdomain.com" and substitute the first part of your email address for "user."
    Email Ports
    For networks, a port means an endpoint to a logical connection. The port number identifies what type of port it is. Here are the default email ports for:     
    POP3 - port 110
    IMAP - port 143
    SMTP - port 25
    HTTP - port 80
    Secure SMTP (SSMTP) - port 465
    Secure IMAP (IMAP4-SSL) - port 585
    IMAP4 over SSL (IMAPS) - port 993
    Secure POP3 (SSL-POP) - port 995.
    For Mozilla, Outlook, Windows mail, Windows Live, Outlook 2003-2010, Entourage for Mac OS, and Mail for Mac OS follow this link: http://help.outlook.com/en-ca/140/cc875899.aspx    (this website has not been looked over for validation but may assist in other leads towards the right direction)
    Have you ever wished you could use your AOL email account with something else, something more powerful, something more convenient than AOL, something like Outlook, Windows Mail, Outlook Express, or The Bat!? Thanks to the wonders of IMAP, you can.
    If you set up your AOL email account in any email client capable of IMAP, you can receive and send messages easily. Even the AOL folders — Spam, Saved, Sent Items and your Trash will be there automatically. Of course, you can also use POP to fetch incoming mail in an uncomplicated fashion.
    For instructions on how to assist you with this you can also follow this link: http://email.about.com/od/aoltips/qt/Access_an_AOL_Email_Account_with_any_POP_IMAP_Email_Program.htm
    Set Up POP or IMAP E-Mail on an Android G1 How do I set up POP or IMAP E-Mail on an Android Device?
    From the home screen, tap Applications > Settings > Accounts & sync > Add account > Manual setup.
    On the Incoming settings screen, in the Protocol drop-down menu, select IMAP or POP3. We suggest you select IMAP because it supports more features.
    In the Email address and Username text boxes, enter your full e-mail address, for example [email protected], and then select Next. Your user name is the same as your e-mail address.
    In the Password text box, enter your password.
    In the IMAP server or POP3 server text box, enter your IMAP or POP server name. For information about how to look up the server settings you need to complete this step and other steps in this procedure, see “How do I find the server settings” later in this topic.
    In the Security type drop-down menu and Server port text boxes, specify the POP or IMAP settings that you looked up in step 5, and then tap Next. Your e-mail application will check your IMAP or POP settings.
    On the Outgoing server settings screen, the Login required option should be selected for you, and the Username and Password text boxes should be filled in.
    In the SMTP server text box, enter the SMTP server name you looked up in step 5.
    In the Security type drop down menu and Server port text box, specify the SMTP settings that you located in step 5, and click Next.
    In the Account name, text box, enter a name for your account (for example “Office 365 email” or “Work email”). In the Your name text box, enter the name you want displayed when you send e-mail to others (for example “Tony Smith”), and then select Finish Setup.
    What else do I need to know?
    If your e-mail account is the type that requires registration, you must register it the first time you sign in to Outlook Web App. Connecting to your e-mail account through a mobile phone will fail if you haven't registered your account through Outlook Web App. After you sign in to your account, sign out. Then try to connect using your mobile phone. For more information about how to sign in to your account using Outlook Web App, see How to Sign In to Your E-Mail Using a Web Browser. If you have trouble signing in, see FAQs: Sign-in and Password Issues or contact the person who manages your e-mail account.
    Information below provided by: http://www.defcon-5.com/support/index.cfm?docid=95
    Yahoo:
    POP3: pop.mail.yahoo.com Port 995
    SMTP: smtp.mail.yahoo.com Port 465
    ESMTP should be enabled
    SSL: YES
    User name must not include the @yahoo.com
    GMail:
    POP3: pop.gmail.com Port 995
    SMTP: smtp.gmail.com Port 465
    ESTMP should be enabled
    SSL: YES
    AOL:
    IMAP: imap.aol.com Port 143
    SMTP: smtp.aol.com
    SSL: NO
    ATT World Net:
    POP3: ipostoffice.worldnet.att.net Port 995
    SMTP: imailhost.worldnet.att.net Port 465
    SSL REQUIRED for Incoming and Outgoing
    Cox:
    NOTE: With Cox you can only use their SMTP servers while on their network.
    Central
    POP3: pop.central.cox.net
    SMTP: smtp.central.cox.net
    ESMTP should be enabled
    SSL: NO
    East Cost
    POP3: pop.east.cox.net
    SMTP: smtp.east.cox.net
    ESMTP should be enabled
    SSL: NO
    West Cost
    POP3: pop.west.cox.net
    SMTP: smtp.west.cox.net
    ESMTP should be enabled
    SSL: NO
    Comcast:
    POP3: pop3.comcast.net Port 110
    SMTP: smtp.comcast.net Port 587
    ESMTP should be enabled
    SSL: NO
    User name must NOT include @comcast.net
    Comcast SMART ZONE:
    POP3:  sz-pop.mail.comcast.net Port 995
    SMTP: smtp.compcast.net Port 587
    ESMTP should be enabled
    SSL: NO
    User name must NOT include @comcast.net
    Earthlink:
    POP3: pop.earthlink.net Port 110
    SMTP: smtpauth.earthlink.net Port 587
    ESMTP should be enabled
    SSL: NO
    User name must include @earthlink.net
    Hughes Net:
    POP3: mail.hughes.net Port 110
    SMTP: smtp.hughest.net Port 25
    ESMTP should be enabled
    SSL: NO
    User name must include @hughes.net
    Metrocast:
    POP3: pop.va.metrocast.net Port 110
    SMTP: smtp.va.metrocast.net Port 25
    ESMTP should NOT be enabled
    User name MUST be full email address
    SSL: NO
    MSN:
    POP3: pop 3 . live. com  port #995.
    SMTP: smtp.live. com port #25
    SSL: YES
    ESMTP: should be enabled
    User name must have the full email address
    NetZero:
    POP3: pop.netzero.com Port 110
    SMTP: smtpauth.netzero.com Port 25
    ESMTP should be enabled
    SSL: NO
    User name must include @netzero.com
    Verizon:
    POP3: incoming.verizon.net Port 110
    SMTP: outgoing.verizon.net Port 25
    ESMTP should be enabled
    SSL: NO
    The following information is according to a forum comment at the bottom of this webpage concerning HOTMAIL and mail server settings:
     “As other web based email services, Hotmail is using the HTTP protocol for connecting you to your mailbox. If you want to send and receive Hotmail emails using an email client software, then your software must support Hotmail HTTP access for your email account. Some email clients, such as Outlook Express or Microsoft Outlook, offer builtin support for Hotmail accounts, so you only have to select HTTP when you are asked to select your email account type and select Hotmail as the HTTP Mail Service Provider.”
    Mail Server Settings for Hotmail using the Microsoft Outlook Connector
    If you are using Microsoft Outlook & the Outlook Connector, you can define your Hotmail account just like any regular POP3 email account:
    Hotmail Incoming Mail Server (POP3) - pop3 . live. com  (logon using Secure Password Authentification - SPA, mail server port: 995)
    Hotmail Outgoing Mail Server (SMTP) -smtp . live . com (SSL enabled, port 25)
    Additional information from this website has not been confirmed or validated as of yet but it does include additional information or perhaps corrected information. If the above steps do not fix the problem with setting up an email account for the HP Apps then read on:
    Yahoo! Mail Settings
    Yahoo Mail offers standard POP3 access for receiving emails incoming through your Yahoo mailbox, by using your favorite email client software. To setup your email client for working with your Yahoo account, you need to select the POP3 protocol and use the following mail server settings:
    Yahoo Incoming Mail Server (POP3) - pop.mail.yahoo.com (port 110)
    Yahoo Outgoing Mail Server (SMTP) - smtp.mail.yahoo.com (port 25)
    POP Yahoo! Mail Plus email server settings
    Yahoo Plus Incoming Mail Server (POP3) - plus.pop.mail.yahoo.com (SSL enabled, port 995)
    Yahoo Plus Outgoing Mail Server (SMTP) - plus.smtp.mail.yahoo.com (SSL enabled, port 465, use authentication)
    · Google GMail Settings
    The Google GMail service offers email client access for retrieving and sending emails through your Gmail account. However, for security reasons, GMail uses POP3 over an SSL connection, so make sure your email client supports encrypted SSL connections.
    Google Gmail Incoming Mail Server (POP3) - pop.gmail.com (SSL enabled, port 995)
    Outgoing Mail Server - use the SMTP mail server address provided by your local ISP or smtp.gmail.com (SSL enabled, port 465)
     MSN Mail Settings
    The MSN email service allows you to use the MSN POP3 and SMTP servers to access your MSN mailbox.
    MSN Incoming Mail Server (POP3) - pop3.email.msn.com (port 110, using Secure Password Authentication - SPA)
    MSN Outgoing Mail Server - smtp.email.msn.com (select "My outgoing server requires authentication")
     Lycos Mail Settings
    The Lycos Mail Plus service allows you to use POP3 and SMTP servers for accessing your Lycos mailbox.
    Lycos Mail Incoming Mail Server (POP3) - pop.mail.lycos.com (port 110)
    Outgoing Mail Server - smtp.mail.lycos.com or use your local ISP SMTP mail server
     AOL Mail Settings
    The AOL email service is a web based system, designed for managing your AOL mailbox via HTTP IMAP access. Unlike Hotmail, you can use any email client to access your AOL mailbox, as long as it supports the IMAP protocol.
    AOL Incoming Mail Server (IMAP) - imap.aol.com (port 143)
    AOL Outgoing Mail Server - smtp.aol.com or use your local ISP SMTP mail server
     Mail.com Mail Settings
    The Mail.com email service allows you to use POP3 and SMTP servers for accessing your Mail.com mailbox.
    Mail.com Mail Incoming Mail Server (POP3) - pop1.mail.com (port 110)
    Outgoing Mail Server - use your local ISP SMTP mail server
     Netscape Internet Service Mail Settings
    The Netscape e-mail system is web-based, which means you can access their e-mail from any Internet connection. Netscape Internet Service also supports AOL® Communicator, Microsoft® Outlook, Microsoft® Outlook Express, and other POP3 e-mail software. The outgoing mail server needs SSL support, so make sure your email client software supports SSL connections over the SMTP protocol.
    Netscape Internet Service Incoming Mail Server (POP3) - pop.3.isp.netscape.com (port 110)
    Netscape Internet Service Outgoing Mail Server - smtp.isp.netscape.com (port 25, using a secure SSL connection)
    Tiscali Mail Settings
    The Tiscali email service allows you to use POP3 and SMTP servers for accessing your Tiscali mailbox.
    Tiscali Incoming Mail Server (POP3) - pop.tiscali.com (port 110)
    Outgoing Mail Server - use your local ISP SMTP mail server
    Freeserve Mail Settings
    The Freeserve email service allows you to use POP3 and SMTP servers for accessing your Freeserve mailbox.
    Freeserve Incoming Mail Server (POP3) - pop.freeserve.com (port 110)
    Outgoing Mail Server - use your local ISP SMTP mail server
    Supanet Mail Settings
    The Supanet email service allows you to use POP3 and SMTP servers for accessing your Supanet mailbox.
    Supanet Incoming Mail Server (POP3) - pop.supanet.com (port 110)
    Outgoing Mail Server - use your local ISP SMTP mail se
    AT&T SMTP IMAP Server
    smtp.att.yahoo.com
    SSL Port 465
    imap.att.yahoo.com
    SSL Port 993
    Iphone POP/IMAP Setup
    Although I am sure it is out of scope for HP to assist with iPhone setup with mail, contact, calendars, etc so here is a PDF with pictures and a walkthrough from:
    https://www.millikin.edu/it/services/HandH/Documents/iPhone%20IMAP%20POP%20Setup.pdf 
    This hyperlink seems inactive so you may have to copy and paste for a direct walkthrough of this comprehensive pdf.
    Lastly if the above information is incorrect or does help, here is one last website to provide you with a complete list that I found located at att.com to assist their customers trying to setup emails in conjunctions with their apps.
     Popular POP and IMAP e-mail providers and their incoming server names
    http://www.wireless.att.com/support_static_files/KB/KB5892.html
    SUBJECT:
    Popular POP and IMAP e-mail providers and their incoming server names
    What are the AT&T outgoing (SMTP) server names?
    SYMPTOM:
    ISP E-mail servers
     E-mail
    ADVISORY:
    This information has been retrieved from the proper e-mail provider support pages. This is not an exhaustive list, please refer to your e-mail provider for additional information and compatibility.
    FIX:
    Outgoing Servers
    AT&T outgoing SMTP server policy
    Incoming Servers
    Users must contact their e-mail service providers for server addresses not included in this list.
    Incoming POP3 server uses default port of 110.
    Incoming IMAP4 server uses default port of 143.
    When using SSL (Secure Socket Layer):
    The incoming POP3 port needs to be set to 995.
    The incoming IMAP4 port needs to be set at 993.
    Internet Service Provider (ISP)
    Incoming Server Address
    Username
    Port
    1and1.com
    POP: pop.1and1.com
    IMAP4: imap.1and1.com
    More information at 1and1.com Article.
    full e-mail address
    POP3: 110
    IMAP4: 143
    Adelphia
    mail.adelphia.net
    username only
    POP3: 110
    Airmail.net (Internet America)
    pop3.airmail.net
    username only
    Alltel.net
    (See Windstream)
    Ameritech (at&t Yahoo!)
    pop.att.yahoo.com
    More information on support article.
    full e-mail address
    POP3: 995
    uses SSL
    AOL (America Online)
    Instructions and Disclaimer
    username only
    IMAP4: 143
    AIM Mail
    Instructions and Disclaimer
    username only
    IMAP4: 143
    AT&T Broadband Internet (ATTBI)
    mail.attbi.com
    AT&T Worldnet
    ipop.worldnet.att.net
    -or-
    ipostoffice.worldnet.att.net
    Informational only:
    AT&T WorldNet e-mail may not be accessible from any device e-mail client due to firewall restrictions implemented by AT&T WorldNet.
    See alternatives for accessing AT&T WorldNet:
    - Former AT&T Wireless customers
    - New and Existing AT&T wireless services customers
    full e-mail address
    POP3: 995 uses SSL
    Bell Atlantic (Verizon)
    pop.bellatlantic.net
    Bell South
    mail.bellsouth.net
    username only
    Cable One
    mail.cableone.net
    More information at Cable One.
    username only
    Cablevision
    mail.optonline.net
    username only
    Charter
    pop.charter.net
    username only
    Clearwire
    mail.clearwire.net
    More information at Clearwire Article.
    full e-mail address
    POP3: 110
    Comcast
    mail.comcast.net
    More information at Comcast Article.
    username only
    POP3: 110
    ComNetcom.net (Earthlink)
    pop.comnetcom.net
    Compuserve Classic
    pop.compuserve.com
    Compuserve
    imap.cs.com
    username only
    Concentric
    pop3.concentric.net
    Coqui (Puerto Rico)
    pop.coqui.net
    Covad
    pop3.covad.net
    More information on support article.
    full e-mail address
    POP3: 110
    Cox Central
    pop.central.cox.net
    More information at Cox Article.
    username only
    POP3: 110
    Cox East
    pop.east.cox.net
    More information at Cox Article.
    username only
    POP3: 110
    Cox West
    pop.west.cox.net
    More information at Cox Article.
    username only
    POP3: 110
    Cox Business
    pop.coxmail.com
    More information at Cox Business Article.
    full e-mail address
    POP3: 110
    Earthlink
    pop.earthlink.net
    full e-mail address
    POP3: 110
    Eudora
    mail.speakeasy.net
    Excite
    pop3.excite.com - Requires "Premium/Gold" subscription for POP3 access. More information at Excite.com Article.
    full e-mail address
    POP3: 110
    Flash (SBC Yahoo!)
    pop.att.yahoo.com
    More information on support article.
    full e-mail address
    POP3: 995
    uses SSL
    Gmail (Google Mail)
    Instructions and Disclaimer
    full e-mail address
    POP3: 995 uses SSL
    Go Daddy.com
    pop.secureserver.net
    More information at Go Daddy.com Article.
    full e-mail address
    POP3: 110
    Grande
    mail.grandecom.net
    More information at Grande Article.
    username only
    POP3: 110
    GTE.net (Verizon)
    mail.gte.net
    Hughes Direcway
    mail.hughes.net
    More information at Hughes Direcway Article.
    full e-mail address
    POP3: 110
    Ix.Netcom.com (Earthlink)
    pop.ix.netcom.com
    Insight Broadband
    mail.insightbb.com (SSL must be enabled for remote access)
    More information at Insight Broadband Article.
    username only
    Juno
    POP3/IMAP4 is not available.
    More information on support article.
    Lightfirst (Avenew)
    inmail.lightfirst.com
    Mac.com (Apple Computer)
    mail.mac.com
    POP3 access will not work with "alias" accounts.
    More information at Mac.com. Related articles 25275, 51729, and 86685.
    username only
    POP3: 110
    IMAP4: 143
    Mail.com
    pop1.mail.com
    POP3: 110
    Mediacom
    mail.mchsi.com
    More information at Mediacom Article.
    full e-mail address
    POP3: 995 uses SSL
    MEdia Net
    POP3 access is currently not available to MEdia Net e-mail accounts. Please access MEdia Net e-mail through the device browser.
    POP3: 110
    Mindspring (Earthlink)
    pop.mindspring.com
    full e-mail address
    POP3: 110
    mMode
    pop.mymmode.com
    username only
    POP3: 110
    MSN
    pop3.live.com
    For subscribers that use (and pay for) MSN as their Internet Service Provider, MSN provides POP3 access to their e-mail. More information on configuring e-mail applications, see Microsoft Article 930008.
    Alternatives for accessing MSN from a mobile device:
    - Former AT&T Wireless customers
    - New and Existing AT&T wireless services customers
    full e-mail address
    POP3: 995
    uses SSL 
    MSN Hotmail
    MSN Hotmail is a HTTP e-mail service so a POP3 server name is not offered by MSN Hotmail. While some 3rd party e-mail servers allow access to Hotmail accounts, this may put e-mail security at risk. AT&T will not house 3rd party e-mail server information.
    Alternatives for accessing MSN Hotmail from a mobile device:
    - Former AT&T Wireless customers
    - New and Existing AT&T wireless services customers
    NetAddress or Usa.net
    pop.netaddress.com
    POP3: 110
    Network Solutions
    mail.yourdomain.com
    Network Solutions Support Page
    full e-mail address
    POP3: 110
    NetZero (United Online)
    pop.netzero.com
    NetZero E-mail Support Page
    username only
    POP3: 110
    Netscape
    pop3.isp.netscape.com
    Netscape E-mail Support Page
    full e-mail address
    POP3: 110
    NVBell (SBC Yahoo!)
    pop.att.yahoo.com
    More information on support article.
    full e-mail address
    POP3: 995
    uses SSL
    OptOnline
    mail.optonline.net
    OptOnline Support Article
    username only
    PacBell (SBC Yahoo!)
    pop.att.yahoo.com
    More information on support article.
    full e-mail address
    POP3: 995
    uses SSL
    PeoplePC
    mail.peoplepc.com
    - or -
    pop.peoplepc.com
    PeoplePC Support Article
    full e-mail address
    POP3: 110
    Pipeline (Earthlink)
    pop.pipeline.com
    POP3: 110
    Prodigy (SBC Yahoo!)
    pop.att.yahoo.com
    More information on support article.
    full e-mail address
    POP3: 995
    uses SSL
    Qwest in Albuquerque, New Mexico
    pop.albq.qwest.net
    POP3: 110
    Road Runner
    pop-server.xxxx.com
    "xxxx" equals the users e-mail domain, which can be in the region format ("cfl.rr" for Central Florida or "nyc.rr" for New York City) or simply "roadrunner". The domain can be found after the @ symbol in the e-mail address i.e. [email protected] or [email protected]
    Road Runner Support Pages - Choose the appropriate region/state and select the Help menu to locate e-mail settings as they are different based on each region/state.
     username only
    POP3: 110
    sbcglobal.net
    pop.att.yahoo.com
    More information on support article.
    full e-mail address
    POP3: 995
    uses SSL
    snet.net
    pop.att.yahoo.com
    More information on support article.
    full e-mail address
    POP3: 995
    uses SSL
    Surewest
    pop.surewest.net
    More information at Surewest Article.
    full e-mail address
    POP3: 110
    swbell.net
    pop.att.yahoo.com
    More information on support article.
    full e-mail address
    POP3: 995
    uses SSL
    Verizon
    incoming.verizon.net
    username only
    POP3: 110
    Verizon (custom server)
    pop.verizonemail.net
    POP3: 110
    Verizon (Yahoo! Mail)
    incoming.yahoo.verizon.net
    More information at Verizon Yahoo! Article.
    full e-mail address
    POP3: 110
    wans.net
    pop.att.yahoo.com
    More information on support article.
    full e-mail address
    POP3: 995
    uses SSL
    Websitepros
    Server information varies on product.
    Contact Information
    Windstream
    pop.windstream.net
    More information on support article.
    full e-mail address
    POP3: 110
    Yahoo!
    pop.mail.yahoo.com - Requires a monthly subscription fee for POP3 access.
    More information on support article.
    See Alternatives for accessing Yahoo! E-mail:
    - Former AT&T Wireless customers
    - New and Existing AT&T wireless services customers
    username only
    POP3: 995
    uses SSL
    Yahoo Small Business
    pop.bizmail.yahoo.com
    "Forwarding" must be disabled and "POP access" must be enabled. Yahoo Small Business Support Page
    SPAM/Bulk folders should be emptied if receiving errors occur.
    full e-mail address
    POP3: 110
    If you are viewing information on devices or services, please note: content reflects instructions for devices and services purchased from AT&T. Some differences may exist for devices not purchased from AT&T.
    Don't forgot to say thanks by giving "Kudos" if I helped solve your problem.
    When a solution is found please mark the post that solves your issue.
    Every problem has a solution!
    This question was solved.
    View Solution.

    Just to recap, this is a collection of ports I have collected over time for people who needed this information when setting up the HP ePrint app so that they could view their email from within the app.  I am certain other applications also need this information.  Although lengthy, I could not find a more comprehensive place to retrieve this information.  Feel free to post additional information, faulty information, or other related topics below as this is simply a collection of data and it would be practically impossible to test all of them. Thank you!
    Don't forgot to say thanks by giving "Kudos" if I helped solve your problem.
    When a solution is found please mark the post that solves your issue.
    Every problem has a solution!

  • Migrating exchange 2003 to 2010 while everyone is running SMTP, POP3 and IMAP on the old exchange 2003

    Hi all
    We have a legacy Exchange 2003 running with more than 800 users and with a very mixed configuration for client access. Most of users are running POP3/SMTP on the Exchange, some are running IMAP/SMTP and some are running MAPI access. 
    Please note that THERE IS NO WAY that we move all users to MAPI access before the installation (due to deadlines).
    We plan to install a new Exchange 2010, starting with a CAS/HUB server. We do not need to migrate users automatically, and we can proceed later to move them individually to the new Exchange 2010 infrastructure in a non-transparent way. 
    More importantly, we need to maintain that everyone receives their e-mail and all communication through the exchange 2003 continues uninterrupted. 
    My question is can we install the new CAS/HUB server, while maintaining the old exchange server running with it's old name and create new names for the CAS/HUB server. In such a configuration, will all the Exchange 2003 services continue to run as usual
    (POP3/IMAP/SMTP/MAPI)?

    In addition, you may also spend some times at below mentioned helpful resources to check the prerequisites before moving all mailboxes from exchange 2003 to 2010 :
    http://exchangeserverpro.com/wp-content/uploads/2011/02/Exchange-Server-2003-to-2010-Migration-Guide-V1.3-Planning-Chapter.pdf
    http://technet.microsoft.com/en-us/library/dd638130(v=exchg.141).aspx
    https://www.simple-talk.com/sysadmin/exchange/upgrade-exchange-2003-to-exchange-2010/
    Moreover, to avoid any interruption  during the completion of migration process, you can also take a look at this application(http://www.exchangemigrationtool.com/) that could be a good alternate approach
    for you.

  • POP3 and IMAP Won't Start - Dovecot error 89

    I have been struggling with what should be a simple problem all day: turning the mail server on!
    This is a clean out of the box start. I bought a new Mac Mini with Mountain Lion Server.
    POP3 and IMAP services will not start and Dovecot repeatedly reports the following (no more detail anywhere that I can find):
    Nov  7 16:59:24 artemiscom com.apple.launchd[1] (org.dovecot.dovecotd[1151]): Exited with code: 89
    Nov  7 16:59:24 artemiscom com.apple.launchd[1] (org.dovecot.dovecotd): Throttling respawn: Will start in 10 seconds
    SMTP is running and I can telnet into port 25.
    serveradmin fullstatus mail  gives the following:
    mail:setStateVersion = 1
    mail:readWriteSettingsVersion = 1
    mail:connectionCount = 0
    mail:servicePortsRestrictionInfo = _empty_array
    mail:protocolsArray:_array_index:0:status = "ON"
    mail:protocolsArray:_array_index:0:kind = "INCOMING"
    mail:protocolsArray:_array_index:0:protocol = "IMAP"
    mail:protocolsArray:_array_index:0:state = "STOPPED"
    mail:protocolsArray:_array_index:0:error = ""
    mail:protocolsArray:_array_index:1:status = "ON"
    mail:protocolsArray:_array_index:1:kind = "INCOMING"
    mail:protocolsArray:_array_index:1:protocol = "POP3"
    mail:protocolsArray:_array_index:1:state = "STOPPED"
    mail:protocolsArray:_array_index:1:error = ""
    mail:protocolsArray:_array_index:2:status = "ON"
    mail:protocolsArray:_array_index:2:kind = "INCOMING"
    mail:protocolsArray:_array_index:2:protocol = "SMTP"
    mail:protocolsArray:_array_index:2:state = "RUNNING"
    mail:protocolsArray:_array_index:2:error = ""
    mail:protocolsArray:_array_index:3:status = "ON"
    mail:protocolsArray:_array_index:3:kind = "OUTGOING"
    mail:protocolsArray:_array_index:3:protocol = "SMTP"
    mail:protocolsArray:_array_index:3:state = "RUNNING"
    mail:protocolsArray:_array_index:3:error = ""
    mail:protocolsArray:_array_index:4:status = "OFF"
    mail:protocolsArray:_array_index:4:kind = "INCOMING"
    mail:protocolsArray:_array_index:4:protocol = "Junk_mail_filter"
    mail:protocolsArray:_array_index:4:state = "STOPPED"
    mail:protocolsArray:_array_index:4:error = ""
    mail:protocolsArray:_array_index:5:status = "OFF"
    mail:protocolsArray:_array_index:5:kind = "INCOMING"
    mail:protocolsArray:_array_index:5:protocol = "Virus_scanner"
    mail:protocolsArray:_array_index:5:state = "STOPPED"
    mail:protocolsArray:_array_index:5:error = ""
    mail:startedTime = "2012-11-07 16:41:49 +0000"
    mail:logPaths:IMAP Log = "/Library/Logs/Mail/mailaccess.log"
    mail:logPaths:Server Log = "/Library/Logs/Mail/mailaccess.log"
    mail:logPaths:POP Log = "/Library/Logs/Mail/mailaccess.log"
    mail:logPaths:SMTP Log = "/var/log/mail.log"
    mail:logPaths:Migration Log = "/Library/Logs/MailMigration.log"
    mail:logPaths:Virus Log = "/Library/Logs/Mail/clamav.log"
    mail:logPaths:Amavisd Log = "/Library/Logs/Mail/amavis.log"
    mail:logPaths:Virus DB Log = "/Library/Logs/Mail/freshclam.log"
    mail:imapStartedTime = ""
    mail:servicePortsAreRestricted = "NO"
    mail:state = "RUNNING"
    mail:postfixStartedTime = "2012-11-07 16:41:49 +0000"
    If I restart the mail server POP3 and IMAP staus goes to STARTING and then to STOPPED.
    I've managed to get Dovecot working on a Centos server but the generally simple configuration on the Mac has me dumbfounded.
    Any help is appreciated whilst I still retain my sanity.
    Thanks

    OK. I managed to solve this problem.
    When the mail server is first initialised SSL certification for dovecot is set to on but the certificates are all commented out in the configuration file.
    To determine this is the problem, turn the mail server off then at the command line start the server by entering the following command:
    /Applications/Server.app/Contents/ServerRoot/usr/bin/doveconf -f service=master -c /Library/Server/Mail/Config/dovecot/dovecot.conf -m master -p -e
    This is the output I received:
    /Applications/Server.app/Contents/ServerRoot/usr/sbin/dovecotd -F
    doveconf: Fatal: Error in configuration file /Library/Server/Mail/Config/dovecot/dovecot.conf: ssl enabled, but ssl_cert not set
    Edit the file /Library/Server/Mail/Config/dovecot/conf.d/10-ssl.conf:
    sudo vi /Library/Server/Mail/Config/dovecot/conf.d/10-ssl.conf
    You can do one of two things:
    1) Edit the line #ssl = yes to:
                                                     ssl = no
    2) Uncomment the ssl_cert, ssl_key and ssl_ca lines
    Now restart the mail server and check the logs for dovecot error 89 (shouldn't be there) and/or at ther command line enter the command:
         sudo serveradmin fullstatus mail
    This will display the mail server status which should be something like this (note pop3 and imap now running):
    mail:setStateVersion = 1
    mail:readWriteSettingsVersion = 1
    mail:connectionCount = 0
    mail:servicePortsRestrictionInfo = _empty_array
    mail:protocolsArray:_array_index:0:status = "ON"
    mail:protocolsArray:_array_index:0:kind = "INCOMING"
    mail:protocolsArray:_array_index:0:protocol = "IMAP"
    mail:protocolsArray:_array_index:0:state = "RUNNING"
    mail:protocolsArray:_array_index:0:error = ""
    mail:protocolsArray:_array_index:1:status = "ON"
    mail:protocolsArray:_array_index:1:kind = "INCOMING"
    mail:protocolsArray:_array_index:1:protocol = "POP3"
    mail:protocolsArray:_array_index:1:state = "RUNNING"
    mail:protocolsArray:_array_index:1:error = ""
    mail:protocolsArray:_array_index:2:status = "ON"
    mail:protocolsArray:_array_index:2:kind = "INCOMING"
    mail:protocolsArray:_array_index:2:protocol = "SMTP"
    mail:protocolsArray:_array_index:2:state = "RUNNING"
    mail:protocolsArray:_array_index:2:error = ""
    mail:protocolsArray:_array_index:3:status = "ON"
    mail:protocolsArray:_array_index:3:kind = "OUTGOING"
    mail:protocolsArray:_array_index:3:protocol = "SMTP"
    mail:protocolsArray:_array_index:3:state = "RUNNING"
    mail:protocolsArray:_array_index:3:error = ""
    mail:protocolsArray:_array_index:4:status = "OFF"
    mail:protocolsArray:_array_index:4:kind = "INCOMING"
    mail:protocolsArray:_array_index:4:protocol = "Junk_mail_filter"
    mail:protocolsArray:_array_index:4:state = "STOPPED"
    mail:protocolsArray:_array_index:4:error = ""
    mail:protocolsArray:_array_index:5:status = "OFF"
    mail:protocolsArray:_array_index:5:kind = "INCOMING"
    mail:protocolsArray:_array_index:5:protocol = "Virus_scanner"
    mail:protocolsArray:_array_index:5:state = "STOPPED"
    mail:protocolsArray:_array_index:5:error = ""
    mail:startedTime = "2012-11-08 11:33:25 +0000"
    mail:logPaths:IMAP Log = "/Library/Logs/Mail/mailaccess.log"
    mail:logPaths:Server Log = "/Library/Logs/Mail/mailaccess.log"
    mail:logPaths:POP Log = "/Library/Logs/Mail/mailaccess.log"
    mail:logPaths:SMTP Log = "/var/log/mail.log"
    mail:logPaths:Migration Log = "/Library/Logs/MailMigration.log"
    mail:logPaths:Virus Log = "/Library/Logs/Mail/clamav.log"
    mail:logPaths:Amavisd Log = "/Library/Logs/Mail/amavis.log"
    mail:logPaths:Virus DB Log = "/Library/Logs/Mail/freshclam.log"
    mail:imapStartedTime = "2012-11-08 11:33:25 +0000"
    mail:servicePortsAreRestricted = "NO"
    mail:state = "RUNNING"
    mail:postfixStartedTime = "2012-11-08 11:33:58 +0000"

  • Gwia abends or freezes several times a day - imap ssl

    Hello,
    current system - NW6.5 sp8 - 3 node cluster - GW8.0.3 hp3 - gwia running in it's own address space
    Our GW install had been stable for long time running 8.0.2 hp3. Then two changes were made to support some new clients that required IMAP and SMTP in a secure way.
    On Gwia, IMAP SSL was set to required and SMTP SSL was set to enabled. In gwia.cfg the /forceinboundauth was added. So now, any host sending SMTP to gwia must authenticate.
    Things went OK for a while but the number of clients connecting via Imap/SMTP has increased and problems started. Gwia would freeze or abend and had to be restarted. I upgraded to gw8.0.3 hp3 which as far as I know is the latest available version. But the abends and problems continue. Here is an example of an abend -
    14/06/2013 17:25:21 : SERVER-5.70-2187 [nmID=D0006]
    Removed address space because of memory protection violation
    Address Space: GWIA
    Reason: Page Fault, Attempt to write to non-present page
    Running Thread: GWIMAP-SSL-Handler_5
    EIP: 0xF53125BD (LIBC.NLM + 0x945BD)
    Access Location
    I have been watching the gwia address space from monitor and it grows quite large. When gwia first loads the allocated space is 8MB, after a short while it grow rapidly to 50MB. I have seen it at 200MB+.
    Any ideas what I can do?
    Regards,
    Paul

    Bob,
    Finally the our GW (8.0.3) is running on linux (oes11.1). That has fixed it, the gwia keeps running with exactly the same IMAP users/clients/load etc. So far it has been running for 3.5 days. I kept the 'IMAP service' going on NetWare by having a cron job that ran twice a hour, it unloaded and then reloaded the gwia. It would take ages to shut down and unload but would get there eventually. In the last few days before the migration I had to change the cron job to kick gwia three times an hour as it would not last the 30 minutes!
    Regards,
    Paul
    Originally Posted by Bob-O-Rama
    Do you have all your post NW 6.5.8 patches? Especially the TCP / WinSock / LAN driver stuff? All of that is critical. Also do you get a full abend log out of the server, including modules listing, you can pastebin some place? That will potentially tell us a lot more as to where its really dying.
    Second, GW 8 on NetWare is, in my experience, not nearly as stable / robust as on Linux. We consolidated from 5 NW servers to a single ( same class ) Linux system and both increased performance and greatly improved stability. As a half step, you can easily run just the GWIA on a Linux VM to "outsource" the abends. And on Linux when an agent dies, you can rig it to auto restart so user's have no idea its happening.
    -- Bob

  • Can't open IMAP SSL ports

    I use IMAP SSL to connect to my mail servers, using port 993 for incoming and 465 for outgoing mail. Despite working fine for more than five years, I have suddenly been unable to connect to the mail servers now. I'm using an Airport Extreme, setup with Airport Utility v. 6.3.2, OS X v. 10.9.2. I've assigned static IP addresses to all of my computers on the network. And I've forwarded both the TCP and the UDP ports in the Airport Utlity. But testing the ports still shows them as closed. Any advice would be appreciated.

    First: host.allow and hosts.deny do not stop ports being opened. They only restrict access when a client connections, and only if the application that is accepting the connection supports tcp_wrappers.
    Second: to really see what ports are open, use the command:
    netstat -tnlp
    Third: what is your firestarter configuration? Post the output of (as root):
    iptables -nvL

  • Can't send using SMTP with SSL on Exchange 2003

    We have an exchange 2003 server. The iPhone is configured for IMAP w/SSL for incoming and works fine. When we have SSL turned on on the outgoing SMTP, we get the message "Cannot send mail. Check the account settings for the outgoing server mail.domain.com". With SSL turned off, it works fine.
    I set up outlook on a PC to use IMAP/SMTP w/ SSL and it works fine. I can send and recieve with no errors.
    We're sure the user name and password entered for the outgoing are correct.
    What else could be causing the iPhone not to send, but where Outlook works fine?

    The new phone at the Verizon store had the exact same symptoms.  Ergo...the problem was in my server.
    So...if anyone else has this problem (can't send file attachments)...go to Exchange Server (I'm running 2007..settings on other version are slightly different), server settings, find the send hub. Click on it then look for the Exchange Active Sync tab and click it. Check the Ignore Client Certificates. This may only apply to those who run self generated SSL certs on thier Exchange Server...cheap **bleep**. LOL
    I swear...last week, before buying this Thunderbolt my OG Droid sent file attachments just fine.  Somehow I inadvertantly set the Active Sync to accept client certificates.  To err is human...to blame it on Verizon is more so.  LOL
    Nate

  • POP3 to IMAP Converter

    I am looking for a POP3 to IMAP converter app (something comparable to "Outlook Connector"). Live Hotmail is POP3, but I want to use either macmail, Outlook, or Thunderbird, and have all subfolders transfer.
    Does anyone know of a third party app?
    Thanks

    So what you're after is a way to access your local emails via IMAP as you can only access them right now via POP3?
    In that case, assuming you have a machine that has a permanent internet connection you could look at MailServe for Snow Leopard. It can be configured to pull emails down via POP3 and then you're essentially running an email server off your machine. The program is just a GUI for pre-existing applications that OS X Server uses and are also present in the client version. Combine it with a DynDNS URL and have the machine also perform the duties of a DNS server and it's a complete system for handling all your email via IMAP.

  • SQL Developer wont work via SSL (TCPS)

    I am trying to get SQL Developer (1.5.1) to connect to our Oracle database using SSL (tcps -- port 2484) and am getting a very generic error. (I have no error connecting to the same database over the unencrypted port -- 1521).
    Status: Failue - Test failed: Io exception: The Network Adapter could not establish the connection.
    I personally think that the connection is timing out, but all logging/debuggig features I can find do not prove anything either way. I have successfully connected to the database via SSL using tnsping and sqlplus. I have also successfully imported the certificate from the database server into the cacerts file in sqldeveloper/jdk/jre/lib/security This error is the same whether I use my TNSNAMES file or a custom JDBC url.
    Please reply if you have questions/ideas/solutions.
    Thanks, Dan
    block from TNSNAMES.ora
    TEST =
    (DESCRIPTION =
    (ADDRESS_LIST =
    (ADDRESS = (PROTOCOL = TCP)(HOST = hostname.fqdn)(PORT = 1521))
    (CONNECT_DATA =
    (SID = test)
    TEST_SSL =
    (DESCRIPTION =
    (ADDRESS_LIST =
    (ADDRESS = (PROTOCOL = TCPS)(HOST = hostname.fqdn)(PORT = 2484))
    (CONNECT_DATA =
    (SID = test)
    (SECURITY =
    (SSL_SERVER_CERT_DN="CN=hostname.fqdn, OU=My Unit, O=My University, L=City, ST=State, C=US")
    contents of sqlnet.ora
    SQLNET.AUTHENTICATION_SERVICES= (BEQ, TCPS, NTS)
    SSL_VERSION = 0
    NAMES.DIRECTORY_PATH= (TNSNAMES, EZCONNECT)
    SSL_CLIENT_AUTHENTICATION = FALSE
    WALLET_LOCATION =
    (SOURCE =
    (METHOD = FILE)
    (METHOD_DATA =
    (DIRECTORY = C:\oracle\certs)
    )

    This has helped, but I am not 100% there.
    After altering my setting to use OCI/Thick driver and upgrading to 11g client, (and verifying that I could sqlplus/tnsping/odbc as before) the following happens:
    When testing the connection or trying to connect with tnsnames method, the dialog box comes up just telling me it's testing/connecting, and never stops trying (and therefore also never fails).
    This also happens when I try to connect via a custom JDBC URL,
    BUT
    When I test the connection using the same JDBC URL, I 'succeed' -- so I must be close.
    My Custom JDBC URL is
    jdbc:oracle:oci:@(DESCRIPTION=(ADDRESS=(PROTOCOL=tcps)
    (HOST=hostname.fqdn)(PORT=2484))(CONNECT_DATA=(SERVICE_NAME=test))
    (SECURITY =(SSL_SERVER_CERT_DN="CN=hostname.fqdn, OU=My Unit, O=My University, L=City, ST=State, C=US")))
    What might I be missing?
    Thank you.

  • Lumia 800 - pop3 and imap

    Anybody setup a POP3 account on the phone and find that it works 100% like an IMAP setting? POP3 traditionally does not synchronise backwards, i.e. you download message to phone and leave original on server, delete off phone, it stays on the server. However in their wisdom it seems that not only can you NOT switch easily between a POP3 and IMAP account setting (you need to delete the account and then reinstall it), it also has defaulted that the POP3 setting, is the EXACT same as an IMAP.
    Am I missing something? Granted this is only my 5th smartphone and 50th time I have set the same account up, but yeah must definately be me, as a company like Nokia would of checked their programs before giving it out... right?
    Any assistance, including proving that it is me stuffing it up, would be greatly appreciated.
    Thanks in advance,
    LUCH

    Hi LUCHlumia800,
    Thanks for your feedback and welcome to the forum.
    What you describe is not really what is different between POP and IMAP. POP actually does allow for syncing back to the server and remove mail there once deleted on the client. Actually POP can (optionally) be configured to either remove from server when removed on the client or remove from server once fetched. While these options are available implementation is not compulsory.
    IMAP on the other hand basically mirrors the server and client sides so whatever happens on one side also happens on the other including adding or removing folders.
    Hope this helps,
    Kosh
    Press the 'Accept As Solution' icon if I have solved your problem, click on the Star Icon below if my advice has helped you!

  • Instructions for converting from POP3 to IMAP in Outlook 2010

    I have been using Outlook a POP3 Google Apps (Gmail) account for a long time.  I have never used IMAP but am intrigued by the synchronization that accompanies IMAP.  Since I often use my email from the Gmail web app away from my Outlook installation,
    IMAP seems like the way to go.  So I would like to convert my existing POP3 account to an IMAP account. 
    1- Can you point me to step-by-step instructions on how to do this?
    2 - Will all my PST folders and email automatically sync to the Gmail servers?
    3 - what problems can I expect to encounter and how do I avoid them?
    Thanks for your time and advice.
    M

    No, you cannot "convert" an account from POP3 to IMAP.
    You'll need to remove the current POP3 account (this will not delete any data) and then add the IMAP account. This will create an additional folder set which is required for the synching of the IMAP account (it will mimic the folder structure of the
    IMAP account).
    If there are messages in your local folder which are not on the IMAP server, you can move them manually to a folder in the IMAP account.
    Before you start to reorganize your data, it is recommended that you start with a good backup of your Outlook data so that you can easily restore it in case something goes wrong. For instructions see;
    http://www.howto-outlook.com/howto/backupandrestore.htm
    Robert Sparnaaij
    [MVP-Outlook]
    Outlook guides and more: HowTo-Outlook.com
    Outlook Quick Tips: MSOutlook.info

  • Changing Mail Account from POP3 to IMAP

    I have to change hosts for my domain and primary e-mail address, and as long as I need to recreate my account, I’d like to change it from POP3 to IMAP. How would I change the account settings in Mail so that all my previous e-mails aren’t deleted when I change protocols? Thanks.

    As I don't know whether what you want to do is possible or not, I would rather create a new account with the new settings and copy the emails from the old one to the new one (I think this will keep email dates correct). Then, after verifying that the new one works OK, I would delete the old one.

  • Exchange 2013 POP3 and IMAP connectivity issues 0x800CCC0F

    Hi all,
    there's an Exchange 2013 server running without problems during "regular" use, but when it comes to POP3 and/or IMAP (we really need that for some systems), everything is fine until there's a message with an attachment of about 100kb or more.
    We can poll messages with smaller attachments without problem, but bigger sizes won't work.
    So for testing I tried POP3 within Outlook Express, it gives Error 0x800CCC0F
    Telnet to TCP110 simply breaks up the connection when I try "retr"
    IMAP shows those messages as "to be deleted", but they are accesible within OWA.
    Test-PopConnectivity (also for IMAP) runs smoothly and successfully.
    Firewall is opened for all connections.
    Problem is and has always been there. The server is updated to the newest SP/updates.
    I tried both 110/143 and corresponding SSL - no difference.
    Pop3 and Imap logging shows no errors
    There's Trend Micro Messaging Security installed, but has been disabled for testing - no difference. (Issue has been there before installation of TM)
    So, any ideas how to fix this? I'd appreciate...
    Thanks in advance,
    Robert

    Hello,
    Take a network trace on both ends to see if there are any devices like firewalls drop the package.
    http://www.microsoft.com/en-us/download/details.aspx?id=4865
    Thanks,
    Simon Wu
    TechNet Community Support

Maybe you are looking for

  • Attaching external hard drive to Macbook Pro

    Hi. I would like to attach an external hard drive to my Macbook Pro 4.1 which I am currently using mainly for Photoshop, working with Camera Raw images and HDR. I am considering either a 1.0TB or a 2.0TB OWC Mercury Elite Pro. I would like to set up

  • Unable to open indt file in CS6

    I am very new to InDesign, and I was sent a template file created in CS5 that I am unable to open. This is the error I am getting. Any advice or solutions are very much welcome! I haven't been able to determine what kind of plug ins are needed.

  • How to include custom style sheets in BI 7 WAD (Web Reports)

    Hi, I have WAD in 3.X, where I have used custom stylesheets. Now I need to use the same style sheets of 3.x development in BI 7 WAD. How do i achieve this? Regs, Arka

  • Plz help me in my game

    I have just started programming java and here is a game i have made so far: http://www.freewebs.com/blobber/KillersJar.html -Keys- Player1 Up: Up arrow Down: Down arrow Left: Left arrow Right: Right arrow Player2 Up: W Down: S Left: A Right: D Now my

  • Unable to apply SMC Firmware update

    I am trying to apply the SMC 1.0 Firmware Update to my MacBook Pro. I click restart in the firmware update dialog, and the Mac reboots. I then see a folder with a question mark flash three times, then the Mac boots to OS X. I have tried numerous time