Is this a bug in Mail's undo/redo?

I've been experiencing an annoying bug in Apple Mail for quite some time now, probably since the early Tiger releases. It was such a blatant bug that I was sure it would be fixed by now, but since it hasn't, I'm wondering if I'm the only one affected by it. (Maybe a plugin is causing it? I don't know.) Could someone please tell me if you can reproduce this bug?
For me, the bug is easy to reproduce. All I need to do is type an email, then Undo two or three times, then Redo two or three times. For example:
1. File > New Message
2. Click in the body of the new message
3. Type "This is buggy."
4. Hit Option+Left
5. Type "very " (note the trailing space)
6. Hit Option+Right
7. Type " software" (note the leading space)
8. Hit Command+Z three times.
9. Hit CommandShiftZ three times.
10. Repeat steps 8 and 9 several times.
At this point, the text I typed is all mixed up. (It shouldn't be, because redoing and undoing the same number of times should put the text back as it was.)
Is anyone else seeing this?

You're welcome.
The feedback site has an option specifically for reporting bugs, so it shouldn't matter. I didn't mention bugreport.apple.com because it requires ADC membership, which although free, is a nuisance having to register just to report a bug. If you're already registered as an ADC member, bugreport.apple.com would also be appropriate, indeed.

Similar Messages

  • Keybindings for undo/redo buttons.

    I thought I knew how to do this, and I do seem to have this working fine for cut/copy/paste/select all keybindings CTRL X/C/V/A respectively.
    However I tried to do this for CTRL X and Y undo/redo and it's not working as I intended. Can anyone see what I'm doing wrong?
    I created a SSCCE based off the original example I was following from: [http://www.java2s.com/Code/Java/Swing-JFC/Undoredotextarea.htm]
    import java.awt.BorderLayout;
    import java.awt.GridLayout;
    import java.awt.event.ActionEvent;
    import java.awt.event.ActionListener;
    import java.awt.event.KeyEvent;
    import java.awt.event.KeyListener;
    import javax.swing.JButton;
    import javax.swing.JFrame;
    import javax.swing.JPanel;
    import javax.swing.JScrollPane;
    import javax.swing.JTextArea;
    import javax.swing.KeyStroke;
    import javax.swing.event.UndoableEditEvent;
    import javax.swing.event.UndoableEditListener;
    import javax.swing.undo.CannotRedoException;
    import javax.swing.undo.UndoManager;
    public class UndoRedoTextArea extends JFrame implements KeyListener{
        private static final long serialVersionUID = 1L;
        protected JTextArea textArea = new JTextArea();
        protected UndoManager undoManager = new UndoManager();
        protected JButton undoButton = new JButton("Undo");
        protected JButton redoButton = new JButton("Redo");
        public UndoRedoTextArea() {
            super("Undo/Redo Demo");
            undoButton.setEnabled(false);
            redoButton.setEnabled(false);
            JPanel buttonPanel = new JPanel(new GridLayout());
            buttonPanel.add(undoButton);
            buttonPanel.add(redoButton);
            JScrollPane scroller = new JScrollPane(textArea);
            getContentPane().add(buttonPanel, BorderLayout.NORTH);
            getContentPane().add(scroller, BorderLayout.CENTER);
            textArea.getDocument().addUndoableEditListener(
                new UndoableEditListener() {
                    public void undoableEditHappened(UndoableEditEvent e) {
                        undoManager.addEdit(e.getEdit());
                        updateButtons();
            undoButton.addActionListener(new ActionListener() {
                public void actionPerformed(ActionEvent e) {
                    try {
                        undoManager.undo();
                    } catch (CannotRedoException cre) {
                        cre.printStackTrace();
                    updateButtons();
            undoButton.addKeyListener(this);
            redoButton.addKeyListener(this);
            redoButton.addActionListener(new ActionListener() {
                public void actionPerformed(ActionEvent e) {
                    try {
                        undoManager.redo();
                    } catch (CannotRedoException cre)  {
                        cre.printStackTrace();
                    updateButtons();
            setSize(400, 300);
            setVisible(true);
        public void updateButtons() {
            undoButton.setText(undoManager.getUndoPresentationName());
            redoButton.setText(undoManager.getRedoPresentationName());
            undoButton.setEnabled(undoManager.canUndo());
            redoButton.setEnabled(undoManager.canRedo());
        public static void main(String argv[]) {
            new UndoRedoTextArea();
        public void keyPressed(KeyEvent e){
            if (e.equals(KeyStroke.getKeyStroke
                (KeyEvent.VK_Z, InputEvent.CTRL_DOWN_MASK))){
                // undo
                try {
                    undoManager.undo();
                } catch (CannotRedoException cre)  {
                    cre.printStackTrace();
                updateButtons();
            else if (e.equals(KeyStroke.getKeyStroke
                    (KeyEvent.VK_Y, InputEvent.CTRL_DOWN_MASK))){
                // redo
                try  {
                    undoManager.redo();
                } catch (CannotRedoException cre) {
                    cre.printStackTrace();
                updateButtons();
        public void keyTyped(KeyEvent e){}
        public void keyReleased(KeyEvent e){}
    }Edited by: G-Unit on Oct 24, 2010 5:30 AM

    camickr wrote:
    So the way I posted in the second lump of code OK (3rd post) or did you mean something different? Why did you set the key bindings? Did I not state they would be created automatically? I think you need to reread my suggestion (and the tutorial).Because I don't get it, it says only Menu items can contain accelerators and buttons only get mnemonics. I'm not using menu items here, I only have a text pane and 2 buttons. So I set the actions for the InputMap in TextPane. For the buttons, I pretty much used the small bit of code using undoManager.
    I tried to set KEYSTROKE constructor for the action and simply add them to the buttons that way, but this didn't seem to have any response.
    Also I don't get how this could happen anyway if the TextPane has the focus.
    Not like the example using MNEMONICS.
        Action leftAction = new LeftAction(); //LeftAction code is shown later
        button = new JButton(leftAction)
        menuItem = new JMenuItem(leftAction);
    To create an Action object, you generally create a subclass of AbstractAction and then instantiate it. In your subclass, you must implement the actionPerformed method to react appropriately when the action event occurs. Here's an example of creating and instantiating an AbstractAction subclass:
        leftAction = new LeftAction("Go left", anIcon,
                     "This is the left button.",
                     new Integer(KeyEvent.VK_L));
        class LeftAction extends AbstractAction {
            public LeftAction(String text, ImageIcon icon,
                              String desc, Integer mnemonic) {
                super(text, icon);
                putValue(SHORT_DESCRIPTION, desc);
                putValue(MNEMONIC_KEY, mnemonic);
            public void actionPerformed(ActionEvent e) {
                displayResult("Action for first button/menu item", e);
        }This is what I attempted. No errors... It just doesn't work.
    public JPanel p()
        undoButton.addActionListener(new UndoAction(KeyStroke.getKeyStroke(KeyEvent.VK_Z, Event.CTRL_MASK)));
        panel.add(undoButton);
        return panel;
    private class UndoAction extends AbstractAction
         public UndoAction(KeyStroke keyStroke)
              putValue(ACCELERATOR_KEY, keyStroke);
         private static final long serialVersionUID = 1L;
         public void actionPerformed(ActionEvent e)
              try
                   if (undoManager.canUndo())
                        undoManager.undo();
              catch (CannotRedoException cre)
                   cre.printStackTrace();
              updateButtons();
    }Edited by: G-Unit on Oct 25, 2010 8:32 AM

  • Mail does not create new emails based on the highlighted mailbox, but rather the receiving mailbox of whatever individual email happens to be highlighted. This was not the case prior to Lion. Is this a bug or an error on my part?

    Mail does not create new emails based on the highlighted mailbox, but rather according the receiving mailbox of whatever individual email happens to be highlighted. This was not the case prior to Lion. Is this a bug or an error on my part? (I do have the setting for creating new emails from the highlighted mailbox checked.)

    The questions about time was not only because of thinking about the Time Machine, but also possible impact on recognizing which messages remaining on a POP server (doesn't apply to IMAP) have been already downloaded. In the Mail folder, at its root level, in Mail 3.x there is a file named MessageUidsAlreadyDownloaded3 that should prevent duplicate downloading -- some servers may not communicate the best with respect to that, and the universal index must certainly be involved in updating that index file. If it corrupts, it can inhibit proper downloading. However, setting the account up in a New User Account and having the same problem does not point that way, unless your POP3 server is very different from most.
    That universal index is also typically involved when messages are meant to be moved from the Inbox to another mailbox -- in Mail 3.x the message does not move, but rather is copied, and then erased from the origin mailbox. That requires updating the Envelope Index to keep track of where the message is, and should keep track of where it is supposed to have been removed after the "Move".
    Ernie

  • Load remote images in html mail setting does not get saved. I have to turn it off every time I log in. Is this a bug?

    Load remote images in html mail setting does not get saved. I have to turn it off every time I log in. Is this a bug?

    Plug your phone into the wall charger for at least 30 minutes...make sure you have a sim card in the phone...then:
    Leave the USB cable connected to your computer, but NOT your phone, iTunes running, press & hold the home button while connecting the USB cable to your dock connector, continue holding the home button until you see “Connect to iTunes” on the screen. You may now release the home button. iTunes should now display that it has detected your phone in recovery mode, if not quit and reopen iTunes. If you still don’t see the recovery message repeat these steps again. iTunes will give you the option to restore from a backup or set up as new.
    Make sure you have no anti-virus software running or any firewalls...turn all of that stuff off.

  • Multiple Mail Forwards not marked-is this a bug?

    This week I noticed, almost by mistake, that users can combine multiple inbox messages into one forward. That's a handy, Good Thing.
    For instance, if I have two replies to a question I sent to someone, and I want to forward both to someone else, I highlight both replies in the message list pane, click forward, and a new message window comes up with both messages quoted in the new message. Still, good.
    But after sending, the curvy arrow forwarded mail icon does not appear next to the two messages, as it would if I forwarded them in two separate emails. Not good.
    Is this a bug? is there a way to make the combined forwards reflect that they've been forwarded?
    Thanks!
    dave

    It does not look like timezone issue because of '-u' option for 'date'.
    From "man date" (GNU coreutils 8.5 February 2011):
    %W     week number of year, with Monday as first day of week (00..53)
    However I get:
    date -u +%W
    00
    Good that
    info coreutils 'date invocation'
    has valuable addition:
    Days in a new year preceding the first Monday are  in week zero.
    So, it registration does not calculate correct week number. They probably do not use posted expression, or their tool uses is of different version. Probably this issue happens only at the beginning of new year before first Monday.
    Still this could be a hidden quiz for new users...

  • Is this a bug of Outlook 2007 about images displaying in signature?

    I've done many tests and researched on website or MS KB. But still got no solution.
    My issue is:
    I make a signature with images linking from website which can be easily accessed.
    I setup this signature in Outlook 2007, when I compose a new mail, and choose the signature I set. It won't show the images with a high percentage rate, meanwhile, I try to get into "Signature"-"Signature...", 
    Outlook2007 gets stuck, then you can not close Outlook or open Internet Explorer unless you kill the process of OUTLOOK.exe.
    1. Test are done under a clean XP system and Office 2007 standard fresh installed. Also there are some other staffs who help me test the signature that report the same issue on Office 2007.
    2. Images are rendered in 96dpi. They are all in very small size stored on website, can be easily accessed without network connctivity problem.
    3. The signature is made by simple HTML language not by Outlook signature setup wizard. but in this case,  you can ignore which method I use to create the signature. The images in signature can be displayed well in Outlook 2003 &
    2010. Also I have tried insert images using "link to file" in Outlook signature setup wizard, got same issue.
    4. Don't suggest me to store the images locally. These images should be updated after a period. You can not ask the company staffs to update these images manually by themselves. and even if the images are stored locally, the images won't be shown
    in Outlook 2007 with a high percentage rate.
    5. I've tried setup signature with or without an account profile, got same issue.
    6. I 've tried without an accout profile, just copy the signature file to Outlook signature folder, unplug the network cable, and "new mail" then load the signature, of course, the images won't be shown because network connection doesn't exist,
    and then when I try to get into "Signature"-"Signature...",  the Outlook interface also gets stuck. So I think Outlook 2007 may have some problem on detecting the network connectivity.
    7. It is not possible to upgrate the version of Office. Since Office 2007 isn't out of date and is powerful enough for us, no one want to pay more money just to avoid this issue.
    I don't know why I cannot upload a screenshot for troubleshooting. If needed. I can send a mail with screenshot attached.
    So far to now, I still get no solution, I think this is a bug of Outlook 2007, because the same signature, there is no problem on Outlook 2003 & 2010. Hope someone of MS staff can see this article and report to technical support center.
    I would appriciate anyone's kindly help but please consider that you understand what I am talking about. I don't want to waste time for each of us.
    thanks in advanced.

    What kind of problem about the display image in signature?
    How do you add the image into the message body when you send the message?
    Does it show correct through Web-based access?
    Outlook 2007 doesn't support some of Style Element, you may reference the link as below:
    http://www.campaignmonitor.com/css/
    Thanks.
    Tony Chen
    TechNet Community Support
    Thanks for your reply,  I know that some Style Elements won't be supported in Outlook, but this is not the reason.
    Please refer to my post previously, I post it but get no response.
    http://social.technet.microsoft.com/Forums/office/en-US/481170b1-f23f-4d46-9914-823326491846/is-this-a-bug-of-outlook-2007-about-images-displaying-in-signature?forum=outlook

  • Is this a bug of ims52?

    first, sorry for my poor english,if any question about the under words , pls tell me, I'll try my best to explain it clear
    there is a matter with my mail server ,that is , for example:
    mail domain: sample.com
    domain name of machine: sample1.com
    if a message from remote server send to my mail server,
    first step,the ims52 would examine domain of the message,if it is sample.com then goto second step,else reject rely
    second step,ims52 would exmaine the local part of address in LDAP to see wheather it is valid,if it is invalid ,the message will be reject to deliver to mailbox
    but I find ,if you send a message which address is [email protected](for example [email protected] is domain name of the machine witch ims52 run on ) to the mailserver which use ims52 , the ims52 would not examine wheather it's domain or local part is valid . the message would deliver between the parter of my mail system util the number of route overflow the number of been allow,at last the file of message would HELD in the queue directory
    I find many mailserver use IMS52 has this question,
    is this a bug of ims52???

    a example:
    my ims52 host in a machine which named mta.test.com , the hostname is mta, the domain name is test.com
    mail domain is sample.com,in this domain ,there are 3 user: a,b,c . then [email protected] , [email protected], [email protected] is valid address,so if a message's address is not [email protected] or [email protected] or [email protected], the mail server will reject it.
    but if you send a message which domain is subdomain of machine to mailserver, such as [email protected] , [email protected] , the mailserver would accept it although the address is invalid
    if there two or more mta in your mail system,the message would deliver between these machine ,at last the message marked with HELD flag,and stay in queue directory

  • A small but very irritating bug in Mail: after pressing the spacebar after typing an apostrophe in a word such as "we're", the cursor moves to the left i.e. backwards, and not to the right, effectively deleting a space and not creating one.

    When composing an email in Mac Mail I've noticed a small but very irritating bug: pressing the spacebar after typing an apostrophe in a word, e.g. "we're", the cursor moves to the left i.e. backwards, and not to the right, effectively deleting a space and not creating one.
    Any ideas?

    I just recreated this problem on my iMac (wired KB, no wireless KB) by changing Mail > Preferences > Composing > Spellcheck from "as I type" to "never". Then type a contraction ending in 're and the space bar causes the cursor to jump back as others have stated, to the spot 'r|e
    Next, I went into System Preferences > Keyboard > Text, and turned off "use smart quotes" and the problem went away again.
    From this point (smart quotes off, spell checking never), if I turn Smart Quotes ON, the problem returns.
    The problem is dependent on the state of both settings.
    The spacebar in Mail "works" if I have either of the following setting combinations:
    Keyboard: smart quotes OFF, Mail: check spelling ANY SETTING
    Keyboard: smart quotes ON, Mail: check spelling AS I TYPE
    Other combinations FAIL
    Keyboard: smart quotes ON, Mail: Check spelling NEVER
    Keyboard: smart quotes ON, Mail: Check Spelling WHEN I CLICK SEND
    Looks to me like there's a bug in Mail > Preferences > Check spelling > NEVER and WHEN I CLICK SEND that interacts badly with Keyboard > Smart quotes ON.
    Thanks.
    Todd Smithgall

  • Bug report: Mail sends messages with empty bodies

    Over the last year, I have experienced a particularly irritating bug in Mail.app at least a dozen times. I finally have a good idea as to what causes it.
    The problem involves long email messages (often with attachments) that end up being sent with blank bodies (and no attachments). Even the copy in the "Sent" folder ends up blank, and several minutes or hours of work vanishes into thin air, not to be seen ever again.
    I finally realized that this bug only occurs when sending mail through our work SMTP server while outside the work firewall, and only as a result of a certain sequence of events. Here is what happens:
    When we connect to our work SMTP server from outside the local network and without going through the VPN, the SMTP server requires password authentication. If the current SMTP selection in Mail.app is the one that does not require authentication, the SMTP server rejects the message. At that point, Mail.app opens the email I am trying to send and brings up a modal dialog that says "Cannot send message using the server xxx.xxx -- The server response was: xxx@xxx relaying prohibited. You should authenticate first." The dialog also presents a drop-down list of SMTP server choices. I choose the password-authenticated version of the server and then click on "Use Selected Server" to send the message.
    This works almost all the time, but on occasion it ends up sending a blank message! If I have a long email, particularly with attachments such as PDFs that are rendered in the body of the message, it takes a few seconds for the mail message to be rendered underneath the modal dialog box. Since I am used to this STMP rejection behavior, sometimes I am too fast to choose another STMP server from the list and click on "Use Selected Server" before the mail message is rendered on screen! The result, invariably, is a blank email message that gets sent.
    I guess what is happening is that when the STMP server rejects the message and hands it back to Mail.app, the message gets copied into a buffer in order to be displayed on screen. Selecting another server and resending it immediately (before the message is copied into the buffer completely) causes the message body to get trashed.
    I hope that this description is adequate for Apple QA folks to replicate and isolate the problem (and hopefully fix it). One solution (although not the most elegant one) would be to disable the "Use Selected Server" action until the message is copied into the buffer and rendered on screen.

    This could be related to another bug reported here recently:
    E-mail looses all images if mail server doesn't accept outgoing email...
    You cannot count on Apple looking into this or even noticing it if you report it here, so I suggest you the same I suggested in the other thread, i.e. report it in one of the following places:
    http://www.apple.com/macosx/feedback/
    http://developer.apple.com/bugreporter/

  • Unwanted deleting from server - is this a bug?

    I converted to Apple Mail from Eudora with 10.4 and I'm very frustrated with how it's handling my POP server. I have the options set to "delete mail when moved from inbox" which is a great setting. Only problem is, it has a mind of it's own! If I leave the mail in my inbox, sometimes it deletes from the server and sometimes it doesn't. I check mail every 15 min so that is not the problem. There is no way to know from Mail whether it has been deleted like there is in Eudora and this is a seriously missing feature for people who manage email in multiple places.
    So is this a bug? Has anyone had this consistently work for them? I never had a problem with Eudora and I'm tempted to go back.
    BTW, 10.4.6 with latest version of Mail

    I was wondering if I was the only one having problems with this. Obviously not. This problem only started occuring recently, perhaps 4-12 months ago. Previously it was very reliable in removing mail from the server when the settings were to remove, and leaving those emails not moved from the Inbox.
    But lately it has a mind of its own as one person said. You cannot count on it either leaving email on the server (if not moved from the inbox) or removing it if moved. Completely inconsistent.
    One thing has also surfaced with the latest versions of Mail -- if you are getting mail while traveling using hotel's wireless, DSL, cable, etc. connections, very often it will not delete mail from the server even though you have it set to remove immediately.
    Again, this was never a problem back a few months ago. It has just cropped up sometime over the last few months.
    It sure does need fixing because I have lost valuable emails and I have also ended up with a clogged server from tons of spam never deleted.

  • Is anyone experiencing a bug in mail app in iOS 7 ?

    I'm experiencing a bug in mail app in iPhone as well as in my iPad... This bug makes all my mails unread whenever I refresh for mails and whenever I read a new mail it stays unread even if a close the app. Please help me if possible...

    I've not heard of or experience any such issue.
    Have you tried removing and readding the accounts in question?

  • IOS 8 Bug: In Mail the sender account defaults back to last account from which an e-mail was sent overriding the default account setting

    I cannot get over it ... how can a company that designs such wonderful hardware write such poor software? Apple should really feel ashamed. Anyone Windows-bashing should realise that computing is about more than just fancy screen backgrounds. I am so sick of this.
    Anyway - here is my latest bug report (which as an IT professional I should charge Apple my time for):
    When you access multiple mail accounts from your iPhone (iOS 8.2 12D508) you need to specify a default mail account. This is (or at least used to be in working implementations of this feature in previous iOS versions) the mail account that mails will be sent from unless the user selects another account.
    The problem in the current iOS version is: After sending a mail from a non-default account, the next mail will also be sent from the same non-default account rather than from the actual default account. The incorrect sender account gets selected after picking a mail recipient.
    Steps to reproduce:
    1. Send an e-mail from a manually selected non-default mail account on your iPhone.
    2. Start composing another e-mail. Initially, the correct default account is shown as sender account.
    3. Now select a recipient address.
    ==> This is when the sender mail account reverts to the last e-mail account that a mail was sent from (in our case the non-default account).
    Temporary Work-Around:
    When the sender account reverts to the non-default account, manually select the default account again.
    Apple, please go and do your homework! Fix this annoying bug. Thank you.

    I can't see anything genuine about it!
    Since the link to the Apple id: Tips for...   actually says it goes to a site named "bingo", I think it's quite clear that this is a phishing email, designed to get you to click on and go to their site, not an Apple one. I hope you have not clicked on the link.
    It is not a good idea to put your own persoanl information in a post on a public forum. I will ask our hosts to remove it and the link. Don't be surprised if they remove the entire thread.

  • Bug in Mail: Plain-Text | Rich-Text-Mails

    Hi,
    just found a bug in Mail (Mac OS X 10.6.2):
    I am using a faxservice-provider, which sends my PDF-files to the transmitted fax-number.
    This stopped working a few weeks ago, the recipients of my faxe just get blank pages.
    I talked to the provider and they told me, that I was sending "Multi-Part-HTML"-mails, so their fax-software just sends the first part of the mail (some blank lines) and not the attached PDF-file.
    So I checked a few thing and found the following bug:
    Mail is set up to send mails only as "plain-text"-mails.
    But if i send an email via the print-dialog ("send PDF per Mail") Mail creates a Rich-Text-mail. This also happens when using the "send PDF via Mail button" in Adobe Reader.
    The created Mail is NOT a plain-text-mail!
    Saving a PDF-file to the desktop and dragging the file to the Mail-Icon in the dock creates a "Plain-Text-File".
    So you need to check the format of the Mail in the "Format-Menu". If you change the format at this place to "Plain-Text" everything is working fine.
    Something in this Automator-workflow-script is working wrong. This workflow just has the order to create a new Mail with the PDF as attachment, so I can't change anything their. But the error must be founded in this script/workflow.
    Sven

    And it's only a Gmail issue, not in, for example, Google Docs.

  • Reproducible bug - lost mail

    With Apple Mail on 10.4.5, using an IMAP account with a WU IMAP server, folders can contain either mail or folders, but not both. This is allowed in the IMAP spec, and Mail handles this almost gracefully. However, I've noticed two bugs, one of which loses mail.
    1) If you try to drag a mesage to a folder which is a container of folders (shows up in white & black, not shades of blue, in the folder bar), Mail will correctly refuse to drop the message into the folder. However, if you use the contextual menu "Move To", if will allow this. If you actually do it, it will delete the message in the source folder, and silently fail to create it in the destination, losing the message.
    2) There does not appear to be any supported way to create folders that are containers of other folders, when working with IMAP servers (like WU's) as described above. You can, however, get around this by creating a folder named "whatever/". (This is obviously relying on OS- and daemon-specific behavior.) When it reports failure, go offline, then online, and the folder will appear. However, this workaround should not be necessary. The interface should offer an option to create the folder as a container of folders, directly.
    I've submitted this as Bug ID# 4455387.

    OK, I now appear to have the problem.
    I installed OS X Server on my Mac Pro some weeks ago. One change I made was to setup the Calender Server to prepare for a move from my separate Snow Leopard Server. As part of setting the Calendar Server up it requires an e-mail address. This was set last last week.
    It now appears that the Calendar Server pulls all e-mail from the e-mail address provided on the mail server, this is different (or it appears to be different) to the behaviour from Snow Leopard Server. The configuration for each is very different from the interfaces.
    After turning off the Calender Server, it looks as if the mail is now staying on the server.

  • Undo/redo bug

    Hi Adobe-ites!
    I recently changed all sorts of syntax and font properties to my installation of Flash Builder 4 in an effort to reduce long-term eye damage .
    Somehow, I inadvertently induced a nasty bug of some sort. I haven't totally wrapped my head around it's behavior, but basically - I lose code undo/redo functionality at some point while working on a given component or class. If I close the window for the component/class and reopen it, I get undo/redo functionality back. However, at some point while typing code, the functionality goes away. Any programmer can imagine how counter-productive this can be . Any one have any ideas what could be causing the issue and how to remedy?
    Many thanks,
    JJ

    Hi,
    Thanks for the adding comments in the issue https://bugs.adobe.com/jira/browse/FB-29897. The problem is faced whenever preferences are changed and there is an active editor opened.
    I have re-ropened the issue.
    -Radhakrishna

Maybe you are looking for

  • Help with TCP/IP communication via Teststand and Labview

    Hello, I am trying to create a sequence of tests and need to communicate between LabView vi's and another program over a TCP connection. When I have the sequence hard coded in LabView everything works fine, but my goal is to break up the sequence int

  • How to find item is updating in Sharepoint designer workflow?

    Is there anyway we can get when list item updating in sharepoint designer workflow?. I have status ="New" it is need to send only one time when new item created. But now it is sending emails when item is updating with status="New". So I want check if

  • Need to resize window to show all components !!

    I created a simple java application but there is a wiered problem. Unless i resize or maximise the window, I am unable to see any component I added into it. What is the problem with my code. import javax.swing.*; import java.awt.*; import java.awt.ev

  • Timeline doesn't open

    Crunch time! I'm two days away from a deadline and there's trouble! My 30 minute project is 25 GB and all of a sudden I can't get into the soundtracks for editing. The program tries for several minutes then crashes. Late last night when I had "lost"

  • Error when trying to run program

    I am trying to run a simple cdma transfer and the error I keep getting is this: Unexpected error while launching program: Error in Resetting Target Could not stop the processor after reset Error in Resetting Target Could not stop the processor after