Stop sorting after cell editing

Is it possible to stop the TableSorter?
when the sorting of a column is activated and after editing a cell of that column then exiting the cell, the table is sorted again refering to the new edited value and this is indesirable, I mean I want that sorting is done only whe I click on the header and when editing a cell the row containing this cell must still where it is even if the column is in sorting mode.
I'm using sun tablesorter
any one have an idea please?

:) I just found it bymyself, i just removed the listener of trhe table model in tablesorter

Similar Messages

  • Recognize ENTER hit on JTable after cell edit is done

    Hello,
    I'm trying to find a way to detect a key press (specifically, Enter key) after editing a value on a JTable. That is, when I double click on a cell in my table, edit the value and press enter after the editing is done, I want to be able to detect pressing the enter. Adding a normal keyListener to the JTable object won't do it. So I'm trying to find a new way. Please help me out!
    Here's my SSCCE:
    import java.awt.event.KeyAdapter;
    import java.awt.event.KeyEvent;
    import javax.swing.JFrame;
    import javax.swing.JScrollPane;
    import javax.swing.JTable;
    public class MyTable extends JTable {
         JTable table;
         public MyTable(Object[][] data, Object[] columnNames)
              JFrame frame = new JFrame("My Table");
              table = new JTable(data, columnNames);
              JScrollPane scrollPane = new JScrollPane(table);
              frame.getContentPane().add(scrollPane);
              frame.setSize(100, 100);
              frame.setVisible(true);
              table.addKeyListener(new KeyAdapter()
                   public void keyPressed(KeyEvent e)
                        if(e.getKeyChar()==KeyEvent.VK_ENTER)
                             System.out.println("Key Pressed");
         public static void main(String[] args) {
              // TODO Auto-generated method stub
              Object [][]data = {{"item1"},{"item2"},{"item3"},{"item4"},{"item5"}};
              String []columnNames = {"ITEMS"};
              MyTable table = new MyTable(data, columnNames);
    }Message was edited by:
    programmer_girl

    First of all you don't use a KeyListener to check for KeyEvents on a compponent. You use "Key Bindings" and Actions:
    http://java.sun.com/docs/books/tutorial/uiswing/misc/keybinding.html
    When you are "editing" a cell then focus is on the edtitor used by cell editor. For a cell containing Strings a JTextField is used. Since a JTextField supports an ActionListener all you need to do is get the JTextField and add an ActionListener to the text field. You can use the getDefaultEditor(...) method of JTable and cast the editor to a DefaultCellEditor. From there you can then get the editing component.
    Of course the question is why are you specifically worried about the enter key? What if the user tabs to the next cell or uses the mouse to click on a different cell. There is more than one way to finish editing a cell.

  • Can you stop table indicator cell editing?

    Hello,
      Is there a way to disable the ability of a user to edit the cells of a table indicator? I have a table indicator on my front panel and just want it to be a indicator, nothing else. I have found that I can change the contents of a cell in the table indicator and type in any value I want. 
    Regards,
    Kaspar

    A technique I have used at times to quickly disable multiple controls at one time (provided they are located near each other) is to create a simple string indicator that is transparent. Size it so that it covers the controls (in your case the table) that you want to disable. In your code when you want to disable those controls use the property node to make the transparent string control visible. When you want to enable the controls use the property node to set the "visible" attribute to false. This is a simple trick that can be useful at times.
    Message Edited by Mark Yedinak on 02-17-2010 02:32 PM
    Mark Yedinak
    "Does anyone know where the love of God goes when the waves turn the minutes to hours?"
    Wreck of the Edmund Fitzgerald - Gordon Lightfoot

  • Webpart Connection Doesn't Sort After Edit

    Hello,
    I have two SP task lists, 1st list for project details and 2nd list for project costs (1:Many). When viewing a single item from the project details task list in the Default Display Form, the project costs task list is
    also displayed as a webpart. The project costs webpart is connected to the project details item, and filters only project costs that have the same "Project Name". This works great, but my problem is the project costs list I've turned on inline editing.
    In the same Default Display From, when the user clicks to edit a line item in the project costs list, edits the item, and then clicks save, the page reloads, and all project costs are displayed instead of the filtered project costs list. The changes do not
    save, and the user has to scroll down the list to find the project cost line item still in edit mode. If the edits are repeated and save is once again clicked on the project costs list, the project cost line item is updated, and the project costs list is filtered
    correctly as intended.
    Can anyone help me correct or understand the issue: When making edits to a task list item using inline editing on a connected and filtered webpart, the list doesn't save edits to the webpart list and maintain its connected filter? Thank you for any guidance
    you can provide.

    Hi,
    According to your post, my understanding is that webpart connection doesn't sort after you edit the related list.
    Per my knowledge, it will send the value to connected web part when page loads in the display form.
    If you edit the item inlien, it will not refresh the page, so it cannot send the value again.
    I recommend that you can use the “Insert Related List” option in the display form.
    For more information, you can refer to:
    SharePoint 2010 - Insert Related Lists
    Best Regards,
    Linda Li
    Linda Li
    TechNet Community Support

  • Stopping cell editing in a JTable using a JComboBox editor w/ AutoComplete

    Hi there! Me again with more questions!
    I'm trying to figure out the finer parts of JTable navigation and editing controls. It's getting a bit confusing. The main problem I'm trying to solve is how to make a JTable using a combo box editor stop editing by hitting the 'enter' key in the same fashion as a JTextField editor. This is no regular DefaultCellEditor though -- it's one that uses the SwingX AutoCompleteDecorator. I have an SSCCE that demonstrates the issue:
    import java.awt.Component;
    import java.awt.EventQueue;
    import javax.swing.AbstractCellEditor;
    import javax.swing.JComboBox;
    import javax.swing.JFrame;
    import javax.swing.JTable;
    import javax.swing.WindowConstants;
    import javax.swing.table.DefaultTableModel;
    import javax.swing.table.TableCellEditor;
    import javax.swing.table.TableModel;
    import org.jdesktop.swingx.autocomplete.AutoCompleteDecorator;
    public class AutoCompleteCellEditorTest extends JFrame {
      public AutoCompleteCellEditorTest() {
        JTable table = new JTable();
        Object[] items = {"A", "B", "C", "D"};
        TableModel tableModel = new DefaultTableModel(2, 2);
        table.setModel(tableModel);
        table.getColumnModel().getColumn(0).setCellEditor(new ComboCellEditor(items));
        getContentPane().add(table);
        setDefaultCloseOperation(WindowConstants.EXIT_ON_CLOSE);
        pack();
      private class ComboCellEditor extends AbstractCellEditor implements TableCellEditor {
        private JComboBox comboBox;
        public ComboCellEditor(Object[] items) {
          this.comboBox = new JComboBox(items);
          AutoCompleteDecorator.decorate(this.comboBox);
        public Object getCellEditorValue() {
          return this.comboBox.getSelectedItem();
        public Component getTableCellEditorComponent(JTable table, Object value, boolean isSelected, int row, int column) {
          comboBox.setSelectedItem(value);
          return comboBox;
      public static void main(String[] args) {
        EventQueue.invokeLater(new Runnable() {
          public void run() {
            new AutoCompleteCellEditorTest().setVisible(true);
    }Problem 1: Starting to 'type' into the AutoCompleteDecorate combo box doesn't cause it to start editing. You have to hit F2, it would appear. I've also noticed this behaviour with other JComboBox editors. Ideally that would be fixed too. Not sure how to do this one.
    Problem 2: After editing has started (say, with the F2 key), you may start typing. If you type one of A, B, C, or D, the item appears. That's all good. Then you try to 'complete' the edit by hitting the 'enter' key... and nothing happens. The 'tab' key works, but it puts you to the next cell. I would like to make the 'enter' key stop editing, and stay in the current cell.
    I found some stuff online suggesting you take the input map of the table and set the Enter key so that it does the same thing as tab. Even though that's not exactly what I desired (I wanted the same cell to be active), it didn't work anyway.
    I also tried setting a property on the JComboBox that says that it's a table cell editor combo box (just like the DefaultCellEditor), but that didn't work either. I think the reason that fails is because the AutoCompleteDecorator sets isEditable to true, and that seems to stop the enter key from doing anything.
    After tracing endless paths through processKeyBindings calls, I'm not sure I'm any closer to a solution. I feel like this should be a fairly straightforward thing but I'm having a fair amount of difficulty with it.
    Thanks for any direction you can provide!

    Hi Jeanette,
    Thanks for your advice. I looked again at the DefaultCellEditor. You are correct that I am not firing messages for fireEditingStopped() and fireEditingCancelled(). Initially I had copied the behaviour from DefaultCellEditor but had trimmed it out. I assumed that since I was extending AbstractCellEditor and it has them implemented correctly that I was OK. But I guess that's not the case! The problem I'm having with implementing the Enter key stopping the editing is that:
    1) The DefaultCellEditor stops cell editing on any actionPerformed. Based on my tests, actionPerformed gets called whenever a single key gets pressed. I don't want to end the editing on the AutoCompleteDecorated box immediately -- I'd like to wait until the user is happy with his or her selection and has hit 'Enter' before ending cell editing. Thus, ending cell editing within the actionPerformed listener on the JComboBox (or JXComboBox, as I've made it now) will not work. As soon as you type a single key, if it is valid, the editing ends immediately.
    2) I tried to add a key listener to the combo box to pick up on the 'Enter' key and end the editing there. However, it appears that the combo box does not receive the key strokes. I guess they're going to the AutoCompleteDecorator and being consumed there so the combo box does not receive them. If I could pick up on the 'Enter' key there, then that would work too.
    I did more reading about input maps and action maps last night. Although informative, I'm not sure how far it got me with this problem because if the text field in the AutoCompleteDecorator takes the keystroke, I'm not sure how I'm going to find out about it in the combo box.
    By the way, when you said 'They are fixed... in a recent version of SwingX', does that mean 1.6.2? That's what I'm using.
    Thanks!
    P.S. - Maybe I should create a new question for this? I wanted to mark your answer as helpful but I already closed the thread by marking the answer to the first part as correct. Sorry!
    Edited by: aardvarkk on Jan 27, 2011 7:41 AM - Added SwingX versioning question.

  • TS1702 Numbers stops responding after editing sheet

    Numbers stops responding after editing sheet.  No amount of tapping does anything.  I have to close app and loose edits...
    How do I report a bug?  This is impacting my desire to even use numbers.

    You sound like you really have a good idea on what you are doing .. your steps to isolate the issue are perfectly valid. All I can suggest are a few things I would try and of course these too may not assist at all but at least we will give it a go ..
    FCPX 10.0.6 while not perfect , is a very stable program. I use it fairly frequently and any crashes I see are explainable or at least due in some way to a combination of things I was doing. So the issue is in al probability not a 'DNA - inherent issue with FCPX .. You mention that you did trash the preferences but did you Repair Permissions using te Disk Utility tool ? I would run that .. Create two new folders on the same drive as that of your Final Cut Events and Final Cut Projects .. Call these new folders Hidden Final Cut Events and Hidden Final Cut Projects . Move the contents of FC Events into Hidden FC Events and the contents of FC Projects into Hidden FC Projects. All this will do is hide the events and projects from FCPX at start up and it will create a new event.
    See if any of this helps .. then if not come back .. hopefully others with better ideas will join in and you will get this sorted ..
    Jim

  • Stop cell editing

    I am facing bit common problem related to stop cell editing, here is code attached, when i do insert any string on cell and right after that clicking on save button, and i want to stop cell editing of table.
    and i know that this is easy to stop cell editing with line of code
    table.getCellEditor().stopCellEditing()but my problem is that i don't have access of this table on action performed of button. and that is not possible to access table here on action event. so please suggest me how to call stop cell editing when i move away with table.
    import java.awt.event.ActionEvent;
    import java.awt.event.ActionListener;
    import javax.swing.JButton;
    import javax.swing.JFrame;
    import javax.swing.JPanel;
    import javax.swing.JScrollPane;
    import javax.swing.JTable;
    public class TableEdit extends JFrame
       TableEdit()
          JTable table = new JTable(5, 5);
          table.setPreferredScrollableViewportSize(table.getPreferredSize());
          JScrollPane scrollpane = new JScrollPane(table);
          JPanel panel = new JPanel();
          panel.add(scrollpane);
          //getContentPane().add();
          JButton button = new JButton("Save");
          button.addActionListener(new ActionListener()
             @Override
             public void actionPerformed(ActionEvent e)
                // TODO Auto-generated method stub
          panel.add(button);
          getContentPane().add(panel);
       public static void main(String[] args)
          JFrame frame = new TableEdit();
          frame.setDefaultCloseOperation(EXIT_ON_CLOSE);
          frame.pack();
          frame.setLocationRelativeTo(null);
          frame.setVisible(true);
    }

    but my problem is that i don't have access of this table on action performed of button. and that is not possible to access table here on action event. smake 'table' a field instead of local variable.
    public class TableEdit extends JFrame
         JTable table = new JTable(5, 5);
         .....Thanks!

  • How do I stop my original photo from changing after I edit then save it in Raw 7

    How do I stop my original image from changing after I save the edited version in Camera Raw 7. I want to be able to keep the original intact and
    also have the edited version. Also, if I want to work the new edited version in the future I would want to also keep that old version.
    Thanks for your help

    Thanks for this great solution NoelHave a great day and weekend
    Re: How do I stop my original photo from changing after I edit then save it in Raw 7created by Noel Carboni in Photoshop General Discussion - View the full discussion Another way to revert all the saved metadata changes back to defaults is to select the Camera Raw Defaults entry in the Camera Raw fly-out menu... http://forums.adobe.com/servlet/JiveServlet/downloadImage/2-6070597-543394/362-482/RevertS ettings.png  -Noel

  • Coldfusion 64 bit windows installer stops working after recent microsoft update

    Coldfusion 64 bit windows installation stops working after recent microsoft updates and how I worked around it.
    My question is at the end.
    Trying to deploy coldfusion 9 enterprise 64 bit trial  version onto a Windows 2003 64 bit datacenter OS with all OS updates from MS (as of 4-7-2011).
    Steps taken (remember, this is all 64 bit):
    1. Installed the base OS which was slipstreamed with SP2.
    2. Checked w/ microsoft and installed 63 OS updates.
    3. Launch the CF9 trial exe.
    4. As soon as the first screen finishes (the one that looks like  it is extracting files) then the second screen pops up (the one that  simply says CF Adobe Coldfusion 9) and the progress bar quickly moves  95% to the right and the install application quits. No error, no nothing. No log file either.
    5. After a moment of incredulous silence (and retrying/rebooting,  etc), I started to google it. I found nothing. However, I did find a  post (thanks dspent!) that was helpful in that it told how he was able  to get at a log file of sorts, by pre-extracting the  coldfusion_9_WWE_win64.exe file and launching the adobe_cf.exe by hand.  (Dspent's install snafu was different than mine, but his post was very  valuable and got me started in the right direction.)
    6. Got a copy of rarunzipper and extracted the coldfusion_9_WWE_win64.exe file.
    7. From the windows directory created by step 6, I launched adobe_cf.exe.
    8. Same thing (the install application quits. No error, no nothing. No log file either.).
    9. I examine the hs_err_pidxxxx.log file (where the xxxx is a number).
    10. I see inside that file an ominous message: "A fatal error has been detected by the Java Runtime" then "Problematic frame ntdll.dll" and then "The crash happened outside the Java Virtual Machine in native code".
    11. OK, so now I am thinking ntdll.dll !! Native code !! It is like Java is telling me that for some reason it can't dance with the OS.
    12. On a hunch, I decided to test a CF install again on a server with just the base install of W3K3 64 SP2 (ie: skipping step 2 above this time).
    13. Bingo! That install works.
    14. Therefore, one of the 63 patches I had downloaded from MS had triggered a problem with the CF installer.
    15. Back on the first server (the one with the MS security  patches installed and the one that CF won't install on). In the CF file  adobe_cf.lax (one of the files extracted in step 6) there is a line that  mentions where the install gets it's java. Find that file, and check java version installer is using. It is using 1.6.0_14-b08.
    16. Off to the Java website, and there is a newer version of java (1.6.0_24-b07). Downloaded and installed it.
    17. Modify a line in adobe_cf.lax :
       before
         lax.nl.current.vm=resource\\jre\\bin\\java.exe
       after
         lax.nl.current.vm=C:\\program files\\java\\jre6\\bin\\java.exe
    (that assumes that you let step 16 install to the default location)
    Save the file.
    18. Run the install ... ** IT WORKS ** !
    Obviously, the built in java provided with the CF installer is  no longer compatible with some change introduced by some recent MS  update on the W2K3 64b SP2 platform.
    And now the interesting part. Although I forced the installer to used the new java, it did not incorporate it into the cf build (ie: in jvm.config, you still see c:/coldfusion9/runtime/jre AND the  version of java.exe that is in that directory is the original version,  not the newer version I forced the installer to use).
    On the surface, CF seems to run OK, but I have not done any application testing yet.
    And finally my
    ** QUESTION **
    Would it be appropriate to simply point the java.home var to the new java directory? I see that the directory structures and files are not exactly the same  (close though) so I certainly don't want to break things by doing this,  but instinct tells me that if the installer broke using the older  version, then something else is gonna break down the road if I don't use  the new version. On the other hand, the differences in the  directories and files is enough that it makes me very nervous, with my  limitied java skill set, to make this decision. 
    Thanks in advance!!
    Byron

    Hi Byron,
    Wow great post no doubt much of the information will be useful for those on Win03 SP2 +. Have to say not come across similar problem on Win08 r2 SP1 +.
    So to your question. Adobe security bulletin (http://kb2.adobe.com/cps/894/cpsid_89440.html) recommends running CF8 and CF9 with JVM 1.6.0_24. The bulletin does not say how to do that. I take you installed JDK and not just JRE 1.6.0_24? Post install of JDK follow these steps:
    Stop CF - SERVICES.msc stop "ColdFusion 9 Application Server".
    Take a copy of CF\runtime\bin\jvm.config - so you got a backup.
    Edit CF\runtime\bin\jvm.config find line "java.home=" and comment it out eg:
    #java.home=C:/ColdFusion9/runtime/jre
    Add new line like so and save jvm.config:
    java.home=C:/Program Files/Java/jdk1.6.0_24/jre
    Note  there the slashes and the location of the JRE (runtime) - you need to  point to the one in JDK because the other JRE in C:\Program  Files\Java\jre6 will be missing a DLL.
    Start CF via SERVICES.msc.
    HTH, Carl.

  • TableSorter, stop sorting

    Is it possible to stop the TableSorter?
    Once sorting is started each cell editing resorts the table. This disturbs if sorting is just a pre-task followed by an algorithm that is based on the sorted table.

    The automatic e mail notification didnt work for me so my answer is a bit late. In the meantime I have found a way to avoid sorting when a cell is edited. I took away checkModel() calls from setValueAt() and getValueAt(). In the tableChanged() method I excluded update events by checking with event.getType(). This seems to work but now I have a strange behaviour when a row is deleted. The row is removed but the other rows sorting changes and is confused - even if I manually call a reallocateIndexes() and super.tableChanged(e). When I try to re-sort by clicking the header this doesnt come to an end and keeps 100%cpu. Anyone can image what happens?

  • Right USB Port stops working after disconnecting device since 10.9.2

    Hi,
    Since updating to 10.9.2 the right USB port on my MBA stops working after diconnecting a device (tested: external hard drive, USB flash drive, USB HSPA Modem). The only way to get the port recognizing the device on that port is to do a restart. If the device is connected from starting the MBA it works fine, if I then eject the drive and reinsert it or a different USB device the device doesn't get recognized. The devices do get power, my WD passport ultra spins up just fine, the USB HSPA modem also indicates it's working (with signal) but nothing shows up in finder or diskutility. If the modem is connected from start (and thus working) and then disconnect from the internet but not remove the drive I can reconnect to the internet. The problem only occurs after disconnecting the device. The port becomes inactive. The left USB port works as expected.
    Steps I've taken:
    Disk Persmission
    PRAM
    SMC
    Reapplied the 10.9.2 update
    Sent feedback to Apple
    Some Output:
    Boot Mode: Normal
    Total CPU usage:
       User 11%                    System 10%
    Max %CPU by process (name, UID, %):
       WindowServer         0   4.6
    Loaded extrinsic kernel extensions:
       at.obdev.nke.LittleSnitch (4052)
       com.driver.JRDUSBModemData64 (4.0.5)
       com.protech.NoSleep (1.3.3)
    Loaded extrinsic daemons:
       net.sourceforge.MonolingualHelper
       com.oracle.java.JavaUpdateHelper
       com.oracle.java.Helper-Tool
       com.microsoft.office.licensing.helper
       com.freemacsoft.appcleanerd
       com.adobe.fpsaud
       at.obdev.littlesnitchd
    Loaded extrinsic user agents:
       com.oracle.java.Java-Updater
       at.obdev.LittleSnitchUIAgent
    /Library/LaunchAgents:
       at.obdev.LittleSnitchUIAgent.plist
       com.oracle.java.Java-Updater.plist
    /Library/LaunchDaemons:
       at.obdev.littlesnitchd.plist
       com.adobe.fpsaud.plist
       com.freemacsoft.appcleanerd.plist
       com.microsoft.office.licensing.helper.plist
       com.oracle.java.Helper-Tool.plist
       com.oracle.java.JavaUpdateHelper.plist
       net.sourceforge.MonolingualHelper.plist
    /Library/PrivilegedHelperTools:
       com.freemacsoft.appcleanerd
       com.microsoft.office.licensing.helper
       com.oracle.java.JavaUpdateHelper
       net.sourceforge.MonolingualHelper
    Extrinsic loadable bundles:
       /System/Library/Extensions/JRDMassStorageDriver32.kext
                 (No bundle ID)
       /System/Library/Extensions/JRDMassStorageDriver64.kext
                 (No bundle ID)
       /System/Library/Extensions/JRDUSBModemData32.kext
                 (com.driver.JRDUSBModemData32)
       /System/Library/Extensions/JRDUSBModemData64.kext
                 (com.driver.JRDUSBModemData64)
       /System/Library/Extensions/LittleSnitch.kext
                 (at.obdev.nke.LittleSnitch)
       /System/Library/Extensions/NoSleep.kext
                 (com.protech.NoSleep)
       /Library/Audio/Plug-Ins/Components/A52Codec.component
                 (com.shepmater.A52Codec)
       /Library/Internet Plug-Ins/Flash Player.plugin
                 (com.macromedia.Flash Player.plugin)
       /Library/Internet Plug-Ins/JavaAppletPlugin.plugin
                 (com.oracle.java.JavaAppletPlugin)
       /Library/PreferencePanes/Flash Player.prefPane
                 (com.adobe.flashplayerpreferences)
       /Library/PreferencePanes/JavaControlPanel.prefPane
                 (com.oracle.java.JavaControlPanel)
       /Library/PreferencePanes/NoSleep.prefPane
                 (com.protech.NoSleepPref)
       /Library/QuickTime/AC3MovieImport.component
                 (com.cod3r.ac3movieimport)
       /Library/Spotlight/LogicPro.mdimporter
                 (No bundle ID)
       Library/Address Book Plug-Ins/SkypeABDialer.bundle
                 (com.skype.skypeabdialer)
       Library/Address Book Plug-Ins/SkypeABSMS.bundle
                 (com.skype.skypeabsms)
       Library/QuickLook/Pacifist.qlgenerator
                 (com.charlessoft.pacifist.qlgenerator)
       Library/Services/Clip to Day One.workflow
                 (No bundle ID)
    Login hook:
       /Library/Scripts/Hooks/login.sh
    Global login items:
       $HELPER_PATH
       $HELPER_PATH
       $HELPER_PATH
       $HELPER_PATH
       $HELPER_PATH
    User login items:
       iTunesHelper
       Sparrow
       Sort Menubar Items
       AppCleaner Helper
       SurplusMeterAgent
    Safari extensions:
       Shut Up
       AdBlock
       SafariKeywordSearch
       Disconnect
       MapTricks
    Restricted user files: 28
    Font problems: 0
    Elapsed time (s): 130
    etrecheck output:
    Hardware Information:
              MacBook Air - model: MacBookAir3,1
              1 1.4 GHz Intel Core 2 Duo CPU: 2 cores
              2 GB RAM
    Video Information:
              NVIDIA GeForce 320M - VRAM: 256 MB
    System Software:
              OS X 10.9.2 (13C64) - Uptime: 0 days 0:20
    Disk Information:
              APPLE SSD TS064C disk0 : (60.67 GB)
                        EFI (disk0s1) <not mounted>: 209.7 MB
                        disk0s2 (disk0s2) <not mounted>: 59.81 GB
                        Recovery HD (disk0s3) <not mounted>: 650 MB
    USB Information:
              EFI (disk2s1) <not mounted>: 209.7 MB
              Radha (disk2s2) /Volumes/Radha: 1.81 TB (1.73 TB free)
              disk2s3 (disk2s3) <not mounted>: 189.89 GB
              Boot OS X (disk2s4) <not mounted>: 134.2 MB
    FireWire Information:
    Kernel Extensions:
              at.obdev.nke.LittleSnitch          Version: 4052
              com.driver.JRDUSBModemData64          Version: 4.0.5
              com.protech.NoSleep          Version: 1.3.3
    Problem System Launch Daemons:
    Problem System Launch Agents:
    Launch Daemons:
                     [loaded]          at.obdev.littlesnitchd.plist
                     [loaded]          com.adobe.fpsaud.plist
                     [loaded]          com.freemacsoft.appcleanerd.plist
                     [loaded]          com.microsoft.office.licensing.helper.plist
                     [loaded]          com.oracle.java.JavaUpdateHelper.plist
                     [loaded]          net.sourceforge.MonolingualHelper.plist
    Launch Agents:
                     [loaded]          at.obdev.LittleSnitchUIAgent.plist
    User Launch Agents:
    User Login Items:
              iTunesHelper
              Sparrow
              Sort Menubar Items
              AppCleaner Helper
              SurplusMeterAgent
    3rd Party Preference Panes:
              Flash Player
              Java
              NoSleep
    Internet Plug-ins:
              Default Browser.plugin
              Flash Player.plugin
              FlashPlayer-10.6.plugin
              JavaAppletPlugin.plugin
              QuickTime Plugin.plugin
    User Internet Plug-ins:
    Bad Fonts:
              None
    Top Processes by CPU:
                  12%          com.apple.WebKit.Networking
                   6%          Safari
                   4%          WindowServer
                   3%          EtreCheck
                   2%          hidd
                   1%          Terminal
                   1%          notifyd
                   1%          opendirectoryd
                   1%          com.apple.WebKit.WebContent
                   0%          Dock
    Top Processes by Memory:
              147 MB          Safari
              137 MB          com.apple.WebKit.WebContent
              49 MB          mds_stores
              29 MB          com.apple.WebKit.Networking
              27 MB          TextEdit
              23 MB          WindowServer
              20 MB          Disk
              20 MB          Sparrow
              20 MB          CVMCompiler
              18 MB          Finder
    Nothing out of the ordinairy. Thanks for any help

    It's an Apple Pro keyboard and mouse, the dongle is
    plugged into the Mac and not the keyboard. The same
    set-up is, and has been working on all our other
    Macs.
    The sleep issue sounds interesting- hum, maybe...
    Is your keyboard plugged into one of the USB connections on an Apple monitor? If so, you may want to change that connection to one that is on the G5 itself. My monitor came with a warning note indicating that problems will likely occur if the keyboard is connected to the monitor.
    I also had a problem with the automatic sleep function. After much trouble-shooting and a logic board replacement, it was concluded that coming out of the automatic sleep function with any USB device active would freeze the entire USB bus. After disabling automatic sleep in system preferences, I've had no freezing problems. My machine works fine with the manual sleep function in the Apple Menu.
    AndyH

  • AirTunes stops streaming after each song but iTunes shows it playing

    I've read through a lot of posts and either people are having the same issue just describing them differently or I'm seeing an entirely different issue.
    My setup is Windows Vista running iTunes 8, Airport Express and an iPod Touch running the Remote app. I just bought it all yesterday and did all the firmware and software updates it asked me to when setting it all up.
    I had it setup wirelessly and working -- the remote controlled iTunes which send audio to my AE and it worked beautifully. Then I realized the music stopped, I went to check and iTunes still showed the music playing, but no sound was coming out of the remote speakers. If I change the speaker output to computer then back to the remote speakers it starts playing again.
    I've disabled wireless on the AE and put a long wire across to rule out wirless interference or problems. I've disabled the Windows Vista firewall as well.
    I've tested both from the remote and from using iTunes directly. So I've ruled out the Remote App from the equation (I think). I say that, because first thing this morning I ran using just iTunes and it worked for 15 straight songs. I used the remote to change albums and start another and after the first song played it went silent. I noticed in iTunes a playlist called "Remote" comes up so I was thinking the Remote was causing it. I switched over to my library local on iTunes again removing the remote and it keeps happening anyway. So I'm not sure if by using the remote I put it in this "state" or if it's really not the Remotes problem.
    OK, so once it happens, it stops streaming after very single song however iTunes still shows it's playing fine. To fix, turn the speaker off then on again or switch to computer then back to remote again. It works doing this via the Remote App or on iTunes directly.
    This is FRUSTRATING! I spent a lot of money on the iPod, AE and getting a cheap stereo receiver/amp to feed my in-house speakers and now it's pretty much not even useful.
    Suggestions? Help? Anything?
    Message was edited by: TimLindner

    I wanted to post a follow-up. I solved my own issue after starting to rule out every possible cause.
    I have a Western Digital networked hard drive (NAS) which houses all of my MP3's. I knew accessing this drive was pretty slow but I've had my MP3's on it and iTunes' library is all coming off this drive. It has worked fine on my computer for years. However, it appears that the lag doesn't play nice with AirTunes.
    I moved my entire iTunes library (about 80 GB) to my local machine's hard drive, rebuilt my library and now it plays flawlessly!
    Just so people know, I've updated firmware on the AirportExpress and the iPod Touch, I have the new version of Remote on the touch and am running iTunes 8 on Windows Vista with its library on the local harddrive. No glitches, pauses, or problems. I ran it for 6 hours during a party over the weekend without flaw.
    -Tim

  • Don't know what to do or who to ask??? GPS stopped working after 4.4.2 Kitkat update.

    Don't know what to do or who to ask??? GPS stopped working after 4.4.2 Kitkat update.
    I have been on the phone multiple times with Verizon, visited multiple stores and still getting different answers with every different person I talk to...
    Since the 4.4.2 update, my phone and my wife's phone (14 or 15 month old SIII's) that worked perfect a couple weeks ago no longer know where they are 95% percent of the time... Location cannot be found and GPS satellites cannot be seen (sometimes after searching for 10 - 20 minutes they will lock on).
    And it's not just Google maps, it is all apps that need location (ie. gps status and toolbox, weather channel, etc...)
    Google maps has us in the right location 50% of the time  but i think that has more to do with 4g and wifi (although i always know the weather and traffic conditions in the next town over now).
    Navigation will set up fine in Google maps until you actual move the car. Then it updates location every couple minutes, but usually a couple streets over from where I actually am. Maybe 1 out of every four or five times I try it, it will start working about 15 minutes after I started it (then work flawlessly, so it can actually work sometimes). But if you end the process and start over to see if it really "works", back to square one with it not knowing its location all over again...
    I obviously did all the normal trouble shooting fixes with the battery and sim card removals and even did a "recommended factory data reset" on my phone with no luck. After this didn't work I stopped by another verizon store yesterday that has "tech services" that I was told could run some sort of diagnostics on my phone. After I showed the tech all the screen shots i have taken of what was happening while driving, he said it is a software problem and a very common one at that.
    I was told I should either buy new phones or switch to the edge program where i can get a new phones. These don't seem like very fair solutions to me considering before the 4.4.2 update our phones worked perfect and they are both in almost perfect condition after 14 or 15 months...
    Will there be a fix to this??? Is it a Samsung problem??? Should I be contacting them???

    If it is 3GS, you can update it to iOS 5 and it will work.

  • Using Lightroom 5.5:  I can sort images by edit date, but I cannot find a display of the actual time and date of the edit?

    Often when working intensely on a large project which spans over days I forget to mark the start and finish time for each session.  When billing clients for time this can create problems.  I thought the perfect solution to this problem would be to sort catalog by edit time, and then by view the time stamps. I could then find the first and and last edit for a session and quickly translate to session time.  The only problem is I cannot find a place with LT displays this information.

    It seems to be an oversight in LR -- the metadata field "lastEditTime" is available to plugins via the Lightroom SDK, but you can't use that field to define a custom tagset for displaying in the right-hand-side Metadata panel.
    However, here's a workaround that might work for you:  In the right-hand Metadata panel, select the "EXIF and IPTC" preset, and the field Metadata Date will show the date/time of the last time LR wrote metadata back to the file. In Catalog Settings > Metadata, make sure "Automatically write changes into XMP" is checked.  This will cause LR to write develop settings or metadata changes (keywords, captions, ratings, etc.) back to the file soon after you make the changes ("soon after" is typically less than a minute).  

  • Adobe Edge Animate CC 2014.1  is totally not working. It stop working after 5min. Sometimes is stops the operating system.

    Adobe Edge Animate CC 2014.1  is totally not working. It stop working after 5min. Sometimes is stops the operating system. On on mac OS X Yosemite. macbook pro i7 2013.
    I reinstalled it not helping.
    Message was edited by: Daniel Boguszewski

    UPDATE
    i have ulpaded 2 animation ( one normal and one Responsive ) in 2 different server here the link
    www.eclipseadv.com/maliRP/maliRP.html
    Untitled
    via SAFARI or CHROME on MAC all OK
    but via IPAD ( SAFARI, CHROME and MERCURY) i didn't see the video, just the animation of the BUTTON  and the link if i click on it (not in Mercury), like in the content viewer.

Maybe you are looking for

  • Open dialog box in application server.

    hai frnds, i am using the following FM for open dialog box in application.   CALL FUNCTION 'F4_DXFILENAME_TOPRECURSION'     EXPORTING       i_location_flag = 'A'       i_server = '?'       i_path = f_app       filemask = c_fnh_mask        FILEOPERATI

  • Printer dialog box does not appear in Photoshop CS.5

    I use Photoshop CS.5.1 with a Macbook 2013 using version 10.9.5. The printer works perfectly with all other applications but in Photoshop no printer dialog box comes up and the print job does not appear in the printers queue. Anyone the same issues?

  • Firefox and Flash

    I downloaded and installed Adobe FlashPlayer recently from Internet Explorer (IE), when I attempting to review an ecard at the Blue Mountain website. This operation worked and I was subsequently able to view the cards. Today, I was using Firefox, as

  • Canon 70D suddenly stopped working

    I recently shot a job with my 70D, came home and uploaded my photos with a card reader. Today, I reinserted my card and camera would not turn on. I put batteries, including my fully-charged backup battery, in charger. I inserted the two were fully ch

  • 3D Photoshop missing axis widget

    All- I was working on a 3D tutorial to find that I don't have an "AXIS WIDGET".  I was able to create and apply images to 3D shapes, but I am unable to adjust these objects easily.  Do I need to enable this widget before using it?