Email being sent multiple times when actions are triggered after creating an incident. Anyone has a resolution?

Email being sent multiple times (3 times) when actions are triggered after creating an incident.
Below is the snip of "Scheduled Actions" of the created Incident.

Hi Ritesh
Email is triggered based upon conditions and you set
on closer look it is 3 different email on three 3 different requirement for e.g
email triggered to reporter on new status
email trigerred to processor on Proposed solution and New status
Therefore, check the start condition for above 2 email actions and refer below blog
Sending E-Mail from Support Message
Thanks
Prakhar

Similar Messages

  • Picture "mms" email sent multiple times when sending to another phone

    I sent a picture using gmail to a friend's cell phone (Verizon) to [email protected] so they can get is as an MMS text. They received the message, but about a day or two later they received the message again about 15 times. I went into my sent folder and deleted the message and that seemed to stop it from being sent. This has happened multiple times. Anyone know why it would be doing this? Hopefully MMS will be added in a future update it would make it so much easier to send and receive pics.

    Not sure why and although I've done this only a few times, I have not experienced the same but I haven't used a Gmail account for this. Do you access another email account on your iPhone besides your Gmail account? If so, try using another account for sending all MMS via email to see if the same occurs.

  • Default button being clicked multiple times when enter key is pressed

    Hello,
    There seems to be a strange difference in how the default button behaves in JRE 1.4.X versus 1.3.X.
    In 1.3.X, when the enter key was pressed, the default button would be "pressed down" when the key was pressed, but wouldn't be fully clicked until the enter key was released. This means that only one event would be fired, even if the enter key was held down for a long time.
    In 1.4.X however, if the enter key is pressed and held for more than a second, then the default button is clicked multiple times until the enter key is released.
    Consider the following code (which is just a dialog with a button on it):
    public class SimpleDialog extends JDialog implements java.awt.event.ActionListener
    private JButton jButton1 = new JButton("button");
    public SimpleDialog()
    this.getContentPane().add(jButton1);
    this.getRootPane().setDefaultButton(jButton1);
    jButton1.addActionListener(this);
    this.pack();
    public void actionPerformed(ActionEvent e)
    if (e.getSource() == jButton1)
    System.out.println("button pressed");
    public static void main(String[] args)
    new SimpleDialog().show();
    When you compile and run this code under 1.3.1, and hold the enter key down for 10 seconds, you will only see one print line statement.
    However, if you compile and run this code under 1.4.1, and then hold the enter key down for 10 seconds, you will see about 100 print line statements.
    Is this a bug in 1.4.X or was this desired functionality (e.g. was it fixing some other bug)?
    Does anyone know how I can make it behave the "old way" (when the default button was only clicked once)?
    Thanks in advance if you have any advice.
    Dave

    Hello all,
    I think I have found a solution. The behaviour of the how the default button is triggered is contained withing the RootPaneUI. So, if I override the default RootPaneUI used by the UIDefaults with my own RootPaneUI, I can define that behaviour for myself.
    Here is my simple dialog with a button and a textfield (when the focus is NOT on the button, and the enter key is pressed, I don't want the actionPerformed method to be called until the enter key is released):
    package focustests;
    import java.awt.*;
    import javax.swing.*;
    import java.awt.event.*;
    import java.util.*;
    public class SimpleDialog extends JDialog implements java.awt.event.ActionListener
    private JButton jButton1 = new JButton("button");
    public SimpleDialog()
    this.getContentPane().add(new JTextField("a text field"), BorderLayout.NORTH);
    this.getContentPane().add(jButton1, BorderLayout.SOUTH);
    this.getRootPane().setDefaultButton(jButton1);
    jButton1.addActionListener(this);
    this.pack();
    public void actionPerformed(ActionEvent e)
    if (e.getSource() == jButton1)
    System.out.println("button pressed");
    public static void main(String[] args)
    javax.swing.UIManager.getDefaults().put("RootPaneUI", "focustests.MyRootPaneUI");
    new SimpleDialog().show();
    and the MyRootPaneUI class controls the behaviour for how the default button is handled:
    package focustests;
    import javax.swing.*;
    * Since we are using the Windows look and feel in our product, we should extend from the
    * Windows laf RootPaneUI
    public class MyRootPaneUI extends com.sun.java.swing.plaf.windows.WindowsRootPaneUI
    private final static MyRootPaneUI myRootPaneUI = new MyRootPaneUI();
    public static javax.swing.plaf.ComponentUI createUI(JComponent c) {
    return myRootPaneUI;
    protected void installKeyboardActions(JRootPane root) {
    super.installKeyboardActions(root);
    InputMap km = SwingUtilities.getUIInputMap(root,
    JComponent.WHEN_IN_FOCUSED_WINDOW);
    if (km == null) {
    km = new javax.swing.plaf.InputMapUIResource();
    SwingUtilities.replaceUIInputMap(root,
    JComponent.WHEN_IN_FOCUSED_WINDOW, km);
    //when the Enter key is pressed (with no modifiers), trigger a "pressed" event
    km.put(KeyStroke.getKeyStroke(java.awt.event.KeyEvent.VK_ENTER,
    0, false), "pressed");
    //when the Enter key is released (with no modifiers), trigger a "release" event
    km.put(KeyStroke.getKeyStroke(java.awt.event.KeyEvent.VK_ENTER,
    0, true), "released");
    ActionMap am = SwingUtilities.getUIActionMap(root);
    if (am == null) {
    am = new javax.swing.plaf.ActionMapUIResource();
    SwingUtilities.replaceUIActionMap(root, am);
    am.put("press", new HoldDefaultButtonAction(root, true));
    am.put("release", new HoldDefaultButtonAction(root, false));
    * This is a copy of the static nested class DefaultAction which was
    * contained in the JRootPane class in Java 1.3.1. Since we are
    * using Java 1.4.1, and we don't like the way the new JRE handles
    * the default button, we will replace it with the old (1.3.1) way of
    * doing things.
    static class HoldDefaultButtonAction extends AbstractAction {
    JRootPane root;
    boolean press;
    HoldDefaultButtonAction(JRootPane root, boolean press) {
    this.root = root;
    this.press = press;
    public void actionPerformed(java.awt.event.ActionEvent e) {
    JButton owner = root.getDefaultButton();
    if (owner != null && SwingUtilities.getRootPane(owner) == root) {
    ButtonModel model = owner.getModel();
    if (press) {
    model.setArmed(true);
    model.setPressed(true);
    } else {
    model.setPressed(false);
    public boolean isEnabled() {
    JButton owner = root.getDefaultButton();
    return (owner != null && owner.getModel().isEnabled());
    This seems to work. Does anyone have any comments on this solution?
    Tjacobs, I still don't see how adding a key listeners or overriding the processKeyEvent method on my button would help. The button won't receive the key event unless the focus is on the button. There is no method "enableEvents(...)" in the AWTEventMulticaster. Perhaps you have some code examples? Thanks anyway for your help.
    Dave

  • Received emails being marked as read when they are unread!

    Since downloading the ios7 update on my iphone 5s I have had an issue with my emails. I have two accounts (both yahoo) linked my phone which I use for business. Therefore receiving emails is of the utmost importance. Basically what happens is this. I will receive a tone to say I have an incoming email. When I look at the home screen it may show as an example that I have 2. However, when I click into the email icon on the home screen to read the incoming mail it shows many more received earlier that I was notified if and they are shown as read. I spoke to apple about this several weeks ago and they advised me to reset my phone, which I did. It fixed the problem but now several weeks later it has come back. Can anyone help as apple have no clue as to how this happening. It is getting to the point where I am losing business as clients email me to say they sent a mail several days previously which clearly I have missed. I don't have this problem with my ipad - the emails are working perfect on that.

    Sounds like you both have the same messed up add on. Try restarting Thunderbird with the add ons disabled and see if things go back to normal.
    You can do this from the Help Menu.

  • C# Constructo​r being called multiple times when I run my VI

    Hi all,
    We are runing LabVIEW 8.51 in the lab and have been using a bodged together C++ DLL which was crude but got the job done. Now looking at rewriting it in C# to make it easier to maintain and support long term.
    Ive got the C# DLL appearing in Labview and can happily call my test functions from the VI to prove both the DLL inputs and outputs are working fine (the simple input a number, add 1 and return result type of code).
    However, this DLL will end up managing a Serial port connection so the contstructor must only be called once as its responsible for making my .net serial port object. Ive added a text log message in the constructor and have found that just running the VI is causing the constructor to be called at least 5 times a second. There is no user input causing this....just running the VI.
    Both VI and C# source is attached.
    Any ideas folks? Im a complete newbie at LabVIEW having taken this on from another developer.
    The VI is in \Release and this is where the Log file is generated.
    Mat
    Attachments:
    Bus Pirate LabVIEW.zip ‏78 KB

    Ummmm.. yes, loop. That big thing gray rectangle that surrounds your code. Have you done any LabVIEW tutorials? That isn't even a LabVIEW question, but a basic programming question.
    To learn more about LabVIEW it is recommended that you go through the introduction material, tutorial(s), and other material in the NI Developer Zone's Learning Center which provides links to other materials and other tutorials. There are also several Technical Resources. You can also take the online courses for free.

  • Cairo-dock being spawned multiple times when clicking 'home' icon?

    Hi all,
    Not sure if any other cairo-dock users experience this, sometimes another instance of cairo-dock will launch seemingly out of nowhere. I've seen this for a couple of weeks but never been able to correlate it with any particular thing I've been doing. The only way I realize is that when I've got my mouse moving over the dock there's my animated dock and another static copy behind (which isn't animated since it doesn't have focus). Quitting the first dock just leaves the 2nd fully functional one in its place.
    EDIT: mandog isolated the cause.
    Last edited by ngoonee (2010-11-01 16:35:32)

    This was happening to me when I was using Xfce. I had cairo dock at autostart but it was also starting because of Xfce's weird session saving option.
    Last edited by z0id (2010-11-01 13:50:34)

  • Workitems and Mail Notifications being sent multiple times.

    Hi,
    There are two issues with our WF development:
    1. An approver is receiving a mail notification and WF Decision item TWICE. On analyzing, we found out that the "Requested End" tab of the Decision task had an entry of 2 mins (Work item creation).
    Guidance needed on whether this would resolve the issue or is there a different solution.
    2. On trying to execute a decision for a WF item, an error msg is shown, "You are not a receiver of the work item" and does not allow to proceed with the decision. What could be the issue??
    Regards,
    Vipul.

    Hello,
    What happens is, till your workflow duration is on, you will receive reminder mails.
    So to avoid this, you need to increase all the duration steps to be equal to duration of of the workflow what you define in the Start step.
    Also please explain your decision work flow logic,
    Regards,
    Abhishek

  • Someone PLEASE tell me how to turn off the community emails being sent to my email. there are hundreds of them

    SOMEONE PLEASE TELL ME HOW TO TURN OFF THE COMMUNITY EMAIL BEING SENT TO ME. THERE ARE THOUSANDS IN MY EMAIL. I HAVE TO SPEND HOURS DELETING THEM. SOMEONE PLEASE TELL ME HOW TO TURN IT OFF!! PLEASE HELP ME! THANK-YOU
    <Email Edited by Host>

    Follow these instructions
    https://discussions.apple.com/static/apple/tutorial/email.html

  • On Execute operation, the bean getter is being called multiple times

    Hi,
    I have a JCR data control, i am trying to write a method that returns predicate, but this method is being called multiple times, when executing the advanced search operation.
      public List<Predicate> getPredicates() {
      ArrayList<Predicate> predicates = new ArrayList<Predicate>();
       // predicates.add(new Predicate("jcr:content/idc:metadata/idc:xScope",Operator.EQUALS,"GLOBAL"));
      DCBindingContainer bc=(DCBindingContainer)BindingContext.getCurrent().getCurrentBindingsEntry();
      JUCtrlListBinding attrBinding=(JUCtrlListBinding)  bc.findCtrlBinding("StateId");
      Object stateId= attrBinding.getSelectedValue();
      if(stateId instanceof Row){
      predicates.add(new Predicate("jcr:content/idc:metadata/idc:xState"
      , Operator.EQUALS
      ,((Row)stateId).getAttribute("StateId").toString()));
      attrBinding=(JUCtrlListBinding)  bc.findCtrlBinding("DistrictId");
      Object districtId=attrBinding.getSelectedValue();
      if(districtId instanceof Row){
          predicates.add(new Predicate("jcr:content/idc:metadata/idc:xDistrict",Operator.EQUALS,((Row)districtId).getAttribute("DistrictId").toString()));
        attrBinding=(JUCtrlListBinding)  bc.findCtrlBinding("Scope");
        Object scopeId=attrBinding.getSelectedValue();
        if(scopeId instanceof Row){
            predicates.add(new Predicate("jcr:content/idc:metadata/idc:xScope",Operator.EQUALS,((Row)scopeId).getAttribute("ScopeType")));
        AttributeBinding tempAttrBinding=(AttributeBinding)bc.findCtrlBinding("CreatedDate");
        Object createdDate=tempAttrBinding.getInputValue();
        if(createdDate!=null){
            predicates.add(new Predicate("jcr:content/jcr:created",Operator.EQUALS,createdDate.toString()));
        if (predicates.size()>0){
          return predicates;
      return Collections.emptyList();
      } The problem is while it's being called multiple times different list's are being returned which is causing the method not to work . The bean is in pageFlowScope .

    That is bc ADF life cicle... Is always executing 2 times...

  • Simple Event being Displayed Multiple Times

    I have a simple event from the past that is being displayed multiple times. There are no other UIDs that are the same in iCal and no other event has the same SUMMARY name.
    This particular event shows up 9 times. I can also reproduce the result from Automator by searching the specific calendar and looking for events in the date range.
    The event is as follows:
    BEGIN:VCALENDAR
    VERSION:2.0
    PRODID:-//Apple Inc.//iCal 3.0//EN
    CALSCALE:GREGORIAN
    BEGIN:VEVENT
    SEQUENCE:5
    TRANSP:OPAQUE
    UID:EC6F5DBC-9BCC-4007-87F2-4A9C796C8551
    DTSTART:20070330T000000
    DTSTAMP:20071206T205550Z
    SUMMARY:Babysit Paul
    CREATED:20080919T173959Z
    DTEND:20070401T120000
    END:VEVENT
    END:VCALENDAR
    I am not very familiar with the format but it looks pretty straight forward.
    The calendar is being synched via Mobile Me and is shared by another two computers. Not sure why this should be relevant since the entry on the computer and on Mobile Me both show this duplication of the event.
    The reason I was looking at all was because of the hangs in iCal since I set the sync to automatic.
    Any ideas welcome,
    Richard

    Post Author: foghat
    CA Forum: Data Connectivity and SQL
    If all the records you are displaying in your report
    truly are duplicated, you could try check off 'select distinct records'
    from the File --> Report Options menu.  While this may solve the problem for you, it would be worthwhile to determine if you are actually joining your tables correctly.
    likely the records aren't an exact duplicate and the problem is with your join criteria.  To verify this you can:  start by removing table b from the database expert altogether.  does
    that solve your problem of multiple rows?  If it does, you are not joining to table b correctlyIf you still have
    multiple rows, loan_id on its own must not make a record unique.  Is
    loan_id duplicated in either of your tables?  Just because loan_id is a
    primary key does not necessarily mean it is unique - often a record
    will have 2 or more primary keys and only when all primary keys are
    used is the record unique.   If you display all of the columns
    from both tables, you will hopefully see some (maybe just one) columns
    where the value is different between your seemingly duplicate data.
    You may need to join on this value as well.as for the type of join you are using (inner, not enforced) you should be fine. Good luck

  • Asked to enter PIN multiple times when sending Digitally Signed emails

    Hey everyone, I have been having a very difficult time trying to figure out why my co-workers and myself are being asked to enter our PIN multiple times when digitally signing emails.  My co-workers are looking to me for a solution, however
    I just cannot seem to find any information on as to why this is happening.  Could anyone possibly shed some light on why this may be happening?  Thanks in advanced!!! 
    P.S. We are using Outlook 2013

    Hi,
    Let's troubleshoot this issue by the following steps:
    1. Start Outlook in Safe Mode to determine whether it's 3rd-party add-ins related:
    Press Win + R, type "outlook.exe /safe" in the blank box, press Enter.
    If no issue in Safe Mode, disable the suspicious add-ins to verify which on caused the problem.
    2. Go to Control Panel and search for "Manage computer certificates" then open it, find the certificate and right click on it, choose Properties -> under General tab select "Enable all purposes for this certificate" -> Apply ->
    OK.
    3. If you create a new Outlook profile, does this issue persist? A new profile will provide a new environment for the account and it will not remove any information from the old profile. A profile corruption may be the source of this issue.
    How to create and configure email profiles in Outlook
    http://support.microsoft.com/kb/829918/en-us
    Regards,
    Melon Chen
    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.
    Manage computer certificates

  • Prevent an email being sent when claiming a task

    Using the assign task component in WorkBench ES, we initially assign a task to a group rather than an individual. We would like to continue sending the initial email when entering in a task. We would like to stop the email being sent to the user that claims the item. This is because the user needs to click a single button to process the task. By the time they receive the email, they have already processed the item. Any suggestions would be appreciated. - Thank you

    Hi,
    We got the same issue of getting email when the user claim the task which is confusing the user.
    I saw the issue is corrected/fixed or is helpful, can you please share on how you got it corrected.
    We are still using ES with SP3. We have enabled the Group - Task Assignment and Task Assignment.
    Thanks,
    Han Dao

  • The same email sent multiple times

    I have seen this topic a few times but as yet have not read an answer to the issue. It appears that occassionally an email will be sent multiple times to the same recipient. This is very annoying for the recipient, but more importantly can become very expensive if this is happening whilst roaming. Does this only happen if the signal is poor at the point of sending? Replies welcomed.

    that is your problem.
    You are saying: run this workflow whenever the incident is updated with the sole criteria that the incident has the status resolved.
    What is happening is then that the workflow runs the first time and applies the template. This updates the incident which then triggers the workflow. This goes on until one of the runbooks has updated the incident to status closed. Then the criteria is no
    longer true.
    change the changed from to include the criteria
    status NOT EQUAL resolved.
    http://codebeaver.blogspot.dk/

  • Unable to email photos, receive a statement that the server does not recognize my username and or password, have checked multiple times that these are correct

    I am unable to e-mail  photos, receive a statement saying that the werever does not recognize my username and or password. I have checked multiple times and these are correct.

    The box comes up that says "server does not recognize username or password".
    That error message usually will pop up, when there is a conflict between the "From" setting for the mail account you are sending from and the selected outgoing mail server. Probably the outgoing Mail server is receiving a user name and password it does not understand. When the mail returns unsent, do you see the "Try again" panel with the option to select a different outgoing mail server?
    If you do not see this panel, change the Mail "Preferences > General" to "If Outgoing server is unavailable: Show a list of alternate servers". This way, you will know, which server Mail is trying to send from.
    Have you tried to set "From"  pop-up menu to one of your other email addresses?  If that works, change your settings in Mail to always send from this address. You can set this option in the Mail "Preferences > Composing: Send New Messages from". I have my "Send New Messages from" set to "iCloud". That is working best for me with iPhoto.

  • There are unauthorised emails being sent from my emails accounts. This started recently following my iOS update to 5.0.1. Is this an iCloud hacking issue?

    There appears to be emails being sent out to random contacts from my shared address book with dubious content none of which were sent by me. I believe this was sent by unauthorised hacker from iCloud as the contacts are not even in my personal contact list, but came from my wife's contact list which have been shared via iCloud. Is there security breach issue with iCloud?

    I have the same situation (there seems to be lots of emails sent through my Icloud account. I don't see those emails in my "sent" folder, but I can see plenty of email (Chinese spam emails) bounced back into my account stating that I have exceded the sending limits. I cannot send anything either from my account (of course, the sending limit is alwasy exceeded). I have also changed twice my password, but the issue remains.
    Any clues?
    I am really surprised at this. I was from the begining with .Mac, and never had any issue during all these years. This is now with Icloud, which should be safer and better  :-(

Maybe you are looking for