Usb 2.0 not working but 1.1 does??? help me

I just got a new 80gig 5g and it works fine when connected to usb 1.1 but I just bought a new usb 2.0 card and when I connect it to it it doesn't recognize the ipod but the card is working just not with 2.0 devices any ideas? tried updating drivers but the ones i got didn't help.
Thanks

I am having the same problem. The iPod would connect but would not sync and sometimes would not be recognized by iTunes then drop from Explorer. After several frustrating days I ran across a post about Toshiba laptops not working with iPod using USB 2.0. USB 1.1 works like a charm... but is slow.
Any help regarding this matter would be greatly appreciated!

Similar Messages

  • I have a nano 5th generation and buttons do not work but click wheel does

    My buttons often do not work. Until today, if I toggled the move button I could get it to work after 3-4 minutes of trying. I restored the  nano 1 hour ago. It turned on to teh menu, I moved to shuffle and selected that. SOngs are playing. But now none of the buttons work. Battery is charged, I toggle the hold switch, nothing helps. If I press the play-pause, the screen will light up for a few seconds. But that is all I can do. I can't go to the menu, go forward or reverse. I can't reset by pressing menu and select.
    The only way I can stop the music is to plug it in with iTunes open - sync starts - music stops. But when I disconnect it after ejecting, it still is on - menu screen.
    Is the nano toast?

     
    iPod not appearing in iTunes

  • Repaint() method 's not work but paint(getGraphics()) does, why?

    I've just read the following code ( in the Core Java 2 advance features vol 2 book):
      import java.awt.*;
      import java.awt.event.*;
       import java.awt.geom.*;
       import java.util.*;
       import javax.swing.*;
          Shows an animated bouncing ball.
      public class Bounce
         public static void main(String[] args)
            JFrame frame = new BounceFrame();
            frame.setDefaultCloseOperation(JFrame.EXIT_ON_CLOSE);
            frame.show();
         The frame with canvas and buttons.
      class BounceFrame extends JFrame
            Constructs the frame with the canvas for showing the
            bouncing ball and Start and Close buttons
         public BounceFrame()
            setSize(WIDTH, HEIGHT);
            setTitle("Bounce");
            Container contentPane = getContentPane();
            canvas = new BallCanvas();
            contentPane.add(canvas, BorderLayout.CENTER);
            JPanel buttonPanel = new JPanel();
            addButton(buttonPanel, "Start",
               new ActionListener()
                     public void actionPerformed(ActionEvent evt)
                        addBall();
            addButton(buttonPanel, "Close",
               new ActionListener()
                     public void actionPerformed(ActionEvent evt)
                       System.exit(0);
            contentPane.add(buttonPanel, BorderLayout.SOUTH);
            Adds a button to a container.
            @param c the container
            @param title the button title
            @param listener the action listener for the button
         public void addButton(Container c, String title,
            ActionListener listener)
            JButton button = new JButton(title);
            c.add(button);
            button.addActionListener(listener);
            Adds a bouncing ball to the canvas and makes
            it bounce 1,000 times.
         public void addBall()
            try
               Ball b = new Ball(canvas);
               canvas.add(b);
               for (int i = 1; i <= 1000; i++)
                  b.move();
                  Thread.sleep(5);
            catch (InterruptedException exception)
         private BallCanvas canvas;
         public static final int WIDTH = 450;
         public static final int HEIGHT = 350;
        The canvas that draws the balls.
    class BallCanvas extends JPanel
            Add a ball to the canvas.
            @param b the ball to add
       public void add(Ball b)
           balls.add(b);
        public void update(Graphics g) {
             super.update(g);
             System.out.println("Test");
        public void paintComponent(Graphics g)
          super.paintComponent(g);
          Graphics2D g2 = (Graphics2D)g;
          for (int i = 0; i < balls.size(); i++)
             Ball b = (Ball)balls.get(i);
             b.draw(g2);
            // System.out.println("Test");
        private ArrayList balls = new ArrayList();
        A ball that moves and bounces off the edges of a
       component
    class Ball
            Constructs a ball in the upper left corner
            @c the component in which the ball bounces
        public Ball(Component c) { canvas = c; }
           Draws the ball at its current position
           @param g2 the graphics context
        public void draw(Graphics2D g2)
           g2.fill(new Ellipse2D.Double(x, y, XSIZE, YSIZE));
          Moves the ball to the next position, reversing direction
          if it hits one of the edges
       public void move()
          x += dx;
          y += dy;
           if (x < 0)
              x = 0;
              dx = -dx;
         if (x + XSIZE >= canvas.getWidth())
             x = canvas.getWidth() - XSIZE;
              dx = -dx;
           if (y < 0)
             y = 0;
              dy = -dy;
           if (y + YSIZE >= canvas.getHeight())
              y = canvas.getHeight() - YSIZE;
              dy = -dy;
           //canvas.paint(canvas.getGraphics());//this would OK.
           canvas.repaint();//This not work, please tell me why?
        private Component canvas;
        private static final int XSIZE = 15;
       private static final int YSIZE = 15;
       private int x = 0;
       private int y = 0;
       private int dx = 2;
       private int dy = 2;
    }this program create a GUI containing a "add ball" button to creat a ball and make it bounce inside the window. ( this seems to be stupid example but it is just an example of why we should use Thread for the purpose ).
    Note: in the move() method, if i use canvas.repaint() then the ball is not redrawn after each movement. but if i use canvas.paint(canvas.getGraphics()) then everythings seem to be OK.
    Another question: Still the above programe, but If I create the ball and let it bounce in a separate thread, then canvas.repaint() in the move method work OK.
    Any one can tell me why? Thanks alot !!!

    I don't know why the one method works. Based on my Swing knowledge neither method should work. Did you notice that the JButton wasn't repainted until after the ball stopped bouncing. That is because of the following code:
    for (int i = 1; i <= 1000; i++)
        b.move();
        Thread.sleep(5);
    }This code is attempting to move the ball and then sleep for 5 milliseconds. The problem with this code is that you are telling the Event Thread to sleep. Normally painting events are added to the end of the Event Thread to allow for multiple painting requests to be combined into one for painting efficiency. When you tell the Thread to sleep then the GUI doesn't get a chance to repaint itself.
    More details about the EventThread can be found in the Swing tutorial:
    http://java.sun.com/docs/books/tutorial/uiswing/misc/threads.html
    This explains why the button isn't repainted, but it doesn't explain why the ball bounces. I don't know the answer to this for sure, but I do know that there is a method called paintImmediately(...) which causes the painting to be performed immediately without being added to the end of the Event Thread. This means the painting can be done before the Thread sleeps. Maybe the canvas.paint(....) is somehow invoking this method.
    When you click on the button this code is executed in the EvWell in Swing, all GUI painting is done on the Event Thread

  • IOS 8.0.2 camera app not working but FaceTime camera does?

    Went today and had a new screen installed on my 5c and I initially thought that the camera hardware had been mis-installed, bexause opening the camera app yielded a fuzzy image and then a freeze. I tried installing other camera apps and the image doesnt work there. I tried FaceTime and lo and behold, the camera works for FaceTime only. Help?
    Also, there are no restrictions set for my phone.
    Thanks!

    ducati9981 wrote:
    Why would it be Ebay's fault when it was working perfectly before? It's only since I upgraded to ios 8.0.2 this has happened, so explain why Ebay is at fault?
    There are more than a million 3rd parties apps, do you think Apple should wait until all the apps are updated before they release the IOS?
    Apps developers should alway test if their apps can run on the latest platform not the other way round.
    That's why you have this compatibility info.

  • My wireless key board does not work but wireless mouse does?

    I can not get my wireless keyboard to work again after i changed the batteries, It work sonewhat before I chaged the batteries but don't work at all now. I tried removing the thing pluged into the usb port and i pushed the connect button on the bittom of keyboard but nothing works. The wireless mouse works fine. What could be wrong?

    Not sure which KB you have, but I'd check a few things.
    1) You might have a dead battery or two - perhaps try batteries known to be working in another device, such as a TV remote control.
    2) The KB shouldn't need to be re-synced just via a battery change.   However, if you do resync - you might need to hold the sync button longer.   On my TouchSmart IQ804, I usually push mine about 10 seconds or so.   I can pull the USB tranceiver out of the back of the unit and put it in the side/front port, that way I can watch the LED that indicates sync/transfer better.
    I know that there are some good wireless KB troubleshooting documents on the HP website - here is a link to one of them.
    http://h10025.www1.hp.com/ewfrf/wc/document?docname=c00006821&lc=en&cc=uk&dlc=en
    -DM (a long-time HP employee)
    -DM (HP Retiree)
    NOTE: If this helps you or solved your problem - please say thanks by clicking the white kudos star on the left.
    If you think this would also help others, please mark 'Accept as Solution' to help them find it easier.

  • 1 Gen Shuffle front orange light not working but all else does - ideas??

    The front L.E.D. (light) will not glow orange when charging and will not flash (blink) when downloading songs. The rear light (below the on/off switch) does work correctly. The green L.E.D. works properly and the iPod functions correctly in all other respects.
    I have used the iPod on both a Mac iBook G4 and a Windows laptop quite successfully since I purchased it 195 days (6 1/2) months ago.
    Am using iTunes 7.0.2 and iPod software version 1.1.4
    This is a 512mb iPod Shuffle.
    Any ideas and help much appreciated!
    Richard Garrett

    You could probably get it replaced under warranty, and that would be a good solution. It will work fine without it (and no sort of a software fix is going to make it work, in all likelihood), but the amber light does provide some fairly important indications and warnings that you'd do better to have available.

  • Extended desktop not working, but mirror image does

    I am using two identical HP monitors.  I have a Y adapter to connect the monitors.  Which I'm guessing means the computer is only seeing one display since there is only one display output on the back. Can anyone tell me how to get my graphics card to see the second monitor?

    Video Card:
    Radeon HD 5770
    VRAM Type:
    GDDR5 SDRAM
    Details:
    By default, an ATI Radeon HD 5770 with 1 GB of GDDR5 memory is installed in a double-wide, 16-lane PCI Express 2.0 graphics slot.  The card has two Mini DisplayPorts and one dual-link DVI port. By custom configuration it also can be equipped with an ATI Radeon HD 5870 which also has 1 GB of GDDR5 memory for an additional US$200 or two ATI Radeon HD 5770 video cards for an additional US$250. Also see: What are the default graphics cards provided with each Mac Pro? What Mac Pro compatible video cards are available for purchase later? Which video cards have which ports?
    Standard VRAM:
    1 GB
    Maximum VRAM:
    1 GB
    Details:
    Other graphics cards can be pre-installed at the time of purchase or can be installed later.
    Display Support:
    Up to 6 Displays*
    Resolution Support:
    2560x1600*
    Details:
    *Apple advertises that this system is capable of supporting up to six displays but notes that "connecting more than three displays requires installation of two ATI Radeon HD 5770 video cards". Apple also notes that there is "a maximum of two DVI-based displays per graphics card." By default, one ATI Radeon HD 5770 video card is installed and this default video card is capable of supporting three displays -- digital resolutions up to 2560x1600 and analog resolutions up to 2048x1536.
    2nd Display Support:
    Dual/Mirroring
    2nd Max. Resolution:
    2560x1600
    Details:
    The ATI Radeon HD 5770 is capable of supporting three 30-inch displays with a resolution of 2560x1600 in either dual display or mirrored mode.
    http://www.everymac.com/systems/apple/mac_pro/specs/mac-pro-quad-core-3.2-mid-20 10-nehalem-specs.html
    Video (Monitor):
    3
    Details:
    Two Mini DisplayPorts and one dual-link DVI port provided by the default ATI Radeon HD 5770 graphics card. Supports dual display and mirroring modes. This default card is capable of supporting as many as three displays and the Mini DisplayPorts are capable of multichannel audio.
    So, depends on what resolution Monitors you want to use, you need this for upto 1920*1200...
    http://store.apple.com/us/product/MB570Z/B/mini-displayport-to-dvi-adapter
    Or this one for greater resolutions than 1920*1200...
    http://store.apple.com/us/product/MB571Z/A/mini-displayport-to-dual-link-dvi-ada pter

  • PTV and ETT not working but streaming video does

    Here's the drill. I can output to the DSR 25 directly from the timeline and get both audio/video. BUT, when using PTV or ETT nothing goes through the firewire pipe. weird...any thought?
    g

    I am also facing similar issue. I tried literally all solutions and then finally gave up and reinstalled windows 7 after clean format,
    Immediately after fresh OS installation,Youtube just worked once with flash player for hardly 3 to 5 seconds and then crashed with error "an error occured please try again later- Learn More"
    Tried reloading that same youtube video which initially worked for 5 seconds,but on second try it won't load at all.Tried all the other videos as well and same result,they won't play even for one second and same error "an error occured.."
    Scrolling along the seek bar of stuck youtube video shows vid's still images just fine but video won't play at all.
    Tried it with firefox,IE,Chrome and same result.
    Youtube works fine with Html5 player.
    Until 5 days back everything was working just fine, maybe either flashplayer got updated or Youtube changed anything which is causing this problem.
    I even did a clean windows 8 install on another pc and that pc is also showing same symptoms.

  • Regular speaker does not work but speaker phone does?

    I have a Iphone 3G that the regular speaker has quit working on but the speakerphone works fine? What could be wrong with my phone and can I fix it? Or how can I diagnose the problem?

    try plugging your headphones into the headphone jack a the top of your phone,mine did that and i was calling apple and my husband found online that they get dust in them sometimes and need to be cleaned out,so try that,even the guy from apple said the same thing,let me know

  • Executing Command within Pkg.procedure does not work-but command line does

    [Version 10.2.0.2
    [Scenario] Let's say my Username is Jack. My goal is to grant two roles to a user. From the command line, I have no problem.
    PROMPT-> Grant role1,role2 to TESTUSER
    However, when I create a package and procedure (owned by Jack); I receive an ORA-01919 error saying that role2 does not exist.
    There is no question the role exists and I am able to grant it to the TESTUSER on the command line as Jack.
    Any ideas what is going on?

    I can't post it as the database is on another system. However, I found my the fix. My Jack user had grant any role; therefore, I thought it should work both from command line and package.proc; however I granted role2 to Jack with admin privs and it works now both from the command line and the pkg.proc.
    Thanks for the response.

  • Speakers not work but head phones does work

    Recently by dv6 2150us laptop speakers stopped working. The head phones on the laptop is still working. What should I look to resolve this issue

    Hey Rp_ksa,
    I see that you're having an issue with no audio after the update.
    Try this document http://goo.gl/M0y3m.
    THX

  • My Lightning to USB Cables can not work

    Hi,
    I brought an Ipad Air about 2 weeks ago. And today only to find the Lightning to USB Cables can not work. Can I get help from you?

    I can't help you, but if your cables don't work, you can visit your local Apple Store, and they'll likely give you free replacements. (That happened with my iPad Mini.)

  • Hp pavilion g6-2305tx left side usb 3.0 not working after installing windows 7 home premium

    Hi ,
    The left usb ports are not working on my pavillion g6 2305tx after a fresh win 7 installation. Already installed chipset drivers, but this doesnt solve the problem.
    Please check the screenshot below.
    Kindly help.
    Thanks

    Hi,
    Please try installing window 7 USB 3.0 driver for the following issue
    For Win 7 64 bit
    http://h10025.www1.hp.com/ewfrf/wc/softwareDownloadIndex?
    cc=us&lc=en&dlc=en&softwareitem=ob-102571-1
    For Win 7 32 bit
    http://h20000.www2.hp.com/bizsupport/TechSupport/SoftwareDescript
    ion.jsp?
    cc=us&prodSeriesId=5260575&prodNameId=5260578&taskId=135&swItem=w
    k-106309-1
    Regards,
    Sumit
    I am an HP Employee.
    The opinions expressed here are my personal opinions, not of HP.
    Make it easier for other people to find solutions, by marking an answer “Accept as Solution” if it solves your problem.
    Click on Kudos if my post helped you.

  • Windows 8.1 64-bit USB 3 ports not working

    I have a T430s computer model 2352CTO, running Windows 8.1, 64-bit version. Prior to upgrade from Windows 8.0 all drivers were updated. The USB 3 ports worked correctly, in particular running an external 1gb hard drive. After update to 8.1, the USB 3 ports still work, but only for about 30 seconds then the hard drive shuts down. The power light is still lit on the hard drive, but it no longer shows in windows explorer.
    In device manager, I went to Universal Serial Bus Controllers -> USB Root Hub ->Properties->(under General it says "This device is working properly)->Power Management->Unchecked the box for "Allow the computer to turn off this device to save power". Unfortunately this does not seem to stop problem. Any ideas?
    Solved!
    Go to Solution.

    Please try this:
    http://blogs.msdn.com/b/usbcoreblog/archive/2013/11/01/help-after-installing-windows-8-1-my-usb-driv...
    Thanks!
    Houman

  • T420 USB Ports do not work after installing XP

    Hello my office has  been using Lenovo's for some time now but we recently purchased a T420 and installed Windows XP SP3 on it.  The issue we are having is that the uSB ports do not work.  I have tried every driver I can find but still no luck, can anyone help?

    hey chris0277,
    could you check in Device Manager and see if there is any ? or ! symbol on the USB area.
    If there is, i do recommend uninstalling the drivers from it and then visit http://support.lenovo.com and update your unit
    WW Social Media
    Important Note: If you need help, post your question in the forum, and include your system type, model number and OS. Do not post your serial number.
    Did someone help you today? Press the star on the left to thank them with a Kudo!
    If you find a post helpful and it answers your question, please mark it as an "Accepted Solution"!
    Follow @LenovoForums on Twitter!
    Have you checked out the Community Knowledgebase yet?!
    How to send a private message? --> Check out this article.

Maybe you are looking for

  • Windows 2008 Enterprise 32-bit Random Blue Screen 0x000000C4

    Hello, We have a customer with IBM x3500 M3 server, Windows 2008 Enterprise SP2 32-bit, 24GB RAM (Domain, file and print server, rdp server roles installed). Since December 2013, they have been experiencing random reboots (once or twice a month), so

  • Fault message handling in BPM

    Hi again xi fighters I created a business process with a synchronous sending step. I defined all interfaces and implemented also an own fault message type within the synchronous abstract interface. If the used RFC got the correct data the sync. sendi

  • Quad + 7800 GT + two 20" cinema = issues

    So I'm running a quad with the GeForce 7800 GT and two new apple 20 inch displays. Occasionally, one monitor will go to sleep while I am working, and then the other will go to sleep, and then they will both wake up. Typically, it happens in bursts of

  • Error in Form 16 Report

    Hello, I ran the Form 16 report for an employee by inputting the Emp No, Company code, Taxation year and Name of the Layout set as HR_IN_TAXF16000Y. No other inputs. I got the output and when I try to "Print Form", I am getting the below error when I

  • ITunes doesn't load - saying "Directory iTunes doesn't exist" ????

    Dear all, I have reinstalled iTunes 7.xx and get the same error when trying to start iTunes. The error message tells me: Directory "iTunes" doesn't exist in Dir: "Eigene Musik", but it exists. What am I doing wrong ? Could I please get some help ? Th