Send(email)  method  is delaying servlet's response

hello ,
i have a servlet that store a message in the DB ,
after the message was stored ,
a requestDispatcher is called to forward to the "msg sent" screen.
than there is method that makes a call to an ejb method to send the msg via email like....
user_message msg = dispatcher.getMessage();
persister.store(Message);
request.getRequestDispatcher("/msgSent.jsp").forward(request,response);
Mailer.sendNotification(msg.destination.email);
the problem is : even though i called to the request dispatcher it doesnt forward the message till
the mail server sends a - 250 OK
is there a way to solve it without storing data ..?

You've stored the message in the DB? Does that include all the sender & receiver info?
If it does you could probably have a thread (started on application startup) whose job it is to pick up messages added to the queue and to send them.
It is something that worked really well at my last job. The page submits with the request to send the message. Because the message required a lot of processing we stuck the message data on a queue with a NOTPROCESSED status. The thread woke up every ten seconds and grabbed the top ten NOTPROCESSED message (changing status to PROCESSING) and processed them. In the meantime, the page had returned to the user and the sending entity had a status of "sending".
We found that acceptable where a synchronous processing would take a while and page responsiveness is important.
Another option is to submit the page but also rewrite the current page with javascript or somesuch. You can display a message "sending, page will reload when sent" or somesuch. I've seen it done elsewhere. I think there is another way to do it but don't know enough to comment on that.
Mark

Similar Messages

  • Sending emails+attachment from a servlet

    Hi all,
    I'd like to send emails from within my servlet. There must be a possibility to attach a file that has been uploaded to the server in a previous request.
    Currently I'm using sun.net.smtp.SmtpClient to send simple emails.
    Does the sun-smtp-package provide a way to attach a file to an email?
    regards
    Steffen

    I'm not sure but I think the sun.net.smtp package is part of J2EE. I didn't need to download it. You will need a Base64-Encoding algorithm for transforming the file-data (the attachment) into the email message. OReillys servlet package provides a class for this (www.servlets.com).
    Below is an example how to send an email with a file attached to it. You will have to specify the name of an SMTP-Server. If you do not have one you can (for testing purposes) direct the email into a text file.
    try{
         String host = /** @todo place your smtp-server name or IP here */
         SmtpClient smtp = new SmtpClient(host);
         smtp.from(from);
         smtp.to(toList);
         PrintStream out = smtp.startMessage();
         Base64Encoder b64e = new Base64Encoder(out); // Base64Encoder is also a Stream which we will only use for the attachment-data
         /* uncomment this if there is no smtp-server. The email will be stored in a file
         File fEml = new File(/** @todo add your filePath here */+File.separatorChar+"out.eml");
         PrintStream out = new PrintStream(new FileOutputStream(fEml));*/
         out.println("From: "+from);
         out.println("To: "+toList);
         out.println("Subject: "+subject);
         out.println("Date: "+date.toString());
         out.println("MIME-Version: 1.0");
         // we have to declare the email multipart/mixed to notify the email client that this mail contains sub parts of different content-types
         out.println("Content-Type: multipart/mixed;");
         // the boundary-string separates the sub parts (just like in HTTP-Multipart-Requests)
         out.println("\tboundary=\"----=_next_part\"");
         out.println("\r");
         out.println("This is a multipart message in MIME format.");
         out.println("\r");
         // first sub part starts here - its the text message
         out.println("------=_next_part");
         // this sub part contains only plain text
         out.println("Content-Type: text/plain;");
         out.println("\tcharset=\"iso-8859-1\"");
         out.println("Content-Transfer-Encoding: 7bit");
         out.println("\r");
         // Message text goes here
         out.println(/** @todo place your message here */);
         out.println("\r");
         // now the attachment
    out.println("------=_next_part");
    out.println("Content-Type: application/octet-stream;");
    out.println("\tname=\""+fileName+"\"");
    out.println("Content-Transfer-Encoding: base64");
    out.println("Content-Disposition: attachment;");
    out.println("\tfilename=\""+fileName+"\"");
    out.println("\n");
    // encode file piece by piece
    File f = new File(/** @todo place your filepath here */+File.separatorChar+fileName);
    FileInputStream fis = new FileInputStream(f);
    int i = 0;
    do{
    byte[] content = {0, 0, 0};
    i = fis.read(content, 0, 3);
    if (i != -1){
                   b64e.write(content);
         }//if
    }while(i != -1);
    fis.close();
    fis = null;
    f = null;
         // this is it, all there's left to do is to flush our output-stream and clean up
         out.flush();
         b64e.close();
         out.close();
         b64e = null;
         smtp.closeServer();
         out = null;
         smtp = null;
    }catch(IOException ioe){
         ioe.printStackTrace();
    }//catch
    HTH
    Steffen

  • Send email from j2me through servlet

    Hi people,
    i hope you can help me because i am new in network programming.
    I am trying to send email from j2me to googlemail account I have 2 classes EmailMidlet (which has been tested with wireless Toolkit 2.5.2 and it works) and the second class is the servlet-class named EmailServlet:
    when i call the EmailServlet, i get on the console:
    Server: 220 mx.google.com ESMTP g28sm19313024fkg.21
    Server: 250 mx.google.com at your service
    this is the code of my EmailServlet
    import java.io.*;
    import java.net.Socket;
    import java.net.UnknownHostException;
    import java.text.*;
    import java.util.Date;
    import javax.servlet.*;
    import javax.servlet.http.*;
    public class EmailServlet extends HttpServlet {
       public void doPost(HttpServletRequest request, HttpServletResponse response)
             throws IOException, ServletException {
          System.out.println("____emailservlet.doPost");
          response.setContentType("text/plain");
          PrintWriter out = response.getWriter();
          System.out.println("______________________________");
          out.println();
          String to = request.getParameter("to");
          System.out.println("____________________________to" + to);
          String subject = request.getParameter("subject");
          String msg = request.getParameter("msg");
          // construct an instance of EmailSender
          System.out.println("servlet_to" + to);
          send("[email protected]", to, subject, msg);
          out.println("mail sent....");
       public void send(String from, String to, String subject, String msg) {
          Socket smtpSocket = null;
          DataOutputStream os = null;
          DataInputStream is = null;
          try {
             smtpSocket = new Socket("smtp.googlemail.com", 25);
             os = new DataOutputStream(smtpSocket.getOutputStream());
             is = new DataInputStream(smtpSocket.getInputStream());
          } catch (UnknownHostException e) {
             System.err.println("Don't know about host: hostname");
          } catch (IOException e) {
             System.err
                   .println("Couldn't get I/O for the connection to: hostname");
          if (smtpSocket != null && os != null && is != null) {
             try {
                os.writeBytes("HELO there" + "\r\n");
                os.writeBytes("MAIL FROM: " + from + "\r\n");
                os.writeBytes("RCPT TO: " + to + "\r\n");
                os.writeBytes("DATA\r\n");
                os.writeBytes("Date: " + new Date() + "\r\n"); // stamp the msg
                                                    // with date
                os.writeBytes("From: " + from + "\r\n");
                os.writeBytes("To: " + to + "\r\n");
                os.writeBytes("Subject: " + subject + "\r\n");
                os.writeBytes(msg + "\r\n"); // message body
                os.writeBytes(".\r\n");
                os.writeBytes("QUIT\r\n");
                // debugging
                String responseLine;
                while ((responseLine = is.readLine()) != null) {
                   System.out.println("Server: " + responseLine);
                   if (responseLine.indexOf("delivery") != -1) {
                      break;
                os.close();
                is.close();
                smtpSocket.close();
             } catch (UnknownHostException e) {
                System.err.println("Trying to connect to unknown host: " + e);
             } catch (IOException e) {
                System.err.println("IOException: " + e);
       } 1.when i print "to" in EmailServlet also:
      String to = request.getParameter("to");
          System.out.println("____________________________to" + to);  it show null on the console :confused:
    2. ist this right in case of googlemail.com?
      smtpSocket = new Socket("smtp.googlemail.com", 25);  I would be very grateful if somebody can help me.

    jackofall
    Please don't post in old threads that are long dead. When you have a question, please start a topic of your own. Feel free to provide a link to an old thread if relevant.
    I'm locking this thread now.
    db

  • Problem sending email using javamail in servlet

    I try this code and make some changes of my own http://forums.sun.com/thread.jspa?threadID=695781.
    When i run the program the confirmtaion shows that the mail has been sent, but when i check in my inbox there's no the message. I'm using gmail and need to authenticate the username and password. I guess the error caused in the servlet.
    Here's the code for my servlet :
    import java.io.*;
    import java.util.Properties;
    import javax.servlet.*;
    import javax.servlet.http.*;
    import javax.mail.internet.*;
    import javax.mail.*;
    public class ServletEx extends HttpServlet {
       public void doPost(HttpServletRequest request, HttpServletResponse response)
             throws IOException, ServletException {
          System.out.println("____emailservlet.doPost");
          response.setContentType("text/plain");
          PrintWriter out = response.getWriter();
          System.out.println("______________________________");
          out.println();
          String to = request.getParameter("to");
          System.out.println("____________________________to" + to);
          String subject = request.getParameter("subject");
          String msg = request.getParameter("msg");
          // construct an instance of EmailSender
          System.out.println("servlet_to" + to);
          send(username, to, subject, msg);
          //send("[email protected]", to, subject, msg);
          out.println("mail sent....");
            String username = "[email protected]";
            String password = "my_password";
            String smtp = "smtp.gmail.com";
            String port = "587";
       public void send(String username, String to, String subject, String msg) {
            Properties props = new Properties();
            props.put("mail.smtp.user", username);
            props.put("mail.smtp.host", smtp);
            props.put("mail.smtp.port", port);
            props.put("mail.smtp.starttls.enable","true"); // just in case, but not currently necessary, oddly enough
            props.put("mail.smtp.auth", "true");
            //props.put("mail.smtp.debug", "true");
            props.put("mail.smtp.socketFactory.port", 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 message = new MimeMessage(session);
                message.setText(msg);
                message.setSubject(subject);
                message.setFrom(new InternetAddress(username));
                message.addRecipient(Message.RecipientType.TO, new InternetAddress(to));
                Transport.send(message);
            catch (Exception mex)
                mex.printStackTrace();
       public class SMTPAuthenticator extends javax.mail.Authenticator {
            public PasswordAuthentication getPasswordAuthentication(String username, String password)
                return new PasswordAuthentication(username, password);
    }Actually it's been a long time for me to develope this program, especially with the authenticate smtp. Any help would be very appreciated :)

    Accordingly to your stackTrace, I think that you miss some utility jar from Geronimo app. server.
    As you are using Application server that is J2EE compliant, so there is an own JavaMail implementation embeded and used by the Server. To fix this problem you have to find and add to your calsspath a jar-file that contains Base64EncoderStream.class

  • Servlet for sending email error

    i working for send email using servlet and html. when i run i got this error..
    what cause this problem.
    please someone help me. urgent!!!
    thank you in advance
    servlet error........
    ENCOUNTERED EXCEPTION: java.lang.ArrayIndexOutOfBoundsException
    java.lang.ArrayIndexOutOfBoundsException
         at EmailSMSServlet.doPost(EmailSMSServlet.java:123)
         at javax.servlet.http.HttpServlet.service(HttpServlet.java:760)
         at javax.servlet.http.HttpServlet.service(HttpServlet.java:853)
         at org.apache.catalina.core.ApplicationFilterChain.internalDoFilter(ApplicationFilterChain.java:247)
         at org.apache.catalina.core.ApplicationFilterChain.doFilter(ApplicationFilterChain.java:193)
         at filters.ExampleFilter.doFilter(ExampleFilter.java:149)
         at org.apache.catalina.core.ApplicationFilterChain.internalDoFilter(ApplicationFilterChain.java:213)
         at org.apache.catalina.core.ApplicationFilterChain.doFilter(ApplicationFilterChain.java:193)
         at org.apache.catalina.core.StandardWrapperValve.invoke(StandardWrapperValve.java:256)
         at org.apache.catalina.core.StandardPipeline$StandardPipelineValveContext.invokeNext(StandardPipeline.java:643)
         at org.apache.catalina.core.StandardPipeline.invoke(StandardPipeline.java:480)
         at org.apache.catalina.core.ContainerBase.invoke(ContainerBase.java:995)
         at org.apache.catalina.core.StandardContextValve.invoke(StandardContextValve.java:191)
         at org.apache.catalina.core.StandardPipeline$StandardPipelineValveContext.invokeNext(StandardPipeline.java:643)
         at org.apache.catalina.authenticator.AuthenticatorBase.invoke(AuthenticatorBase.java:494)
         at org.apache.catalina.core.StandardPipeline$StandardPipelineValveContext.invokeNext(StandardPipeline.java:641)
         at org.apache.catalina.core.StandardPipeline.invoke(StandardPipeline.java:480)
         at org.apache.catalina.core.ContainerBase.invoke(ContainerBase.java:995)
         at org.apache.catalina.core.StandardContext.invoke(StandardContext.java:2415)
         at org.apache.catalina.core.StandardHostValve.invoke(StandardHostValve.java:180)
         at org.apache.catalina.core.StandardPipeline$StandardPipelineValveContext.invokeNext(StandardPipeline.java:643)
         at org.apache.catalina.valves.ErrorDispatcherValve.invoke(ErrorDispatcherValve.java:171)
         at org.apache.catalina.core.StandardPipeline$StandardPipelineValveContext.invokeNext(StandardPipeline.java:641)
         at org.apache.catalina.valves.ErrorReportValve.invoke(ErrorReportValve.java:172)
         at org.apache.catalina.core.StandardPipeline$StandardPipelineValveContext.invokeNext(StandardPipeline.java:641)
         at org.apache.catalina.core.StandardPipeline.invoke(StandardPipeline.java:480)
         at org.apache.catalina.core.ContainerBase.invoke(ContainerBase.java:995)
         at org.apache.catalina.core.StandardEngineValve.invoke(StandardEngineValve.java:174)
         at org.apache.catalina.core.StandardPipeline$StandardPipelineValveContext.invokeNext(StandardPipeline.java:643)
         at org.apache.catalina.core.StandardPipeline.invoke(StandardPipeline.java:480)
         at org.apache.catalina.core.ContainerBase.invoke(ContainerBase.java:995)
         at org.apache.coyote.tomcat4.CoyoteAdapter.service(CoyoteAdapter.java:223)
         at org.apache.coyote.http11.Http11Processor.process(Http11Processor.java:594)
         at org.apache.coyote.http11.Http11Protocol$Http11ConnectionHandler.processConnection(Http11Protocol.java:392)
         at org.apache.tomcat.util.net.TcpWorkerThread.runIt(PoolTcpEndpoint.java:565)
         at org.apache.tomcat.util.threads.ThreadPool$ControlRunnable.run(ThreadPool.java:619)
         at java.lang.Thread.run(Thread.java:536)

    here is my code...actually my program send email from SMS. i parser SMS to email format. My SMS part is working but when i combine it,i got error as above. I tried run without servlet (using command prompt) it working properly and i can send email.
    public class EmailSMSServlet extends HttpServlet
    CService srv;
    int status;
    LinkedList msgList;
         public void init(ServletConfig config) throws ServletException      {
         super.init(config);
         srv = new CService("com4", 9600);
         msgList = new LinkedList();
         srv.initialize();
         srv.setCacheDir(".\\");
    public void doPost(HttpServletRequest request,HttpServletResponse response) throws IOException, ServletException
         PrintWriter writer = response.getWriter();
    response.setContentType("text/html");
    writer.println("<html>");
    writer.println("<head>");
    writer.println("<title>SMS TO EMAIL</title>");
    writer.println("</head>");
    writer.println("<body bgcolor=\"blue\">");
         writer.println("test");
              try
              status = srv.connect();
                   if (status == CService.ERR_OK)
                   srv.setOperationMode(CService.MODE_PDU);
    if(srv.readMessages(msgList,CIncomingMessage.CLASS_ALL)==CService.ERR_OK)
              for (int i = 0; i < msgList.size(); i ++)
              CIncomingMessage msg =(CIncomingMessage)msgList.get(i);
              String s=msg.getText();
              String from1=msg.getOriginator()+"@mysite.bla.bla";
              writer.println(s);
              writer.println("<p>");
              writer.println(from1);
              writer.println("<p>");
    // parser sms to email ...
    String delim = "#";
    StringTokenizer st= new StringTokenizer(s,delim);
    String str[] = new String[st.countTokens()];     
    int j=0;
    while (st.hasMoreTokens())
         str[j++] = st.nextToken();
         writer.println("<p>");
         writer.println("Kepada:");
         writer.println(str[0]);
         for(int k = 0; k < str.length; k++)
    writer.println(str[k]);
    // Send mail using javamail.....
    Properties props=new Properties();
    props.put("mail.transport.default",blah");
    props.put("mail.smtp.host","blah");
    try{
    Properties props=new Properties();
    props.put("mail.transport.default","smtp");
    props.put("mail.smtp.host","host");
    Session mailSession=Session.getInstance(props,null);
    Message mssg=new MimeMessage(mailSession);
    mssg.setSubject(str[1]);
    mssg.setContent(str[2],"text/plain");
    Address to =new InternetAddress(str[0]);
    mssg.setRecipient(Message.RecipientType.TO,to);
    Address from=new InternetAddress(from1);
    mssg.setFrom(from);
    Transport.send(mssg);
         writer.println("Succes");
    } catch (Throwable t) {
    writer.println("<font color=\"red\">");
    writer.println("ENCOUNTERED EXCEPTION: " + t);
    writer.println("<pre>");
    t.printStackTrace(writer);
    writer.println("</pre>");
    writer.println("</font>");
         srv.disconnect();
         else
         writer.println("Connection to mobile failed, error: " + status);
         catch (Exception e)
              e.printStackTrace();
         writer.println("<br><br>");
    writer.println("</body>");
    writer.println("</html>");
    thanks

  • How to send email using SPUtility.SendEmail method

    hi all,
             I am using SPUtility.SendEmail method to send email to list of users. but i am unable to send it. Code is not throwing any kind of error. Can anyone guide me steps to send email programmatically .
    Regards,
    Milan C.

    Hello Milan, 
    Humm, 
    Problably code is correct, need to speak with System administrator of mail server/exchange to know what rules exist on server mail.
    Verify if server mail validate IP from server to allow send mail. 
    Verify if exist some rule from server mail that validate sender with some domain "[email protected]"
    Verify if Email server have relay active to send Emails externaly
    Verify what type of authentication exist on you server Email, "Anonymous access or Login as password access", https? port number?
    This info is very important to have before you configure emails on sharepoint, to preview problems....  
    André Lage Microsoft SharePoint, CRM and Sybase Consultant
    Blog:http://aaclage.blogspot.com
    Codeplex:http://spupload.codeplex.com/http://simplecamlsearch.codeplex.com/

  • On OnPremise, Sending email to multiple recipients doesn't work with SendEmail method

    Hi,
    We are creating a site collection on OnPremise from App by using Sharepoint Client API's (16 version).
    After creation of site collection, we are sending an email to all site collection administrators. But we found that email is being sent to the only first person mentioned in the "To" list. For sending email we are using following method "Microsoft.SharePoint.Client.Utilities.Utility.SendEmail()".
    We tried different scenarios by passing alternately domain username and email address.
    Here are the findings for the different scenarios for the "To" field:
    1) "domain\user1; domain\user1" => sends email to first user
    2) "[email protected]; [email protected]" => sends email to both emails (at least shows in inbox To field, two occurances of email)
    3) "domain\user1; domain\user2" => sends email to first user
    4) "[email protected]; [email protected]" => sends email to first user
    Here is the code we are using:
                    EmailProperties properties = new EmailProperties();
                    properties.To = to.ToList();
                    if (cc != null)
                        properties.CC = cc;
                    properties.Subject = subject;
                    properties.Body = body;
                    Utility.SendEmail(context, properties);
                    context.ExecuteQuery();
    Please let us know what is going wrong here.
    Thanks in advance for your valuable inputs.
    Br,
    Shriram
    Shri07

    According to the R16 Admin preview guide;-
    "Send Email to Multiple Recipients
    Expression Builder is now linked to the email address text field that is presented when the Specific Email Address
    option is selected. Workflow administrators can enter multiple email addresses directly, or click the "fx" icon
    beside the field, and use Expression Builder to define expressions that evaluate to one or more email addresses.
    The benefit of this feature is that emails can be stored on any text field in the base record and multiple emails can
    be sent using one workflow action. "
    But how that works exactly is not clear, I have tried commas, semi-colons, spaces, apostrophes, doublequotes, to separate and try to establish the correct syntax without luck.
    Bob - Perhaps you can do some digging and find out the correct syntax for multiple addresses?

  • Classes and methods to send email to SAP inbox

    Hi,
    I want an appropriate class and method to send emails to SAP Inbox.
    My objective is that i convert spool to PDF and send it to SAP inbox as an attachment.
    I've used  'CONVERT_ABAPSPOOLJOB_2_PDF' and 'SX_TABLE_LINE_WIDTH_CHANGE' to generate PDF attachment.
    I tried Function modules 'SO_DOCUMENT_SEND_API1'/'SO_NEW_DOCUMENT_ATT_SEND_API1' to send email.
    It was working fine till now (for last 4 months). Now the Basis team has run some patches due to which the PDFs are getting damaged.
    Now the FMs 'SO_DOCUMENT_SEND_API1'/'SO_NEW_DOCUMENT_ATT_SEND_API1' seems to be useless.
    So i tried some methods in classes cl_document_bcs and cl_bcs. These are working fine for Internet mails but not SAP mails.
    Please suggest me some Classes and methods to send the PDF atachments to SAP inbox.

    to have all SAP inbox messages into lotus notes inbox you have to sync the same with the use of connectors rather than resending them
    check out this link
    http://www-128.ibm.com/developerworks/lotus/library/lei-sap/
    for outlook its done using MAPI
    http://www.sapgenie.com/faq/exchange.htm
    Regards
    Raja

  • I cannot send emails, only receive, after upgrade to Yosemite today, Apple should resolve this issue. Any help more than welcome. Thanks in response to Pita Fito I have contacted three more people that made the upgrade and they have the same problem

    I cannot send emails, only receive, after upgrade to Yosemite today, Apple should resolve this issue. Any help more than welcome. Thanks
    in response to Pita Fito
    I have contacted three more people that made the upgrade and they have the same problem. My advise is not to upgrade until Apple solves the serious issue, I would hate to have to re-install Outlook...

    I can send e-mails just fine with apple mail on yosemite...
    Might not be a generic problem but rather a personal problem..
    You should try find a fix rather than waiting on apple.
    Hopefully somebody can help you out.
    More than happy to help with your settings/preference pain... And compare mine with yours...
    If you send some screenshots... I can send you my equivalent... So maybe you can figure it out.
    Is it a gmail or icloud email acount? Can be of more help if it is.

  • Sending Emails From Emailing List Delayed or not sent

    Sent emails often do not save in drafts or sent folder. In last emailing I sent email to myself. It has not arrived yet, so it is being delayed for some reason??
    Thanks
    B.C

    newstead wrote:
    Hi everyone, I am new here but a btinternet customer for a good while. I have been quite happily sending emails from outlook to both other btinternet email addresses and a variety of non bt emails. all of a sudden on Thursday, they stopped being received by the recipient. The send/receive process seems to work (visually) and the logs and outbox show they have been sent - but nothing is received at the other end.
    I have not touched any settings etc, so what could be the problem?
    Looking to find out if there is anything I can do at my end or whether BT needs informing (though I cannot see who to contact).
    Yours in anticipation,
    Mark
    Hi Mark.
    Is this still a problem ?
    Was the problem to all of your recipients, or just one or two ?
    http://www.andyweb.co.uk/shortcuts
    http://www.andyweb.co.uk/pictures

  • "delay" message when sending emails

    hey.
    since ive upgraded to Ios4 on my 3Gs, my hotmail account is refusing to send emails to a yahoo group.
    before the upgrade i could send emails from my phone to the yahoo group without any problems.
    the phone says the email has been sent, then a few hours later i get an email from hotmail stating the email has been "delayed". then a few more hours later i get another email from hotmail stating the email has "failed", only on my phone.
    i can receive emails from the yahoo group and send/receive to any other email address's, just can not send to yahoo groups from my phone.
    i can send emails to the yahoo groups via my computer through the same hotmail account. so im down to blaming the phone and the new update, up to now.
    i have deleted my email account on my phone and reactivated it, same problem.
    the settings are all correct to receive and send mail on my phone, pop3 and smtp lines and ports.
    tried searching on google and here about this problem, but it dosnt seem to be a common issue.
    if anyone has any ideas or knows how to fix this problem, would be greatly appreciated.
    thanks.

    Exactly the same thing happens to me. I newly bought an iPhone and have never used iOS3. I started using it with iOS4 and I can reply messages of yahoogroups only from MSN Messenger app. I hate to do that. Can anybody solve this problem?

  • Delay or schedule sending email messages Hosted Exchange Outlook 2013

    Hello,
    Hopefully I am posting this question in the right place.
    We have a user that is trying to delay a message to a different user. The problem is that if the original user who is trying to delay the message closes outlook the delayed message will not go out to the intended recipient.  I did notice the KB for
    office:
    https://support.office.com/en-us/article/Delay-or-schedule-sending-email-messages-ea346137-e1e2-4ec4-a77b-1522b75b15d1?ui=en-US&rs=en-US&ad=US
    And it does state that "If you are using a POP3 or IMAP account, Outlook must remain open until the message is sent"
    My question is,
    We actually have a hosted exchange account with outlook. is that the same as pop3/imap accounts therefore the outlook client needs to stay open?
    Will the delay option work in OWA?
    What about rules set in outlook to forward to other individuals, does outlook the application have to stay open?
    Thanks all for any help/feedback

    Hi,
    For your first question, delayed delivery options are client side in cached mode and server side in online mode. So, when using
    Cached Exchange Mode, Outlook must be connected and open at the assigned delivery time for the delayed delivery message to be sent. If you are using
    Online Mode, then you don't need to leave Outlook running.
    As far as I know, we don't have the same delayed delivery option in OWA. And also, only rules can be created for
    incoming emails with Outlook Web App, therefore a rule to set a delay on outgoing email is not possible.
    For the rule to forward an incoming email automically, you'll have to use the "defer" rule, but as far as I know, it's a client-only rule, will only process when Outlook is running.
    Regards,
    Ethan Hua
    TechNet Community Support
    It's recommended to download and install
    Configuration Analyzer Tool (OffCAT), which is developed by Microsoft Support teams. Once the tool is installed, you can run it at any time to scan for hundreds of known issues in Office
    programs.

  • Can't send emails. The server response was: 1060208403.

    Nobody in my office can send emails today. All eight of us can access the Internet and send emails normally on our computers.
    When attempting to send a message I get the following error message:
    Cannot send message using the server mail.ourserver.org
    The server response was: 1060208403
    We are using Port 26 to send email.
    Our web/email host did not find any issue with the mail server or with our account. They suggested it's a problem with our mail client.
    Any ideas?

    It would appear somebody needs to connect into your network and/or your client system(s), and to dig around.
    So there are presently eight separate systems have eight separate cases of the same problem, and your email vendor says it is a client issue?
    Ok; that would not be my first guess here.
    An initial suspicion would involve hardware common to all of the client systems. At your network, wireless, router(s) or switch(es) and/or at your firewall. At the connection with your network and the rest of the Internet.
    And a look at the email vendor and the vendor's server(s), since the vendor is also common to all eight clients here.
    Has anyone been working with your DNS, firewall or other such? (I'm going to assume not, but it is worth a mention.)
    Use of port 26 is odd. I'd expect port 25 or port 587. Can you confirm that port? Port 25 is comparatively unusual for sending email of late; many entities now use 587.
    Are you running a local email server? If so, that could be having an issue. I'd expect to see a local SMTP email server connect to the next SMTP server via port 25 or potentially via 587.
    Can the clients make connections to other networks and servers; are other web servers and sites accessible? If so, that tends to rule out the common pieces of hardware; hunks such as the firewall and the Internet connection.
    There's no obvious translation of that specified error code; that's not an SMTP error, nor is it visible anywhere on the 'net. It may well be something from the client, or something from the network somewhere.
    Here is Thunderbird troubleshooting information, which might give you some ideas of where to look here (even though you're probably using Mail.app):
    http://kb.mozillazine.org/Cannotsendmail
    If you have an email server running locally, the spectrum of potential problems becomes rather larger.

  • Delays sending Emails

    Are any of you still experiencing delays sending emails? I was told 4/22/15 that Eloqua is currently experiencing a delay with Email Sending from the Pod 1 instances with delays upwards of two hours. I don't even know what a Pod 1 instance is- sounds like Invasion of the Body Snatchers. Can someone share some wonderful knowledge or share any delay stories?

    I agree.....it does sound like Invasion of the Body Snatchers or something.  I don't have an answer to your delay question but I can tell you about the pod stuff.  In the Resource Center you can find the information about when the releases are rolled out.  They do it in phased approaches to POD1, POD2, and POD3.
    To find out which POD you are on:
    Log into Oracle Eloqua.
    Note the URL in your browser after you have logged in successfully.
    Refer to the table below to determine which POD you are on:
    Browser URL when logged into Oracle Eloqua
    POD
    www02.secure.eloqua.com/
    POD2
    secure.p03.eloqua.com/
    POD3
    secure.eloqua.com/
    POD1
    Mine shows like this in my browser.  I am in POD3.
    Hope that helps a little!

  • Refurbished MacBook Pro Mail app sends email responses to the previous owner

    I bought my MacBook Pro refurbished about two years ago, and noticed recently that when I send emails through the Mail app, I don't get the responses. I quickly found out that, when I send emails through Mail, it sends under the email of my MacBook's previous owner, and so when people respond to these emails, they get sent to her.
    I tried looking it up and I can't find anyone who's had a similar problem.
    Also, just to rule out one option, when I go to edit the accounts in Mail, I have the mailbox under my email address. Could it be something with my Apple ID?Has this happened to anyone else?

    I doubt you want just a pig-pile in your inbox.
    Create categories like Taxes, Services, Friendly correspondence, Online Orders, Apple Discussions. Move the emails into the folders and they survive on your Mac.

Maybe you are looking for

  • How can I reset my security questions?

    In January 2012, I bought an iPod Touch 4th Generation, and used it about a year and a half. During this time, I got quite a few gift cards from family members, but I never really used the money, even though I redeemed it. Due to some misunderstandin

  • Error while creating new item in SharePoint List

    Hi, I have requirement to use cascading dropdown, I just created all the steps which are explained in the below URL http://spcascade.org/. But i am getting Debug message Error: "Error pulling data from list" and "try setting spWebUrl to appropriate S

  • How to embed a flash video player in iWeb?

    I'm using this open source video player: http://www.jeroenwijering.com/extras/readme.html#installing I've customized it here: http://www.perlstrax.com/alexanderperls_musicvideos/flvplayer.html I'm trying to imbed it in an iWeb page using the "HTML Sn

  • MacBook Core 2 Duo Problems

    I just got it on Thursday, It keeps becoming unresponsive and then sometimes it would turn black and not turn back on and I had to use the Command, Option, P, R I am doing a restore on it using the preserve settings. Has anyone had these problems and

  • Could not login as Administrator in bi analytics 10.1.3.4.1

    hi... When i try to login as Administrator in BI Analytics, then the below issue appears: Path not found (/shared/DB Reports/_portal/Prod Reports/dashboard layout) Error Details Error Codes: U9KP7Q94 Every services are up, also the login page is comi