Help with regular cpu usage spike

im running a VI thats reading data off a mouse through a VISA driver. i get these strange spikes in cpu usage which are regular at ~12-13 second intervals, which i haven't got a clue as to the cause.
any ideas??
Attachments:
cpu spike.jpg ‏73 KB

hi all,
   thanks for the suggestions. ive looked with sysinternals, and it appears to be a very minor increase in labview cpu usage - i closed all antivirus related processes, and the spike still continues, so it doesn't appear to be that...
ive attached the vi, in case its some stupid coding issue..
apologies for being so ignorant, but how would i go about checking if it's some issue caused by a windows update or whatnot..
Attachments:
mouse_reader_no_output.vi ‏44 KB

Similar Messages

  • Queue consumer stops with 100% cpu usage

    I'm trying to use Berkeley DB queue with transactions. When I tested what happens when transactions with DB_APPEND are aborted I found that while it works and DB_CONSUME correctly skips over rolled back records, unfortunately extents that have those records are never deleted, which causes database to always grow. Next I tried DB_CONSUME with database opened using DB_INORDER flag and it seems there's a serious regression in Berkeley DB that causes it to loop indefinitely with 100% cpu usage when it encounters a rolled back record. I tested various versions and found that this bug doesn't happen with 5.1.29, but it is reproducible with 5.2.42, so this regression might have been introduced in 5.2. I have also tested 5.3 and 6.0, and both have this behavior. There may be something wrong with the way queue records are rolled back, one indication of that would be that in 5.1.29 doesn't have neither of the two problems I found with DB_QUEUE: extents are deleted after being consumed, and there are no issues when consuming with DB_INORDER either.
    You can find Python code to reproduce this issue here:
    https://gist.github.com/snaury/027a3c546f5b0a62a440
    Sorry for using Python and not e.g. C++, but it's a lot shorter that way.

    We have looked at the issues and they are valid.   We will roll the fixes out for this in our next release of BDB.   The test case was very useful and really helped to speed the process up.    If you have any questions, please contact me directly at [email protected]  Thanks again for bringing this to our attention.
    thanks
    mike

  • Simple Java 3D program’s CPU Usage spikes to up to 90 percent!

    Hi, everyone. I’m completely new to Java 3D and I’m toying around with basic program structure right now. My code is based off of that in the first chapter on 3D in Killer Game Programming in Java. I removed most of the scene elements, replacing them with a simple grid, Maya style. (Yes, I’m starting off small, but my ambitions are grand – I intend on creating a polygonal modeling and animation toolset. After all, the Maya PLE is dead – damn you, Autodesk! – and I just plain dislike Blender.) I implement a simple OrbitBehavior as a means for the user to navigate the scene. That part was basically copy and paste from Andrew Davison’s code. The mystery, then, is why the program’s framerate drops below 1 FPS and its CPU Usage spikes to up to 90 percent, according to the Task Manager, when I tumble the scene. I’d appreciate anyone taking the time to look at the code and trying to identify the problem area. (I’ve undoubtedly missed something totally newbish. -.-) Thank you!
    (Also, I had the worst possible time wrestling with the posting process. Is anyone else having trouble editing their posts before submitting them?)
    import java.awt.*;
    import javax.swing.*;
    public class MAFrame
        public static final Dimension SCREEN_SIZE = Toolkit.getDefaultToolkit().getScreenSize();
        public MAFrame ()
            System.out.println("Initializing...");
            try {
                UIManager.setLookAndFeel(UIManager.getSystemLookAndFeelClassName());
            catch (Exception e) {
                e.printStackTrace();
            JFrame frame = new JFrame ("Modeling and Animation");
            frame.setDefaultCloseOperation(JFrame.EXIT_ON_CLOSE);
            MAViewPanel panel = new MAViewPanel ();
            frame.getContentPane().add(panel);
            frame.pack();       
            frame.setLocation(((int)SCREEN_SIZE.getWidth() / 2) - (frame.getWidth() / 2),
                              ((int)SCREEN_SIZE.getHeight() / 2) - (frame.getHeight() / 2));     
            frame.setVisible(true);
    import com.sun.j3d.utils.behaviors.vp.*;
    import com.sun.j3d.utils.geometry.*;
    import com.sun.j3d.utils.universe.*;
    import java.awt.*;
    import javax.media.j3d.*;
    import javax.swing.*;
    import javax.vecmath.*;
    public class MAViewPanel extends JPanel
        public static final int GRID_SIZE = 12;
        public static final int GRID_SPACING = 4;
        public BoundingSphere bounds;
        public BranchGroup sceneBG;
        public SimpleUniverse su;
        public MAViewPanel ()
            GraphicsConfiguration config = SimpleUniverse.getPreferredConfiguration();
            Canvas3D canvas3D = new Canvas3D (config);               
            canvas3D.setSize(600, 600);
            add(canvas3D);
            canvas3D.setFocusable(true);
            canvas3D.requestFocus();
            su = new SimpleUniverse (canvas3D);
            createSceneGraph();
            initUserPosition();
            orbitControls(canvas3D);
            su.addBranchGraph(sceneBG);
        public void createSceneGraph ()
            sceneBG = new BranchGroup ();
            bounds = new BoundingSphere (new Point3d(0, 0, 0), 1000);
            // ambient light
            Color3f white = new Color3f (1.0f, 1.0f, 1.0f);
            AmbientLight ambientLight = new AmbientLight (white);
            ambientLight.setInfluencingBounds(bounds);
            sceneBG.addChild(ambientLight);
            // background
            Background background = new Background ();
            background.setColor(0.17f, 0.65f, 0.92f);
            background.setApplicationBounds(bounds);       
            sceneBG.addChild(background);
            // grid
            createGrid();
            sceneBG.compile();
        public void createGrid ()
            Shape3D grid = new Shape3D();
            LineArray lineArr = new LineArray (GRID_SIZE * 8 + 4, GeometryArray.COORDINATES);
            int offset = GRID_SIZE * GRID_SPACING;
            // both sides of the grid plus the middle, done for both directions at once (each line defined by two points)
            for (int count = 0, index = 0; count < GRID_SIZE * 2 + 1; count++) {
                // vertical, left to right
                lineArr.setCoordinate(index++, new Point3d (-offset + (count * GRID_SPACING), 0, offset));  // starts near
                lineArr.setCoordinate(index++, new Point3d (-offset + (count * GRID_SPACING), 0, -offset)); // ends far
                // horizontal, near to far
                lineArr.setCoordinate(index++, new Point3d (-offset, 0, offset - (count * GRID_SPACING))); // starts left
                lineArr.setCoordinate(index++, new Point3d (offset, 0, offset - (count * GRID_SPACING)));  // ends right
            grid.setGeometry(lineArr);
            sceneBG.addChild(grid);
        public void initUserPosition ()
            ViewingPlatform vp = su.getViewingPlatform();
            TransformGroup tg = vp.getViewPlatformTransform();
            Transform3D t3d = new Transform3D ();
            tg.getTransform(t3d);
            t3d.lookAt(new Point3d (0, 60, 80), new Point3d (0, 0, 0), new Vector3d(0, 1, 0));
            t3d.invert();
            tg.setTransform(t3d);
            su.getViewer().getView().setBackClipDistance(100);
        private void orbitControls (Canvas3D c)
            OrbitBehavior orbit = new OrbitBehavior (c, OrbitBehavior.REVERSE_ALL);
            orbit.setSchedulingBounds(bounds);
            ViewingPlatform vp = su.getViewingPlatform();
            vp.setViewPlatformBehavior(orbit);     
    }

    Huh. A simple call to View.setMinimumFrameCycleTime() fixed the problem. How odd that there effectively is no default maximum framerate. Of course simple programs like these, rendered as many times as possible every second, are going to consume all possible CPU usage...

  • A Projector with minimal CPU usage?

    How do i make a Projector with minimal CPU usage?
    Windows XP Pro SP3.
    Director 11.5.
    Using Windos Task Manager - CPU Usage History. I like to use less then 5%.

    www.director-online.com - Ending CPU Hogging in Director
    http://www.director-online.com/buildArticle.php?id=1122
    UIHelper.x32 - xtra UiHelper
    *sleep int timeInMs                                         -- make this process sleep a while
    on idle
      sleep 1
    end

  • JDev 10.0.1.3 CPU Usage Spikes - Somewhat Serious!

    I have noticed that JdevW.exe process in task menager has annoying CPU usage spikes every 2-3 seconds. This does NOT happen if I use 10.0.1.2 version.
    I have fairly powerful Dell workstation. Any ideas? Configuration problem?
    BTW embedded OC4J is not running.

    Shay,
    I am actually not doing anything. As soon as I open JDev I can see (and feel) that performance problem. Every time the 'spike' occurs, mouse gets 'frozen' for a fraction of a second. It is anoying a bit.
    My coworker's installation do not have that problem and I wonder if add-ons that I have downloaded and installed would create this behavior. BTW, how do I figure out what add-ons (plugins) I got?
    I can see 'jucheck.exe' and 'jusched.exe' processes as well but even when I killed them the spikes occur.
    Any thought?

  • When I run activity monitor with no programs running my dock shows fluctuating usage...between 4% up to 20%.  Random figures that come and go with corresponding CPU usage.  A little help?

    My activity monitor show random and fluctuating CPU usage at the Dock site with absolutelyno programs running.  %'s fluctuate between 3 - 20 and they pretty much come and go.  What might be causing this?

    There's a lot of background processes running that aren't documented as Apps as such. And some of them are the Time Machine backups, Spotlight searches, all kinds of small little bits of maintenance caches, there's a lot going on. So it's not completely out of the question that this is 'normal' for a Mac. If it were 50% or more I would be concerned but if it spikes up to 20% for a second or two you are probably not in any trouble of any kind.

  • Having Issues with High CPU Usage with fluxbox & pekwm

    Greetings,
    I have searched for this issue and it seems that something similar has happened in the past with an old xorg, and it seems that someone is having a similar issue that they can point to kde as being the culrpit. However in my case, this is a fresh install and is not using any kde libs. Please allow me to explain the issue.
    The power supply on my main computer finally gave out, and being incredibly poor at the moment I can not yet replace it. So, I pull out an older computer that I had once set up for my kids, but took it away from them when they were abusing it. I always make backup dvds and such monthly so I didn't have to worry about any lose of data, however I desired to keep my larger hard drives from my main computer. After testing to ensure that the hard drives were fine, I did some minor surgery, and did a fresh install of arch linux onto my back up computer. Since I prefer pekwm, I installed pekwm as my wm of choice, and outfitted it quickly with mpd+sonata, firefox, pcmanfm, and tint2. Then I rebooted into my pekwm 'desktop'.
    It was running sluggish. Firefox was easily maxing the cpu up and beyond 100% and it felt ten times worse than any heavy DE I used in the past. I checked to make sure I had the right video driver installed. As this computer runs a 64MB nVidia GeForce2 MX with TV out video card, I searched nvidia's page and the arch wiki, noting that the driver needed is nvidia-96xx. Well I had already suspected that during install, and thus had installed such driver. I double checked my xorg.config and it has the right driver listed.
    So I checked out some lighter browsers. I tried both Midori and Iron (which is similar to Chrome but without google spyware or whatever). Well both run better than firefox, Midori being the lightest one, but Iron quickly being my favorite. Still, the problem remained. Moving windows caused cpu spikes, opening more than one tab, or more than one program caused cpu spikes and the computer to slow down and sputter, freezing at times.
    So I tried out another wm, fluxbos, which is another of my favorites. Seemed somewhat better but only fractionally, which I consider odd because pekwm has always seemed snappier than fluxbox to me in the past. Running lxtask (still mouse dependent, sorry lol), I was able to take note of the following...
    FLUXBOX
    lxtask 6% CPU usage average
    PCManFM 5% CPU Average
    Fluxbox 1% to 2% cpu usage
    gksu 3% cpu usage
    pidgin 3% to 7% cpu usage
    firefox up to 62% cpu usage
    midori up to 38% cpu usage
    iron up to 50% cpu usage
    mpd 11% cpu uage
    Xorg (with no window movement) 2% cpu usage
    Xorg (moving windows around) up to 80% cpu usage
    PEKWM
    lxtask 6% CPU
    pidgin 7% cpu
    tint2 1% cpu
    pekwm 1% to 5% cpu
    pcmanfm 7% cpu
    firefox up to 85% cpu
    python 1% cpu
    midori up to 38% cpu
    iron up to 25% cpu (odd...)
    Xorg (with no window movement) 1% cpu
    Xorg (when moving windows around) up to 80% cpu
    Both were using around 118 MB RAm and weren't yet touching swap. As I see it I am  thinking xorg  or video driver related, yet I already made sure that I had the correct video driver. Here's my Xorg.conf
    # nvidia-xconfig: X configuration file generated by nvidia-xconfig
    # nvidia-xconfig: version 1.0 (buildmeister@builder63) Thu Jun 25 18:57:07 PDT 2009
    Section "ServerLayout"
    Identifier "Layout0"
    Screen 0 "Screen0" 0 0
    InputDevice "Keyboard0" "CoreKeyboard"
    InputDevice "Mouse0" "CorePointer"
    EndSection
    Section "Files"
    EndSection
    Section "InputDevice"
    # generated from default
    Identifier "Mouse0"
    Driver "mouse"
    Option "Protocol" "auto"
    Option "Device" "/dev/psaux"
    Option "Emulate3Buttons" "no"
    Option "ZAxisMapping" "4 5"
    EndSection
    Section "InputDevice"
    # generated from default
    Identifier "Keyboard0"
    Driver "kbd"
    EndSection
    Section "Monitor"
    Identifier "Monitor0"
    VendorName "Unknown"
    ModelName "Unknown"
    HorizSync 30.0 - 110.0
    VertRefresh 50.0 - 150.0
    Option "DPMS"
    EndSection
    Section "Device"
    Identifier "Device0"
    Driver "nvidia"
    VendorName "NVIDIA Corporation"
    EndSection
    Section "Screen"
    Identifier "Screen0"
    Device "Device0"
    Monitor "Monitor0"
    DefaultDepth 24
    SubSection "Display"
    Depth 24
    Modes "1600x900" "1024x768" "800x600" "640x480"
    EndSubSection
    EndSection
    Here's some specs on this computer, including video cards and such...
    Computer
    Summary
    Computer
    Processor Intel(R) Pentium(R) 4 CPU 1.60GHz
    Memory 1034MB (239MB used)
    Operating System Arch Linux
    User Name mythus (Travis K. Randall)
    Date/Time Thu 08 Oct 2009 05:24:52 PM CDT
    Display
    Resolution 1600x900 pixels
    OpenGL Renderer GeForce2 MX/AGP/SSE2
    X11 Vendor The X.Org Foundation
    Multimedia
    Audio Adapter ICH - Intel 82801BA-ICH2
    Input Devices
    Macintosh mouse button emulation
    AT Translated Set 2 keyboard
    Power Button
    Power Button
    PC Speaker
    Logitech USB Optical Mouse
    Printers
    No printers found
    SCSI Disks
    ATA ST3160212A
    ATA IC35L090AVV207-0
    LITE-ON LTR-16102B
    TSSTcorp CD/DVDW TS-H552D
    Operating System
    Version
    Kernel Linux 2.6.30-ARCH (i686)
    Compiled #1 SMP PREEMPT Wed Sep 9 12:37:32 UTC 2009
    C Library GNU C Library version 2.10.1 (stable)
    Default C Compiler GNU C Compiler version 4.4.1 (GCC)
    Distribution Arch Linux
    Current Session
    Computer Name norova
    User Name mythus (Travis K. Randall)
    Home Directory /home/mythus
    Desktop Environment Unknown (Window Manager: Fluxbox)
    Misc
    Uptime 11 hours, 38 minutes
    Load Average 0.20, 0.38, 0.34
    Kernel Modules
    Loaded Modules
    ipv6 IPv6 protocol stack for Linux
    reiserfs ReiserFS journaled filesystem
    usbhid USB HID core driver
    hid
    arc4 ARC4 Cipher Algorithm
    ecb ECB block cipher algorithm
    snd_seq_dummy ALSA sequencer MIDI-through client
    rt2500pci Ralink RT2500 PCI & PCMCIA Wireless LAN driver.
    snd_seq_oss OSS-compatible sequencer module
    rt2x00pci rt2x00 pci library
    snd_seq_midi_event MIDI byte <-> sequencer event coder
    rt2x00lib rt2x00 library
    snd_seq Advanced Linux Sound Architecture sequencer.
    led_class LED Class Interface
    snd_seq_device ALSA sequencer device management
    input_polldev Generic implementation of a polled input device
    mac80211 IEEE 802.11 subsystem
    snd_intel8x0 Intel 82801AA,82901AB,i810,i820,i830,i840,i845,MX440; SiS 7012; Ali 5455
    uhci_hcd USB Universal Host Controller Interface driver
    snd_pcm_oss PCM OSS emulation for ALSA.
    fan ACPI Fan Driver
    cfg80211 wireless configuration support
    ppdev
    ehci_hcd USB 2.0 'Enhanced' Host Controller (EHCI) Driver
    snd_mixer_oss Mixer OSS emulation for ALSA.
    snd_ac97_codec Universal interface for Audio Codec '97
    nvidia
    lp
    eeprom_93cx6 EEPROM 93cx6 chip driver
    parport_pc PC-style parallel port driver
    ohci1394 Driver for PCI OHCI IEEE-1394 controllers
    parport
    psmouse PS/2 mouse driver
    ac97_bus
    ieee1394
    serio_raw Raw serio driver
    8139too RealTek RTL-8139 Fast Ethernet driver
    e100 Intel(R) PRO/100 Network Driver
    snd_pcm Midlevel PCM code for ALSA.
    pcspkr PC Speaker beeper driver
    battery ACPI Battery Driver
    8139cp RealTek RTL-8139C+ series 10/100 PCI Ethernet driver
    snd_timer ALSA timer interface
    i2c_core I2C-Bus main module
    iTCO_wdt Intel TCO WatchDog Timer Driver
    mii MII hardware support library
    evdev Input driver event char devices
    snd Advanced Linux Sound Architecture driver for soundcards.
    ac ACPI AC Adapter Driver
    iTCO_vendor_support Intel TCO Vendor Specific WatchDog Timer Driver Support
    usbcore
    soundcore Core sound module
    sg SCSI generic (sg) driver
    shpchp Standard Hot Plug PCI Controller Driver
    snd_page_alloc Memory allocator for ALSA system.
    processor ACPI Processor Driver
    thermal ACPI Thermal Zone Driver
    pci_hotplug PCI Hot Plug PCI Core
    intel_agp
    button ACPI Button Driver
    agpgart AGP GART driver
    rtc_cmos Driver for PC-style 'CMOS' RTCs
    rtc_core RTC class support
    rtc_lib
    ext4 Fourth Extended Filesystem
    mbcache Meta block cache (for extended attributes)
    jbd2
    crc16 CRC16 calculations
    sr_mod SCSI cdrom (sr) driver
    cdrom
    sd_mod SCSI disk (sd) driver
    ata_piix SCSI low-level driver for Intel PIIX/ICH ATA controllers
    ata_generic low-level driver for generic ATA
    pata_acpi SCSI low-level driver for ATA in ACPI mode
    libata Library module for ATA devices
    floppy
    scsi_mod SCSI core
    Display
    Display
    Display
    Resolution 1600x900 pixels
    Vendor The X.Org Foundation
    Version 1.6.3.901
    Monitors
    Monitor 0 1600x900 pixels
    Extensions
    BIG-REQUESTS
    Composite
    DAMAGE
    DOUBLE-BUFFER
    DPMS
    DRI2
    GLX
    Generic Event Extension
    MIT-SCREEN-SAVER
    MIT-SHM
    NV-CONTROL
    NV-GLX
    RANDR
    RECORD
    RENDER
    SECURITY
    SHAPE
    SYNC
    X-Resource
    XC-MISC
    XFIXES
    XFree86-DGA
    XFree86-VidModeExtension
    XINERAMA
    XInputExtension
    XKEYBOARD
    XTEST
    XVideo
    OpenGL
    Vendor NVIDIA Corporation
    Renderer GeForce2 MX/AGP/SSE2
    Version 1.5.8 NVIDIA 96.43.13
    Direct Rendering Yes
    Processor
    Processor
    Processor
    Name Intel(R) Pentium(R) 4 CPU 1.60GHz
    Family, model, stepping 15, 1, 2 (Pentium 4)
    Vendor Intel
    Configuration
    Cache Size 256kb
    Frequency 1594.77MHz
    BogoMIPS 3190.44
    Byte Order Little Endian
    Features
    FDIV Bug no
    HLT Bug no
    F00F Bug no
    Coma Bug no
    Has FPU yes
    Cache
    Cache information not available
    Capabilities
    fpu Floating Point Unit
    vme Virtual 86 Mode Extension
    de Debug Extensions - I/O breakpoints
    pse Page Size Extensions (4MB pages)
    tsc Time Stamp Counter and RDTSC instruction
    msr Model Specific Registers
    pae Physical Address Extensions
    mce Machine Check Architeture
    cx8 CMPXCHG8 instruction
    apic Advanced Programmable Interrupt Controller
    sep Fast System Call (SYSENTER/SYSEXIT)
    mtrr Memory Type Range Registers
    pge Page Global Enable
    mca Machine Check Architecture
    cmov Conditional Move instruction
    pat Page Attribute Table
    pse36 36bit Page Size Extensions
    clflush Cache Line Flush instruction
    dts Debug Store
    acpi Thermal Monitor and Software Controlled Clock
    mmx MMX technology
    fxsr FXSAVE and FXRSTOR instructions
    sse SSE instructions
    sse2 SSE2 (WNI) instructions
    ss Self Snoop
    ht HyperThreading
    tm Thermal Monitor
    up smp kernel running on up
    pebs Precise-Event Based Sampling
    bts Branch Trace Store
    Memory
    Memory
    Total Memory 1034084 kB
    Free Memory 94276 kB
    Buffers 40536 kB
    Cached 700112 kB
    Cached Swap 0 kB
    Active 170788 kB
    Inactive 726844 kB
    Active(anon) 74112 kB
    Inactive(anon) 88348 kB
    Active(file) 96676 kB
    Inactive(file) 638496 kB
    Unevictable 12 kB
    Mlocked 12 kB
    High Memory 139144 kB
    Free High Memory 252 kB
    Low Memory 894940 kB
    Free Low Memory 94024 kB
    Virtual Memory 2931852 kB
    Free Virtual Memory 2931852 kB
    Dirty 12 kB
    Writeback 0 kB
    AnonPages 156996 kB
    Mapped 57392 kB
    Slab 24260 kB
    SReclaimable 18864 kB
    SUnreclaim 5396 kB
    PageTables 1376 kB
    NFS_Unstable 0 kB
    Bounce 0 kB
    WritebackTmp 0 kB
    CommitLimit 3448892 kB
    Committed_AS 404212 kB
    VmallocTotal 122880 kB
    VmallocUsed 27648 kB
    VmallocChunk 52368 kB
    DirectMap4k 32760 kB
    DirectMap4M 876544 kB
    Benchmarks
    CPU Blowfish
    CPU Blowfish
    This Machine 1595 MHz 50.176
    Intel(R) Celeron(R) M processor 1.50GHz (null) 26.1876862
    PowerPC 740/750 (280.00MHz) (null) 172.816713
    CPU CryptoHash
    CPU CryptoHash
    This Machine 1595 MHz 11.071
    CPU Fibonacci
    CPU Fibonacci
    This Machine 1595 MHz 74.202
    Intel(R) Celeron(R) M processor 1.50GHz (null) 8.1375674
    PowerPC 740/750 (280.00MHz) (null) 58.07682
    CPU N-Queens
    CPU N-Queens
    This Machine 1595 MHz 132.704
    FPU FFT
    FPU FFT
    This Machine 1595 MHz 104.630
    FPU Raytracing
    FPU Raytracing
    This Machine 1595 MHz 212.639
    Intel(R) Celeron(R) M processor 1.50GHz (null) 40.8816714
    PowerPC 740/750 (280.00MHz) (null) 161.312647
    So what I am wanting help with is finding the solution to the cpu usage so that I can use this computer at least until I can afford a new power supply or whatever. I am open to any good suggestions, though I must state I am not really interested in tiling wm's at the moment. I am just not a true minimalist.
    Thanks in advance for any and all help. I understand that there is a lot of info in this post, but it is my hope that with this info the problem can be solved. If there is info I didn't provide that is needed, please let me know.

    also check that you have
    session.screen0.opaqueMove false
    in your .fluxbox/init  this will probably help a bit if it is currently true,
    Last edited by Cyrusm (2009-01-26 13:52:13)

  • CPU Usage Spikes - Crashes ITunes

    I've been using Itunes for about a year, and over the past week, my CPU usage will spike at 100% while playing Itunes, causing the song quality to skip and play as if it was a scratched CD. I updated from 4.9 to 5.0 (erasing all existing Itunes programs first) and the problem still happens. I'm not running anything else other than Itunes, and the usage still spikes to 100% causing the problem.
    Please help!

    I'm having the same problem. I've isolated it in a number of ways trying to resolve it.
    It always happens 13 seconds into playing a track. This applies whether it plays from the beginning, 1 min into the track or if I make is jump to different places. Each time, once it has played 13 seconds (ie first 13 secs or if I jump to 1 min immediately it will be at 1:13 or if I play 6 secs then jump to 1:30 it will happen at 1:37). The CPU spikes to 100%, pausing everything and leaving a 3 or 4 sec silence.
    This happens regardless of track length. So a 1 hour dj set will have the CPU spike at 13 secs and then be fine for the next hour.
    It seems to me to be related to some sort of buffering or something similar in Itunes. I have worked out that once it has caused the CPU spike I can restart the same track and it will play through without a hiccup. If I play the next track and then come back to the first track, though, it will glitch at 13 secs again. I can also make it glitch on a replay of the first track without playing any others by changing the tracks that are to come after it in the playlist. This seems to suggest it is related to buffering the coming track(s).
    I can make the silent gaps go away by reducing the size of my music library considerably. It is over 45 gig now. If I reduce it to below 20 gig the CPU spiking occurs but not at 100% and so not causing the silences. The problems is still there, though, and itunes has played my 40 gig library fine for months without any such problems.
    Recent changes have included a few software installs. I have removed those that I could (eg Nero) but I do still have one photo editing programme that I need for a current job. I had removed quicktime from my startup but seeing a suggestion that this caused such a problem I have put it back. This has not fixed the problem for me.
    I have also bought a shuffle and would have probably run the software related to that. If you had a problem when you added a mini perhaps it's due to some sort of error arising from the software coming with new ipods when used with existing itunes installations? Just a guess.
    I'm running Itunes 4.7.1.30. I had thought about upgrading to 5 but it seems to be causing more problems and it seems it doesn't resolve this one.
    If anyone can help with this I would be most grateful as it is making Itunes unusable on my computer. I'm going to have to go back to playing cds!!!

  • Since 10.4.6 Update: "ATSServer" with high CPU-usage when opening PDFs

    Since I've updated to 10.4.6 my system is very slow when I open PDFs (in "Preview" or "Acrobat").
    This is caused by the process "ATSServer" which goes through every file in "~/Library/Fonts" (I have over 4.800 files there - but just a view are activated by "FontBook") and so it takes very high CPU-usage.
    I didn't have this problem bevore the update and I didn't make any changes on my font settings.
    I've cleaned the font cache, but it doesn't help.
    Any ideas?
    Ciao
    Mephizo
    PS: Excuse my poor English.
    PowerBook G4 17'' 1.67 GHz   Mac OS X (10.4.6)  
    PowerBook G4 17'' 1.67 GHz   Mac OS X (10.4.6)  

    I haven't noticed any change myself, Dan, but I have the 2 GHz model.
    One thing I HAVE noticed though after OS updates is that they can often result in a fair amount of file and free space fragmentation immediately after installation. OSX's routines will deal with fragmentation of small files , but not of large ones (over 20 Meg), and it won't deal very effectively with free space fragmentation. If your HD is getting full this can cause significant slowdowns, especially where video is involved.
    You should also run DiskUtility and check for any directory and permissions issues.
    Cheers
    Rod

  • CPU Usage Spikes

    My computer was not responding well when I tried to install a driver for my webcam. The error message said that I should try uninstalling some recently installed programs. So I did. There were some that were recently installed but I didn't really known what they were. Since they were recently installed, I didn't think they were necessary. Ever since last night, my computer has been spiking up and down in CPU usage and I don't know what to do. I am not sure if it has to do with the recently uninstalled programs. If so? I don't know which ones I uninstalled to fix the problem. What can I do? Please help!!!!

    Please give us some helpful information..
    Which model computer is this?
    Which Windows does it run?
    Which programs are you talking about?
    When you give us an error message, quote it precisely on a line all by itself. Paraphrasing doesn't help. We don't care what the message means. We want just the string of characters. Spelling counts.
    -Jerry

  • Beachballing and extreme GUI latency with low CPU usage

    I generally only have two applications open.  iTunes 11 playing MP3s of about 128kbps, and latest Google Chrome with up to 4-5 tabs.  Usually I have gmail open, Facebook, and maybe 1-2 sites such as YouTube or Slashdot.  I don't have any servers running.
    The CPU load is usually 90% idle.  The system load hovers around 1.5 for some reason.  Though at times it jumps up to 3.5 even though CPU remains at 90% idle.  I read a ton of Facebook pages.  After about 30-40 page loads, Chrome stops letting me scroll.  I can still click in the address bar, so I know the whole system isn't frozen.  I can change tasks via ALT-TAB, however, when I do that, it takes 10 seconds for it to switch to Terminal.  When Termianl is finally shown, it jumps to 90% CPU for a few seconds, and updates 5 times in a row, quickly, like a stuttering video, and then it is normal.  If I activate Expose by moving the mouse to the bottom left corner, it shows the Dock right away, but then it just sits there frozen for 15 seconds, and then it shows the windows and whatnot.  If I switch to the Finder and click on an icon, it doesn't do anything.  I then click on another icon.  Nothing.  I then try to draw a bounding square on the empty desktop.  Nothing.  Then after about 30 seconds of being frozen, the system does EVERYTHING I did in a quick hurry.  It selects the first icon, the second, draws a square, selects another icon.. etc.  It seems to be queueing all my actions but not responding to them immediately.  If I try to delete a file, the beachball shows up, and then after about 30 seconds it shows a progress bar, even for a tiny little text file, the progress bar takes 5 seconds, and then it removes it from the desktop.  If I press Mac-T to open a new tab in Chrome, I get a beachball and it takes up to a full minute before the new tab shows up!
    While all of this is happening I've been monitoring my system with top, the CPU keeps at 90% idle!  And the load is usually below 2.0!  I have a Core 2 Duo 2.1 gHz MacBook 13" with 2GB of RAM, and there's about 25 GB free on the main disk.  There is also an external firewire drive connected.  Every 5 minutes the Mac OS wakes up the drive from sleep even though I'm not using it, and while the drive is starting up the whole system freezes for 5-10 seconds again!!
    What the **** kinda joke of an operating system is this?!?!!?  I thought Macs were multitasking and everything!  I'm seriously concerned.... I"ve never had these problems in Windows, and never had these problems in Linux.  ***?!!!?!  I can't use more than 5 tabs in Chrome either.  It's way too slow.  And most videos on YouTube I can't watch unless I lower to 340p or 240p, otherwise they freeze and stuff.  Even though I have enough bandwdith..  The system can't handle the video.  It's so frustrating.  Oh and one more thing.  While scrolling through pages on Facebook, iTunes pauses at random points as if it can't handle the scrolling.... ***??!?!?!
    Please help me!!! 

    Hello? Does anyone from Adobe know why this is happening?
    I understand why frames would be dropped if you set high
    quality and your CPU can't encode in real time however the 30% cpu
    usage I am getting while encoding isn't indicating to me I have a
    cpu issue.
    Also as a note when I change the quality settings at no point
    can I get my CPU to actually get busy enough where I think frames
    should be dropping.
    Another side question. Is FME mult-threaded? We all know dual
    cores are popular now. Also when I say 30% if its a single threaded
    app, that would mean 100% = 2 cores, 50% = 1 core, so 30% of of
    that 100% would be all on one core if its a single threaded
    application.
    This would mean perhaps the utilization is higher than
    expected and frames are dropping perhaps.
    Any insight would be great.
    Thanks and take care.

  • Stuck with 50% cpu usage

    I created a new thread for this problem because it has no relation to my first but does have similar symptoms.
    Ok, every time I play a dvd audio disc the cpu spikes constantly to 61% then at some point it will keep 50% usage active despite not playing the dvd audio disc anymore(system is idle). By this time audio is puking anyway.
     This also happens when I work on something that keeps exceeding the 50% cpu usage. At some point the 50% gets stuck and everything slows down and have to reboot.
    At first I thought it was the soundcard now I suspect it is something else, since even in graphic applications it happens.
    Win 2000 SP 3
    875 neo fis2r
    P4 3.06 HT enabled
    4x512 ddr400 twinmos
    1 80gig maxtor pata drive C
    2 120gig seagate sata drives
    1 18gig seagate cheetah scsi drive
    samsung 48x combo drive
    1 zip 100 drive
    ati 9800 pro HIS
    audigy 2
    430 watts ps enermax

    Performance is not really the issue. Since it is fast until it gets hit by the 50% bug.
    I would have considered the interfaces too but that was with the older 50% problem. Problems with PATA/SATA/SCSI usually mean slow downs in transfer speeds and scratch disks. Getting stuck at 50% cpu usage seems like a bug.
    Most people might not even encounter this problem unless the play dvd audio disks or use apps that peaks often.
    I'm still worried with win2000 sp4. There has been issues with it.
    Win 2000 SP 3
    875 neo fis2r
    P4 3.06 HT enabled
    4x512 ddr400 twinmos
    1 80gig maxtor pata drive C
    2 120gig seagate sata drives
    1 18gig seagate cheetah scsi drive
    samsung 48x combo drive
    1 zip 100 drive
    ati 9800 pro HIS
    audigy 2
    430 watts ps enermax

  • Constant SBBOD with high cpu usage

    Hi
    since a couple of days ago I constantly get the SBBOD (spinning beach ball of death) on a Mac mini 2011 with Lion 10.7.3.
    The system hangs up completely and the only this I can do is click around  and move the windows but the clicks don't do anything and at some point after that everything just stops responding.
    At this point I'm forced to do a hard reboot (power switch).
    After that the system works for a while and then gets the SBBOD again.
    During the SBBOD I can see syslog hogging all my cpu usage in activity monitor, but when I try to kill it or click into activity monitor the programm doesn't respond.
    I guessed that something else was spaming syslogd with messages but after the hard reboot I don't see anything in console.
    Since then I tried almost everything.
    - hardware test, the short and long one -> nothing found
    - repairing hard drive and permissions -> didn't help
    - S.M.A.R.T says  verified
    - PRAM and NVRAM reset
    - logged into guest account and started nothing -> SSBOD after ~hour
    - started into save mode and left the comp running -> SSBOD after ~hour
    - reformated(not zeroed) and reinstalled Lion(not from a backup) -> SSBOD after ~hour
    Currently I'm trying to disable syslogd to see if some other process hogs all my cpu load instead of it.
    I really hope one of you can help me, this thing is driving me nuts :/

    Repairing the permissions of a home folder in Lion is a complicated procedure. I don’t know of a simpler one that always works.
    Launch the Terminal application in any of the following ways:
    ☞ Enter the first few letters of its name into a Spotlight search. Select it in the results (it should be at the top.)
    ☞ In the Finder, select Go ▹ Utilities from the menu bar, or press the key combination shift-command-U. The application is in the folder that opens.
    ☞ Open LaunchPad. Click Utilities, then Terminal in the page that opens.
    Drag or copy – do not type – the following line into the Terminal window, then press return:
    chmod -R -N ~
    The command will take a noticeable amount of time to run. When a new line ending in a dollar sign ($) appears below what you entered, it’s done. You may see a few error messages about an “invalid argument” while the command is running. You can ignore those. If you get an error message with the words “Permission denied,” enter this:
    sudo !!
    You'll be prompted for your login password, which won't be displayed when you type it. You may get a one-time warning not to screw up.
    Next, boot from your recovery partition by holding down the key combination command-R at startup. Release the keys when you see a gray screen with a spinning dial.
    When the recovery desktop appears, select Utilities ▹ Terminal from the menu bar.
    In the Terminal window, enter “resetpassword” (without the quotes) and press return. A Reset Password window opens.
    Select your boot volume if not already selected.
    Select your username from the menu labeled Select the user account if not already selected.
    Under Reset Home Directory Permissions and ACLs, click the Reset button.
    Select  ▹ Restart from the menu bar.

  • Macbook Pro Extremely hot with NO cpu usage

    I have a Macbook pro 15" (Mid-2010). Recently my mac is running extremly hot specially when connected to the AC power.
    I'm using iStat Pro to monitor sensors, and while charging sometimes CPU reaches 101 degrees celsius. When I detach the power cord, it stays at about 80-85 degrees. My cpu usage is normal, about 1-4%. All the bottom of my mac feels hot, specially under the CPU, but the middle parts too. Fans are also working with highest speed.
    Is it a known hardware problem?
    Another problem which I've had around the same time, I use "Hardware Growler" to check for usb connections. When I connect a USB flash disk, sometimes it shows a lot of connections and disconnections for Keyboard, Trackpad, IR Remote and stuff. Pushing the usb around doesn't show the same symptom, so it's not a broken board or connector or something.
    Have you seen a similar problem? What can I do?

    I've solved my problem by resetting PRAM and SMC. I'm writing my solution here so others can try it if they have the same problems.
    To reset PRAM, follow instructions in this link: http://support.apple.com/kb/ht1379
    and to reset SMC, follow this link: http://support.apple.com/kb/ht3964
    I think my problem started when I upgraded Parallels Desktop to version 7 (from version 6). I'm not sure if it was the cause, but some kernel extension in parallels could've corrupted SMC and/or PRAM.

  • CPU usage spikes to 90%

    Dear all,
    I have 1 Pub, 2 Sub of version 8.0, when  I looked into RTMT, I found increase in the CPU usage to 90%
    Can any one guide how to solve and what is the reason for increase
    I have 2600 ip phones 

    thanks for your comment
    after entering the command 
    admin:show process using-most cpu
    PCPU PID CPU NICE STATE CPUTIME  ARGS
    %CPU   PID CPU  NI S     TIME COMMAND
     7.5 28399   -   0 S 7-15:34:03 /home/tomcat/tomcat /home/tomcat/tomcatJlauncher                                                                                                                     Config.xml -Djava.library.path=/usr/local/lib:/usr/local/thirdparty/java/j2sdk/j                                                                                                                     re/lib/i386:/usr/local/thirdparty/java/j2sdk/jre/lib/i386/server:/usr/lib/pgsql:                                                                                                                     /usr/lib:/usr/local/cm/lib::/usr/local/platform/lib -XX:ErrorFile=/usr/local/thi                                                                                                                     rdparty/jakarta-tomcat/logs/diagnostic-info.jvm-crash.<pid>.tomcat.txt -XX:OnOut                                                                                                                     OfMemoryError=/home/tomcat/tomcat_diagnostics.sh -XX:OnError=/home/tomcat/tomcat                                                                                                                     _diagnostics.sh -Djavax.net.ssl.trustStore=/usr/local/platform/.security/tomcat/                                                                                                                     trust-certs/tomcat-trust.keystore -Djavax.net.ssl.trustStorePassword=CFZLvtE9aAG                                                                                                                     PbFCD -Djavax.net.ssl.trustStoreType=PKCS12 -Djava.util.logging.manager=org.apac                                                                                                                     he.juli.ClassLoaderLogManager -Djava.util.logging.config.file=/usr/local/thirdpa                                                                                                                     rty/jakarta-tomcat/conf/logging.properties -Xmx640m -Xms256m -XX:MaxPermSize=256                                                                                                                     m -Djava.endorsed.dirs=/usr/local/thirdparty/jakarta-tomcat/endorsed -classpath                                                                                                                      :/usr/local/thirdparty/java/bcprov-jdk15-138.jar:/usr/local/platform/jar/xalan.j                                                                                                                     ar:/usr/local/platform/jar/certMgmt.jar:/usr/local/platform/jar/certMonitor.jar:                                                                                                                     /usr/local/platform/jar/Iproduct.jar:/usr/local/platform/jar/Ihardware.jar:/usr/                                                                                                                     local/platform/jar/CiscoIPSec.jar:/usr/local/platform/jar/ciscoCmd.jar:/usr/loca                                                                                                                     l/platform/jar/ciscoCommon.jar:/usr/local/platform/jar/platform-api.jar:/usr/loc                                                                                                                     al/platform/jar/maverick-all.jar:/common/download:/usr/local/platform/applicatio                                                                                                                     n_locale/platform-api:/usr/local/platform/application_locale/cmplatform:/usr/loc                                                                                                                     al/cm/jar/commons-logging.jar:/usr/local/platform/jar/xstream-1.1.2.jar:/usr/loc                                                                                                                     al/cm/jar/log4j-1.2.8.jar:/usr/local/cm/application_locale/cmservices:/usr/local                                                                                                                     /cm/application_locale/car:/usr/local/cm/application_locale/ccmadmin:/usr/local/                                                                                                                     cm/application_locale/ccmuser:/usr/local/cm/application_locale:/usr/local/thirdp                                                                                                                     arty/jakarta-tomcat/bin/bootstrap.jar -Djava.security.manager -Djava.security.po                                                                                                                     licy==/usr/local/thirdparty/jakarta-tomcat/conf/catalina.policy -Dcatalina.base=                                                                                                                     /usr/local/thirdparty/jakarta-tomcat -Dcatalina.home=/usr/local/thirdparty/jakar                                                                                                                     ta-tomcat -Djava.io.tmpdir=/usr/local/thirdparty/jakarta-tomcat/temp start
     7.0 16208   -  10 S 00:00:01 java -DConsoleRows=24 -DConsoleColumns=80 -DCommonFileSystem="disk_full=false,inode_full=false,no_write=false,internal_error=false" -DJvmStartTime=1407911931 sdMain name=ccmadmin priv=4 master
     1.2 18672   -   0 S 1-07:24:04 /usr/local/cm/bin/cmoninit -w
     1.1  1733   -   0 S 1-03:54:14 /usr/local/cm/bin/RisDC
     0.3  1755   -   0 S 09:12:08 /usr/local/cm/bin/amc /usr/local/cm/conf/amc/amcCfg.xml
    what does this mean

Maybe you are looking for

  • How to get the best from a PC? Some guides...

    I have recently made available three different 'guides' (from my perspective of course) and I thought it might be worthwhile to have it all in one place: 1. A PC buying guide for NLE. 2. Storage rules for an editing rig. Some basics. 3. Guide for ins

  • Error while testing SOAP scenario

    I have done SOAP(Sender)--SAP-PI- SOAP(RECEIVER) Scenario. It is in synchorous mode.. It works fine in Altove XML Spy.. and getting the response fron webservice.. but when i;m testing it PI (RWB->Comp Monit>Integration engine-->Test Messge ) it gives

  • Can I use same USB drive for Intel and PPC backup?

    Hi, I have a USB hdd that was used for TV recording but failed on that so I reformatted it as Mac OS extended journaled with 6 partitions (GUID), and using SuperDuper, cloned Lion from a Macbook Air and Tiger from my eMac into different partitions, w

  • Daylight saving and alarm

    Daylight savings time stared today and the alarm on my Z3v was correctly set to 0730. The alarm didn't go off though until 0830. I did set the alarm with google now, but around 8 o'clock i also checked the Alarm and Clock app and verified the correct

  • Performance - SQL Statements- Script needed

    Hi All I am working on Performance Tuning on Oracle 10g/ Solaris environment. I am looking for a shell script that gives top 10 Time Consuming SQL Statements...... My client does not want me to use statspack or OEM for somereasons which i dont know.