Groupwise to ISP pop3 + smtp

A novice install of Groupwise 8 is working "internally"
We connect to an ISP with 'catch all' pop3 account for our domain name
and we send via our ISP's smtp server (with a different username and password to the pop3 account)
I cannot work out how to connect Groupwise to these internet mail accounts to send and recieve external mail. I must be missing something obvious!
Any pointers / tutorials anyone can give me?
Many thanks
Daryl

On 10/20/2011 8:52 AM, Joseph Marton wrote:
> browndj wrote:
>
>> A novice install of Groupwise 8 is working "internally"
>>
>> We connect to an ISP with 'catch all' pop3 account for our domain
>> name abd we send via our ISPs smtp server.
>>
>> I cannot work out how to connect Groupwise to these internet mail
>> accounts to send and recieve external mail. I must be missing
>> something obvious!
>
> GW natively does not have a way to fetch mail from a bunch of POP3
> accounts. The old small business suite included a "POP forwarding
> agent" but that was only in the suite and I don't know if that
> component still exists with the current NOWS-SBE.
>
> Otherwise, individual users can configure external POP3 accounts to
> fetch his/her own mail. But that's done on an individual basis at the
> client level (client must be running to fetch mail).
>
fetchmail (requires linux, though there may be a windows port)
supposedly can do this.

Similar Messages

  • Freeserve/Orange POP3/SMTP and Web interface not recognising credentials

    Is there an outage on the email?I was getting my mail fine a couple of hours ago, but now I'm getting the message from my mail client (current Thunderbird) "Sending of password for user arkhamroad.fsnet.co.uk did not succeed. Mail server pop.orangehome.co.uk responded: Invalid login or password" and on the website (https://web.orange.co.uk/id/signin.php?rm=StandardSubmit) Sorry, the details you entered weren't recognised. Please try again.
    Have you changed your password recently? Please note that it can take up to four hours for your password to be changed on our systems, so you may need to try again later. The password change portal doesn't recognise my account details either Since I've not changed my p-word, I'm stumped.

    rodonn wrote:
    My wife, who also has an FSNET acct isn't having a problem.
    Curiouser & Curiouser! Nor is my wife. I even added my email a/c in her mail client under her Windows user with exactly the same server settings except the POP3 Account Name and it still didn't work.
    The only diff between our email accounts is mine is freeserve.co.uk and hers is orangehome.co.uk. However hers was acquired originally as a PAYG dial-up a/c. Was your wife's? My email came from with my ISP service. I have since changed my email pwd to be different from my BB pwd, which cannot be changed. I did wonder whether the POP3 server has reverted to my original = BB pwd but that still doesn't work.
    More curiosities: As you say sending still works, and is received at recipient. I nowadays send on SMTP 587 which is authenticated as the same as the incoming mail server. So the SMTP accepts the pwd that POP3 rejects!

  • How do I add a mail icon for my POP3/SMTP mail account?

    I have a mail account with POP3 incoming and SMTP out. How do I add an icon to Firefox 3.6.9 to link to this as would Outlook in IE?

    You can try the [http://webdesigns.ms11.net/getmail.html Get Mail] add-on.

  • 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.                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                   

  • 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

  • SSL Portal for IMAP, POP3, SMTP?

    Hello,
    is it possible to offer with an UAG SSL Portal a preauthentication for IMAP, POP3 and SMTP?
    If yes, any How to's out there?
    Edit: I know that TMG is able to offer that but is there preauthentication used?
    Grüße/Regards, Jens Klein

    Hi,
    No, UAG does not support (as in does not work) any other ports than 80 and 443.
    Hth,
    Lutz

  • Third party ISP and SMTP settings for outlook

    HI,
    we've recently sifgned with BThome because the connections speed where we live is much better than it was with demon. however...
    I can't semm to make a configuration for my outgoing email settings. i'm receivin my incoming messages from a third party POP account related to my website. there is no problem with my incoming mail, despite what the ncie indian lady at the helpline accused me of. with demon it was simple: you just changed the smtp setting to  post.demon.co.uk however there doesn't seem to be an easy solution for that with BT. they insist i take on an btinternet email account. i do not want to do that.
    is there anyone with a similar issue and/or solution, that would be greatly appreciated.
    many thanki, michael

    MAF wrote:
    HI,
    we've recently sifgned with BThome because the connections speed where we live is much better than it was with demon. however...
    I can't semm to make a configuration for my outgoing email settings. i'm receivin my incoming messages from a third party POP account related to my website. there is no problem with my incoming mail, despite what the ncie indian lady at the helpline accused me of. with demon it was simple: you just changed the smtp setting to  post.demon.co.uk however there doesn't seem to be an easy solution for that with BT. they insist i take on an btinternet email account. i do not want to do that.
    is there anyone with a similar issue and/or solution, that would be greatly appreciated.
    many thanki, michael
    Hi Michael.
    In order to send emails via BT you need to alter the smtp server to mail.btinternet.com - however this may also need other things to be set, i.e. smtp authentication.
    You may need to use something called address verification (see my shortcuts section 0e).
    Now, with a 3rd party email provider - you should normally be able to use their smtp server (unless they don't have one), and maybe need to alter the port to say perhaps 587 rather than 25.
    As Ian said, you will have a btinternet email address - either you chose one on joining or you were allocated one, typically based on your name. This will be needed for address verification.
    There are a couple of other ways to do it, e.g. use live.com from MS, or a Gmail verification, but the latter typically shows strange receipt details for some people showing the actual Gmail address as well.
    http://www.andyweb.co.uk/shortcuts
    http://www.andyweb.co.uk/pictures

  • J2ME email clients (POP3, SMTP + sending  attachments)?

    Hello,
    Maybe this topic was already discussed once before in this form, but after having a quick look into it I wasn't able to find proper answer for following topic.
    Well, I'm looking for a J2ME email client (open source prefered) which is capable to send *emails with Attachments (csv data or pictures).*
    Mail4Me seems to be a candidate referring the feature set and mem consumption, but I'm not quite sure, if
    sending attachments is supported....
    Maybe somebody in that community can help me or at least can highlight any other packages.
    Many thanks in advace!
    BR

    Hello Mike,
    the first thing I thought of was the conversion rules in SCOT and I don't know of any other option (customizing) that could affect the way it works.
    I have solved a similar problem in SCOT w/workflow which went like this:
    - The (old) RSWUWFML-report attaches the persistent object reference to the workitem (as the old-style-SAP-Shortcut-Format) that enables the user to execute this workitem from the mail.
    - When we installed the new SAP Gui it didn't worked anymore (because shortcut format .SAP changed).
    - I have implemented in SCOT a conversion-exit that transformed the attachment into a .SAP-Shortcut that called a self-made-transaction to execute this workitem.
    So, if no one else has any good idea of what to do about, I would propose to use a conversion exit in the SCOT. This scans for a FOL...object reference, uses some kind of function module to retrieve the content as text and then outputs a .txt-Attachment. This should work (but is more effort, as well).
    Best wishes,
    Florin

  • Pop3 smtp changes are hatin my tablet and iphone 3g

    So now what? Everytime i try to administer the new settings both tablet and phone freeze up. Ive added another email account to both and recieving emails from the new one daily. Just cant get V to work. Ive even deleted and redid it on both of them to no avail. Assistance required please...

    I realise this might not be the answer you qwere hoping for, but I always found Outlook a bit hit and miss, so I went for an iPhone app called Occassions.
    It takes the birthday information directly from your contacts and uses an external server to push the notifications to your phone.
    Works really well
    Only other thing I can think of is to check your time zones on each machine and see if that's the problem

  • 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

  • Fax server can't SMTP to GroupWise Server

    I recently set up a new Fax server. Incoming faxes are supposed to be converted to a PDF file and emailed to a particular recipient based on the telephone number that they're faxed to.
    My problem is, I can't seem to connect to SMTP on my Groupwise server from my fax server. They're both on the same subnet. The Fax server can ping the Groupwise server, but if i try the following:
    "C:\telnet groupwisesreverip 25"
    from the fax server I get:
    "Could not open connection to the host, on port 25: Connect failed"
    This worked fine on the old fax server.
    I've added the IP of the new fax server as a host that the Groupwise server will accept SMTP relay connections from. I don't know what else to check.
    Does anyone have any suggestions?

    Originally Posted by liebl_j
    I recently set up a new Fax server. Incoming faxes are supposed to be converted to a PDF file and emailed to a particular recipient based on the telephone number that they're faxed to.
    My problem is, I can't seem to connect to SMTP on my Groupwise server from my fax server. They're both on the same subnet. The Fax server can ping the Groupwise server, but if i try the following:
    "C:\telnet groupwisesreverip 25"
    from the fax server I get:
    "Could not open connection to the host, on port 25: Connect failed"
    This worked fine on the old fax server.
    I've added the IP of the new fax server as a host that the Groupwise server will accept SMTP relay connections from. I don't know what else to check.
    Does anyone have any suggestions?
    What server OS version is you fax server running on? Could it be something with an outgoing firewall rule on the fax server?
    I'm assuming port 25 on the Groupwise server can be telnet'ed from another system without issue?
    Cheers,
    Willem

  • 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.

  • 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!

  • Using POP3 away from your home broadband

    I have just moved over to BT from using Tiscali as my ISP for many years. In the past when I set up a POP3 email account I used the SMTP server of the specific email service for sending my mail OUT. I now discover, but only after asking the question of the help desk, that as a new BT customer I may not use any SMTP sever but 'mail.btinternet.com'. This is fine while I am working from home but presents problems when I am out on the road.
    I have about 10 email accounts set up on my laptop from which I collect mail daily and then reply to them. Since moving to BT I have set up all the accounts with the BT SMTP server but when I away from home it will not be possible to SEND thru this server. My only option is to wait until I get home to send my mail (And BTW I will not be able to make a second collection during the day before coming home as the mail client will error on the sending. I am using Windows Live Mail and there is no option to *only* collect mail without sending). My other option is to go thru every account individually and reconfigure the SMTP sever (10 times) or I could log into every account via webmail.
    I am pretty fed up with this state of affairs as it is not documented in BT material. If I'd known that this would be a limitation I would not have gone with BT in the first place. I cannot be the only one with this issue. Clearly anyone using solely their BT email account, for instance, is prevented from using a POP3 client away from their home base.
    Any ideas?
    Rob

    Thanks for these replies and for the simple solution to my problem.
    Last week I set up another new broadband connection at a site I work at but this was an Orange service, not BT. I tried using my desktop client to do my email and noticed that while the mail came in fine under the POP3, the outgoing mail was failing. As I mentioned before I am using 10 different accounts from a variety of different services: Googlemail, Yahoo, Tiscali and a couple of services provided by my web hosting suppliers. While these had worked fine under my Tiscali account they seemed to be failing under Orange. (Actually, as it turned out later, it was only the outgoing Tiscali mail that was failing). After a few calls to the help desk I was advised that I could *only* use the Orange SMTP server for sending mail under the new broadband package. I therefore changed all my accounts so that mail was sent out thru the Orange SMTP sever. For some strange reason I was still getting failures if I used Outlook Express or Outlook (an old version). However, when I changed to using Windows Live the problem disappeared and I am now able to send mail OUT from a variety of accounts with the reply address given as the one attached to the account.
    When, this week, I set up a BT broadband line at a different site, I thought that I had better check with the BT helpline whether it had the same policy as Orange. I was informed categorically that I could only use the BT SMTP server (mail.btinternet.com) to send mail OUT. No other SMTP server would work. Naively, I accepted this at face value and did not try setting up any accounts with non-BT SMTP servers. Instead I set up all my accounts using the BT server, as I had done under Orange, but still the outgoing mail failed. It seems that you cannot send mail FROM BTinternet with a reply address different from that associated with the broadband account. I made multiple calls to the help desk and three times operatives used their remote assistance software to take over my screen and check all the settings. Not once did anyone suggest the simple expedient of using, say, the Googlemail SMTP server. On one occasion I even got a help desk supervisor to take over my screen and even he didn't give me an answer.
    I had discovered from my own on-line searches that BT appeared to adopt a different policy from Orange when it came to sending out email under a non-BT email address. They require you to *verify* the address first. They give the instructions here... http://www.btyahoo.com/verify. I tried to follow them but the instructions do not line up with the screens you get. It was at this point I got the senior help-desk guy to tandem my screen so he could see what was happening. Even he had to agree that the screens did not match up and it was clear to me by the way his mouse was whizzing around the screen that he had never done this before. However, after a bit of trial and error he got it to work. After declaring your non-BT account, the server sends out an email to the target email account; you log into the target, non-BT account, open the email and copy&paste a ref number into a box on the BT screen. In principle, once you know what to do, its fairly straightforward. However, it didn't work! I still got failures when I tried to send mail from the 'verified' account and I could find no way to list my 'verified' accounts or backtrack and repeat the process.
    I even emailed the support people with the query -- more or less the same wording I posted here and, to be fair, I got a phone call pretty quickly following my email. I can't fault them on speed of response. The woman I spoke to suggested I used the alternative server SMTP.MAIL.YAHOO.COM and even suggested that I did not need to set it up with a username/password. Complete nonsense of course and it did not work. She also referred me to BT FON service, which, again was completely irrelevant.
    At one point during the day, one guy who took over my screen and, having fiddled around, clearly not knowing what he was doing (the mouse pointer wanderings tell it all!), concluded that he had done his best and BT would have to start charging me if I wanted them to continue working on the problem.
    I have wasted hours on this problem and all because (1) I was given wrong information in the first place and (2) I was stupid enough to believe what I was told by an Indian Call Centre (I have learned my lesson now!). They are only capable of understanding and dealing with very simple problems that don't in any way deviate from their script.
    The principles appear be:
    (1) If you are using the ISP's own, dedicated SMTP service you do not have to check 'my server requires authentication' as the server knows who you are by virtue of the fact that you are coming in via a known broadband line.
    (2) You cannot use the ISP's own SMTP server on a different line, say at wifi hotspot, to send your mail using a desktop client even if you check 'my server requires authentication'.
    (3) When changing ISPs you cannot leave the old ISP's SMTP server in your account configuration - you must change it.
    (4) If you are a peripatetic laptop user and need to be able to use any available internet connection to send your mail, then all you have to do is configure each mail account setting in your desktop client with a non-ISP specific SMTP server. Gmail, Yahoo and Hotmail should work OK or you can use the SMTP server provided by your web hosting company (if it provides email in addition to web space - which most appear to do these days). However, you will have to check 'my server requires authentication' and also provide the username+password for the account, which will different from the POP2 account login.
    Does that sound right?
    Thanks again for your quick and simple answers. I am very grateful and can only conclude that you don't work for an Indian Call Centre!
    Rob Wheeler (frustrated yesterday, but relieved today)

  • OUTGOING SMTP Email issue on N900

    Hi All
    I have setup my n900 with my POP3/SMTP email settings to enable me to send and receive my emails but I am having the following problem:
    Incoming emails are received fine without any issues at all (in full html too, which I really like).
    But.. I can't SEND outgoing emails when I am using the WIFI connection at my house. However as soon as I connect to the VODAFONE GPRS connection, I can send email without any problem.
    Am I right to assume that because I can at least send whilst in the GPRS connection I must have set smtp up correctly?
    Can anyone offer any assistance please?
    Cheers
    John.
    Solved!
    Go to Solution.

    use these:
    POP server: pop3.live.com (Port 995)
    POP SSL required? Yes
    User name: Your Windows Live ID, for example [email protected]
    Password: The password you usually use to sign in to Hotmail or Windows Live
    SMTP server: smtp.live.com (Port 25) {Note: If port 25 has been blocked in your network or by your ISP, you can set SMTP port to 587 with TLS or SSL Encryption depending on the client in use}
    Authentication required? Yes (this matches your POP username and password)
    TLS/SSL required? Yes

Maybe you are looking for

  • How to instal OS 10.7.5 on a new HD in my late 2011 15" macbook pro

    Hi there, I have just got a late 2011 15" macbook pro i7. My plan is to fit a NEW hard drive. My older 15" Mid 2010 i5 machine came with discs for OS 10.6 and I would like to move to the 10.7.5 OS that is currently on the OLD hard drive from the NEW

  • In which table I can get the Contact full name(First name and Last name)

    Hi, In  which table, I can get the field for Contact Person Full  name. In many tables Iam seeing FIRST NAME and LAST NAME as two fields. Regards Babu.

  • Sliding audio IN/OUT point in smaller increments than a single frame.

    Hello there... I saw this work-flow on the forum a while ago, and i've searched the archives but can't remember what the original thread was about/titled... I am having to cut a lengthy interview down, removing 'ummm's and generally cutting out indiv

  • Problem with Advanced reporting

    Ok, so there is an inherent flaw in the way grouping is done in Advanced Reporting - it should not be automatic Say for example, I have three reports A, B, and C, and what I want is the report generated by (A U B) - C. Now, when I select minus, it au

  • Dead Pixel and Frayed Charger

    Hey guys.Let me start off buy saying that I **do** have AppleCare as of now. I've had my MacBook Pro Retina 13" Laptop for about 1-2 years and I haven't had much to complain about. However, my laptop's charger has started to fray and charging my lapt