HT1476 I've blown out 4 charging "cubes". What's up with this?

The little white cube that plugs into the wall keeps frying out. I've lost 4 so far. I really don't want to continue purchasing these things.

If they are failing without abuse they are covered by warranty.  But if they keep failing, have you tried different outlets?  Have you had the line power checked by an electrician to see if there is a surge problem occurring?
For so many to fail it sounds like a power problem.

Similar Messages

  • I can't figure out what's wrong with this code

    First i want this program to allow me to enter a number with the EasyReader class and depending on the number entered it will show that specific line of this peom:
    One two buckle your shoe
    Three four shut the door
    Five six pick up sticks
    Seven eight lay them straight
    Nine ten this is the end.
    The error message i got was an illegal start of expression. I can't figure out why it is giving me this error because i have if (n = 1) || (n = 2) statements. My code is:
    public class PoemSeventeen
    public static void main(String[] args)
    EasyReader console = new EasyReader();
    System.out.println("Enter a number for the poem (0 to quit): ");
    int n = console.readInt();
    if (n = 1) || (n = 2)
    System.out.println("One, two, buckle your shoe");
    else if (n = 3) || (n = 4)
    System.out.println("Three, four, shut the door");
    else if (n = 5) || (n = 6)
    System.out.println("Five, six, pick up sticks");
    else if (n = 7) || (n = 8)
    System.out.println("Seven, eight, lay them straight");
    else if (n = 9) || (n = 10)
    System.out.println("Nine, ten, this is the end");
    else if (n = 0)
    System.out.println("You may exit now");
    else
    System.out.println("Put in a number between 0 and 10");
    I messed around with a few other thing because i had some weird errors before but now i have narrowed it down to just this 1 error.
    The EasyReader class code:
    // package com.skylit.io;
    import java.io.*;
    * @author Gary Litvin
    * @version 1.2, 5/30/02
    * Written as part of
    * <i>Java Methods: An Introduction to Object-Oriented Programming</i>
    * (Skylight Publishing 2001, ISBN 0-9654853-7-4)
    * and
    * <i>Java Methods AB: Data Structures</i>
    * (Skylight Publishing 2003, ISBN 0-9654853-1-5)
    * EasyReader provides simple methods for reading the console and
    * for opening and reading text files. All exceptions are handled
    * inside the class and are hidden from the user.
    * <xmp>
    * Example:
    * =======
    * EasyReader console = new EasyReader();
    * System.out.print("Enter input file name: ");
    * String fileName = console.readLine();
    * EasyReader inFile = new EasyReader(fileName);
    * if (inFile.bad())
    * System.err.println("Can't open " + fileName);
    * System.exit(1);
    * String firstLine = inFile.readLine();
    * if (!inFile.eof()) // or: if (firstLine != null)
    * System.out.println("The first line is : " + firstLine);
    * System.out.print("Enter the maximum number of integers to read: ");
    * int maxCount = console.readInt();
    * int k, count = 0;
    * while (count < maxCount && !inFile.eof())
    * k = inFile.readInt();
    * if (!inFile.eof())
    * // process or store this number
    * count++;
    * inFile.close(); // optional
    * System.out.println(count + " numbers read");
    * </xmp>
    public class EasyReader
    protected String myFileName;
    protected BufferedReader myInFile;
    protected int myErrorFlags = 0;
    protected static final int OPENERROR = 0x0001;
    protected static final int CLOSEERROR = 0x0002;
    protected static final int READERROR = 0x0004;
    protected static final int EOF = 0x0100;
    * Constructor. Prepares console (System.in) for reading
    public EasyReader()
    myFileName = null;
    myErrorFlags = 0;
    myInFile = new BufferedReader(
    new InputStreamReader(System.in), 128);
    * Constructor. opens a file for reading
    * @param fileName the name or pathname of the file
    public EasyReader(String fileName)
    myFileName = fileName;
    myErrorFlags = 0;
    try
    myInFile = new BufferedReader(new FileReader(fileName), 1024);
    catch (FileNotFoundException e)
    myErrorFlags |= OPENERROR;
    myFileName = null;
    * Closes the file
    public void close()
    if (myFileName == null)
    return;
    try
    myInFile.close();
    catch (IOException e)
    System.err.println("Error closing " + myFileName + "\n");
    myErrorFlags |= CLOSEERROR;
    * Checks the status of the file
    * @return true if en error occurred opening or reading the file,
    * false otherwise
    public boolean bad()
    return myErrorFlags != 0;
    * Checks the EOF status of the file
    * @return true if EOF was encountered in the previous read
    * operation, false otherwise
    public boolean eof()
    return (myErrorFlags & EOF) != 0;
    private boolean ready() throws IOException
    return myFileName == null || myInFile.ready();
    * Reads the next character from a file (any character including
    * a space or a newline character).
    * @return character read or <code>null</code> character
    * (Unicode 0) if trying to read beyond the EOF
    public char readChar()
    char ch = '\u0000';
    try
    if (ready())
    ch = (char)myInFile.read();
    catch (IOException e)
    if (myFileName != null)
    System.err.println("Error reading " + myFileName + "\n");
    myErrorFlags |= READERROR;
    if (ch == '\u0000')
    myErrorFlags |= EOF;
    return ch;
    * Reads from the current position in the file up to and including
    * the next newline character. The newline character is thrown away
    * @return the read string (excluding the newline character) or
    * null if trying to read beyond the EOF
    public String readLine()
    String s = null;
    try
    s = myInFile.readLine();
    catch (IOException e)
    if (myFileName != null)
    System.err.println("Error reading " + myFileName + "\n");
    myErrorFlags |= READERROR;
    if (s == null)
    myErrorFlags |= EOF;
    return s;
    * Skips whitespace and reads the next word (a string of consecutive
    * non-whitespace characters (up to but excluding the next space,
    * newline, etc.)
    * @return the read string or null if trying to read beyond the EOF
    public String readWord()
    StringBuffer buffer = new StringBuffer(128);
    char ch = ' ';
    int count = 0;
    String s = null;
    try
    while (ready() && Character.isWhitespace(ch))
    ch = (char)myInFile.read();
    while (ready() && !Character.isWhitespace(ch))
    count++;
    buffer.append(ch);
    myInFile.mark(1);
    ch = (char)myInFile.read();
    if (count > 0)
    myInFile.reset();
    s = buffer.toString();
    else
    myErrorFlags |= EOF;
    catch (IOException e)
    if (myFileName != null)
    System.err.println("Error reading " + myFileName + "\n");
    myErrorFlags |= READERROR;
    return s;
    * Reads the next integer (without validating its format)
    * @return the integer read or 0 if trying to read beyond the EOF
    public int readInt()
    String s = readWord();
    if (s != null)
    return Integer.parseInt(s);
    else
    return 0;
    * Reads the next double (without validating its format)
    * @return the number read or 0 if trying to read beyond the EOF
    public double readDouble()
    String s = readWord();
    if (s != null)
    return Double.parseDouble(s);
    // in Java 1, use: return Double.valueOf(s).doubleValue();
    else
    return 0.0;
    Can anybody please tell me what's wrong with this code? Thanks

    String[] message = {
        "One, two, buckle your shoe",
        "One, two, buckle your shoe",
        "Three, four, shut the door",
        "Three, four, shut the door",
        "Five, six, pick up sticks",
        "Five, six, pick up sticks",
        "Seven, eight, lay them straight",
        "Seven, eight, lay them straight",
        "Nine, ten, this is the end",
        "Nine, ten, this is the end"
    if(n>0)
        System.out.println(message[n]);
    else
        System.exit(0);

  • I just hooked up my Canon MP830 printer/scanner/fax to my MAC and can print but can't scan.  Anyone out there know what to do with this?

    I just hooked up my Canon MP830 printer/scanner/fax to my MAC and can print but can't scan.  Anyone out there know what to do with this?

    Have you downloaded the approriate Snow Leopard drivers for that printer? Make sure you get the appropriate and latest MP Navigator, as you start scans from the computer, not the all-in-one.  Get them from http://www.usa.canon.com/cusa/support/consumer/printers_multifunction/pixma_mp_s eries/pixma_mp830#DriversAndSoftware

  • My iPod 5 turn off when I was listening to music this morning and it was full charge idk what's wrong with it because it won't turn on plus it is a new iPod. I bought the iPod 35 days ago I even have the recieve..

    I Need to know what's wrong  with my iPod 5. it turn itself off this morning when I was listening to music. The iPod is new I bought it 35 days I even have the receive to prove that is 100% mine and not stolen.. Please help me I work really hard to save the money for it and now I can use it is not fair.

    Try:                                               
    - iOS: Not responding or does not turn on           
    - Also try DFU mode after try recovery mode
    How to put iPod touch / iPhone into DFU mode « Karthik's scribblings
    - If not successful and you can't fully turn the iOS device fully off, let the battery fully drain. After charging for an least an hour try the above again.
    - Try another cable              
    - Try on another computer                                                       
    - If still not successful that usually indicates a hardware problem and an appointment at the Genius Bar of an Apple store is in order.
    Apple Retail Store - Genius Bar                                     

  • My iphone will not turn on or charge?  What is wrong with it?

    My Iphone will not turn on and it doesnt show the battery charging, what is wrong with it?

    Try doing a hard reset by holding down the Home Button and the Sleep/Wake Button. This should either get the iPhone started back up or show you a battery icon. If you see the battery icon, go ahead and charge for about 20 minutes and it should be up and running.
    If neither of the two happens; you may need a replacement iPhone.

  • My iphone 5 can not charged. What is wrong with it?

    My iphone 5 can not be charged, What is wrong with it?

    Don't know what's wrong but take it back to apple they will replace it

  • Whenever I connect my iPod touch 5th generation to the charger and turn it on, my touch sensor seems to stop working so I cant unlock my iPod without having to take out the charger. Whats wrong with it?

    I got this iPod about 3 weeks ago. Whenever I connect my iPod to the charger the touch sensor seems to stop working. When my alarm goes off in the mornings i have to unplug the charger to stop the alarm. I cant do anything while the charger is connected. Any ideas what the problem is or how I can stop this happening?

    A few other users have report the same but I have not heard of a solution. Y can try:
    - Another cable
    - Another USB port
    - A wall charger
    - Reset the iOS device. Nothing will be lost       
    Reset iOS device: Hold down the On/Off button and the Home button at the same time for at
    least ten seconds, until the Apple logo appears.
    - Restore from backup. See:                                                
    iOS: How to back up                                                                                     
    - Restore to factory settings/new iOS device.                     
    If still problem, make an appointment at the Genius Bar of an Apple store since it appears you have a hardware problem.
    Apple Retail Store - Genius Bar                                      

  • My macbook pro simply won't turn on. The light is dim when charging! What's wrong with it please?

    Hello there
    My macbook turned off the other day and i havent been able to turn it on since
    When charging it, a faint green light comes on but nothing else
    any help would be much appricated!
    thanks

    The folks at the Genius Bar are very good at Power and other Physical problems like this. Your appointment for an evaluation is FREE, in warranty or out.
    Be sure to bring all the equipment you normally use together -- MacBook, Power Adapter, and external drives and mice, if any.

  • My ipod touch is disabled, i installed the latest version of itunes, but cant figure out how to restore, can anyone help with this?

    My ipod touch is disabled, i installed the latest version of itunes, but cant figure out how to restore the ipod, can anyone help?

    If you run into the "another installation" message even after the reboot of the PC (which is an excellent idea by HTP ProXy), reregistering your Windows Installer Service is worth a try.
    First, launch a command prompt as an administrator. In your Start search, type cmd then right-click on the cmd that comes up and select "Run as administrator".
    At the command prompt:
    Type %windir%\system32\msiexec.exe /unregister and hit enter.
    Type %windir%\syswow64\msiexec.exe /unregister and hit enter.
    Type %windir%\system32\msiexec.exe /regserver and hit enter.
    Type %windir%\syswow64\msiexec.exe /regserver and hit enter.
    Restart the PC and try another reinstalll.

  • HT5457 New app upgrades put 1st gen Ipad users out in the cold - Recently DirecTV and The Blaze both upgraded their ipad apps so that only ios 6 and above were compatible - anyone who has a 1st gen ipad cannot upgrade to ios 6  - what is up with this Appl

    So 1st gen ipad users are basiclly left out in the cold unless they go out an buy a new IPad - of course DTV and The Blaze are blaming Apple and Apple is blaming them - what is the deal Apple -  I pay for my subscription to The Blaze in order to have it on my IPad and now I can't even use it - same with DTV - so is Apple now forcing people to buy upgraded devices thru their apps that will no longer support the older generations - what a joke this is and bad business.

    Unfortunately software always moves faster than hardware.
    Apple's not going to change things. You can try talking to those two app developers and have them make their older versions available.
    Beyond that, if you wish to express yourself directly to Apple, http://www.apple.com/feedback/
    This is just a user to user forum, so there's nothing anyone here can do for you I'm afraid.

  • I just upgraded from PE 7 to PE 12.  Most of my editing options are grayed out. What's up with this?

    Why are most of my editing options grayed out in PE 12?  I am a painter and I need to crop and edit my paintings.  Specifically, I need to distort them to bring them back into square.  I know that has a technical name but don't know it.

    What a weird thing that I had to be in "expert" mode.  I'll never know why software manufacturers need to make things more complicated.
    Thanks!

  • My IPOD will not charge and when I plug it into computer, the cord gets extremely hot but no charge, what is wrong with this thing?

    My IPOD will not charge, I have tried the docking station nothing, I tried plugging into the computer and nothing but the cord got extremely hot.  I need my IPOD, any suggestions.

    Sounds like a hardware problem.  Take it to the nearest Apple Store.

  • I baught a 32g i pod touch. but it only has 28.6g out of the box. what's up with that?

    I baught a 32 GB ipod touch from best buy. I took it straigh out of the box and it only has 28.6 GB of available space. why is that. i baught a 32 gb not a 28gb! lol why do i only have 28.6 GB?

    christopherfrommanhattan wrote:
    I baught a 32 GB ipod touch from best buy. I took it straigh out of the box and it only has 28.6 GB of available space. why is that. i baught a 32 gb not a 28gb! lol why do i only have 28.6 GB?
    See Here...
    https://discussions.apple.com/message/12289884#12289884

  • Help with figuring out what to use with this program

    I have the code all written. I was given instruction.(number should contain the number of digits as there are eligible characters in word or 7, whichever is less. If number ends up containing more than 3 digits then a hyphen ( - ) should be placed between the third and fourth digits.)
    I cant figure out if i use a if and else statement or some other and also how to get the program to print out just the normal 7 digits in a number and forget about the rest if entered.
    // Phone.java
    // Author:
    import java.util.Scanner;
    public class Phone{
    private String word;
    private String number;
    public Phone(String wd) {
    word = wd;
    number = ("");
    setNumber();
    private void setNumber(){
    for (int i = 0; i <= word.length() - 1; i++ )
    switch(word.charAt(i))
    case 'A':
    case 'a':
    case 'B':
    case 'b':
    case 'C':
    case 'c': number += "2";
    break;
    case 'D':
    case 'd':
    case 'E':
    case 'e':
    case 'F':
    case 'f': number += "3";
    break;
    case 'G':
    case 'g':
    case 'H':
    case 'h':
    case 'I':
    case 'i': number += "4";
    break;
    case 'J':
    case 'j':
    case 'K':
    case 'k':
    case 'L':
    case 'l': number += "5";
    break;
    case 'M':
    case 'm':
    case 'N':
    case 'n':
    case 'O':
    case 'o': number += "6";
    break;
    case 'P':
    case 'p':
    case 'R':
    case 'r':
    case 'S':
    case 's': number += "7";
    break;
    case 'T':
    case 't':
    case 'U':
    case 'u':
    case 'V':
    case 'v': number += "8";
    break;
    case 'W':
    case 'w':
    case 'X':
    case 'x':
    case 'Y':
    case 'y': number += "9";
    break;
    public String toString(){
    return number;
    }

    adr2488 wrote:
    number should contain the number of digits as there are eligible characters in word or 7, whichever is less. If number ends up containing more than 3 digits then a hyphen ( - ) should be placed between the third and fourth digits.
    int len = (word.length()>7) ? 7 : word.length(); // A
    if (i==3 && len > 3) { number += "-"; } // B
    private void setNumber(){
    // Insert A here
    for (int i = 0; i <= len - 1; i++ )
    // Insert B here
    switch(word.charAt(i))
    {

  • Ipad mini is not charging anymore, what is wrong with it?

    i tried plugging in my ipad mini, and it doesn't charge anymore, i tried plugging it in the wall i got nothing and also my computer. Could there be something wrong with the cord?

    Most computer USB ports do not prove enough power to charge your iPad efficiently so don't bother with that.
    Use the charger that came with the iPad and plug that into a known good wall outlet. If the iPad does not charge the problem lies in one of these areas:
    1. The outlet is not supplying power
    2. The cord is not plugged in correctly at one or both ends.
    3. The cord is defective. You might try a friends cord to see if that makes a difference.
    4. The charger is defective. Try borrowing one from a friend to test that.
    5. The plug on your iPad has dirt or debris in it.
    6. There is a hardware failure in your iPad.
    For any of these items you cannot test yourself I suggest making an appointment at an Apple store to have your iPad, cable and charger looked at.

Maybe you are looking for

  • Thunderbolt and FireWire 800 / 400

    Hey gang! I have a 2011 MacMini and a theoretical question.  I have a FW800 external drive connected to it for my TimeMachine backup.  I also have a FW400 audio capture box I use from time to time. I used to chain the drive and audio device, but that

  • How can I filter J1939 CAN messages by Command Byte. (NI-CAN)

    We have customers who use the first byte of data as an additional header byte. They have the usual J1939 extended header along with the first byte. Does anyone know of a way to filter on this in "Measurement & Automation Manager" (NI-CAN). We then br

  • IPod Classic to iMac photo transfer

    Laptop died, lost everything. However, my old iPod Classic (click wheel 120GB) still had all of my old photos on it. I have an iMac now and am trying to transfer the photos over. Any good (hopefully free, although not opposed to buying) transfer soft

  • Process Capability

    Hello, Please note that once we generate Control chart for the Required Characterisitcs. I would like to know the Table and fields for the Process Capability that is Cp and Cpk . Please let me know ASAP. I need to develop a report for the above. With

  • Msg 22051 Database Mail Attachment file is invalid

    Hello, I'm testing a trigger to output a text file and then attach it to an email in Database Mail. So far, I've gotten the correct text file to export to a TEMP folder, but when I try to attach it to database mail, I get the message below. I think i