WindowListener is being a pain

I'm trying to be able to detect when the little x button is pressed:
import javax.swing.*;
import java.awt.*;
import java.awt.event.*;
public class Tictactoe  extends JPanel
               implements WindowListener,
                       WindowFocusListener,
                       WindowStateListener
     private JButton buttons[][] = null;
     private String name1;
     private String name2;
     private boolean okToGo = false;
     private String turn = "X";
     private int turnNum = 1;
     private int rows;
     private int cols;
     private int cat = 0;
     private String series;
     private int name1wins;
     private int name2wins;
     JFrame frame;
     public Tictactoe()
          frame = new JFrame("Jacob's Tic Tac Toe");
          frame.addWindowListener(this);
          JPanel panel = new JPanel(new GridLayout(3,3));
          buttons = new JButton[3][3];
          for (int r=0; r<3; r++)
               for (int c=0; c<3; c++)
                    buttons[r][c] = new JButton(" ");
                    buttons[r][c].setBackground(Color.black);
                    buttons[r][c].addActionListener(this);
                    buttons[r][c].setActionCommand("" +(3*r+c));
                    panel.add(buttons[r][c]);
          frame.setContentPane(panel);
          frame.pack();
          frame.setVisible(true);
          name1 = JOptionPane.showInputDialog(null, "What is Player X's name?");
          name2 = JOptionPane.showInputDialog(null, "What is Player O's name?");
          frame.setTitle("Jacob's Tic Tac Toe - " + name1 + "'s turn");
          System.out.println ("Ctrl+C quits the program if quit from x button");
          JOptionPane.showMessageDialog(null, "Please check whoose turn it is (look at the top bar)");
     public static void main (String[] args)
          Tictactoe sa = new Tictactoe();
     public void changeLabel()
          if (turn.equals("X"))
               frame.setTitle("Jacob's Tic Tac Toe - " + name1 + "'s turn - " + series);
          else
               frame.setTitle("Jacob's Tic Tac Toe - " + name2 + "'s turn - " + series);
     public void actionPerformed(ActionEvent e)
          String ac = e.getActionCommand();
          int decoded = Integer.parseInt(ac);
          int row = decoded / 3;
          int col = decoded % 3;
          rows = row;
          cols = col;
          okToGo = false;
          if (name1wins > name2wins)
               series = name1 + " is winning " + name1wins + " to " + name2wins;
          else if (name1wins < name2wins)
               series = name2 + " is winning " + name2wins + " to " + name1wins;
          else if (name1wins == name2wins)
               series = "Tied " + name1wins + " to " + name2wins;
          if (buttons[rows][cols].getBackground() == Color.black)
               okToGo = true;
          else
               JOptionPane.showMessageDialog(null, "You can't go there.");
          if (okToGo == true)
               if (turn.equals("X"))
                    buttons[rows][cols].setBackground(Color.orange);
                    buttons[rows][cols].setLabel("X");
               else
                    buttons[rows][cols].setBackground(Color.blue);
                    buttons[rows][cols].setLabel("O");
               if (((buttons[0][0].getLabel() == turn) && (buttons[0][1].getLabel() == turn) && (buttons[0][2].getLabel() == turn)) || ((buttons[1][0].getLabel() == turn) && (buttons[1][1].getLabel() == turn) && (buttons[1][2].getLabel() == turn)) || ((buttons[2][0].getLabel() == turn) && (buttons[2][1].getLabel() == turn) && (buttons[2][2].getLabel() == turn)) || ((buttons[0][0].getLabel() == turn) && (buttons[1][0].getLabel() == turn) && (buttons[2][0].getLabel() == turn)) || ((buttons[0][1].getLabel() == turn) && (buttons[1][1].getLabel() == turn) && (buttons[2][1].getLabel() == turn)) || ((buttons[0][2].getLabel() == turn) && (buttons[1][2].getLabel() == turn) && (buttons[2][2].getLabel() == turn)) || ((buttons[0][0].getLabel() == turn) && (buttons[1][1].getLabel() == turn) && (buttons[2][2].getLabel() == turn)) || ((buttons[0][2].getLabel() == turn) && (buttons[1][1].getLabel() == turn) && (buttons[2][0].getLabel() == turn)))
                    if (turn.equals("X"))
                         JOptionPane.showMessageDialog(null, name1 + " wins the match!!!");
                         name1wins = name1wins+1;
                         Cleanup();
                    else
                         JOptionPane.showMessageDialog(null, name2 + " wins the match!!!");
                         name2wins = name2wins+1;
                         Cleanup();
               for (int a = 0; a<3; a++)
                    for (int b = 0; b<3; b++)
                         if (buttons[a].getBackground() != Color.black)
                              cat++;
                              if (cat == 9)
                                   JOptionPane.showMessageDialog(null, "Cat's Game!");
                                   Cleanup();
               cat = 0;
               if (turn.equals("X"))
                    turn = "O";
                    changeLabel();
               else
                    turn = "X";
                    changeLabel();
     public void Cleanup()
          int quit;
          quit = JOptionPane.showConfirmDialog(null, "Do you want to play again?", "Do you want to play again?", JOptionPane.YES_NO_OPTION);
          if (quit == 0)
               for (int r=0; r<3; r++)
                    for (int c=0; c<3; c++)
                         buttons[r][c].setLabel(" ");
                         buttons[r][c].setBackground(Color.black);
               boolean okToGo = false;
               turn = "X";
               changeLabel();
          else
               System.exit(0);
     public void windowClosing(WindowEvent e)
          int quitBox = JOptionPane.showConfirmDialog(null, "Quit?", "Are you sure you want to quit?", JOptionPane.YES_NO_OPTION);
          if (quitBox == 1)
               System.exit(0);
          else
I get two errors:
Tictactoe.java:5: Tictactoe is not abstract and does not override abstract method windowDeactivated(java.awt.event.WidowEvent) in java.awt.event.WindowListenter
public class Tictactoe extends JPanel
^
Tictactoe.java:36: addActionListener(java.awt.event.ActionListener) in javax.swing.AbstractButton cannot be applied to (Tictactoe)
buttons[r][c].addActionListener(this);
^
Note: Tictactoe.java uses or overrides a deprecated API.
Note: Recompile with -Xlint:deprecation for details.
2 errors
Those notes at the end are about changing the button color, it hates me for that.
If somebody could help me that would be great.
And, I've already looked at the WindowEventDemo tutorial code, and my importing looks the same and stuff.

You did not implement action listener
so this statement
buttons[r][c].addActionListener(this);gives an error because the parameter "this" is not an action listener.
in this case you could probably do this
ActionListener l = new ActionListener(){
   public void actionPerformed(ActionEvent ae){
     //do stuff
});then inside the loop you could add this listener to all of the buttons.
buttons[r][c].addActionListener(l);

Similar Messages

  • Zen touch being a pain

    This is probably my fourth post about this. My Zen Touch will just not keep working. It wont turn at all unless i reset it 4 times a day. and i just did a disk clean up and it still is being a pain. do you think it could be my firmware? i would have updated but im on vacation and forgot my hook-up to the compuer. And i have to fly home tomorrow and if i have no music i will dieeee. Thanks
    Dube.

    All you can try is a disk cleanup, format and reloading the firmware.
    If none of these solve it then the player is faulty and you need to contact support.

  • TS1702 my ipad mini is being a pain, if i update an app when i open it it turns right off

    my ipad is being a pain, if i update an app, when i open it will blink and shut off

    It sounds to me like your apps crash after you update them. Try this now and see if it helps at all. Close all of your apps in the recent tray at the bottom of the iPad, and then reboot the iPad.
    Tap the home button once. Then tap the home button twice and the recents tray will appear at the bottom of the screen. Tap and hold down on any app icon until it begins to wiggle. Tap the minus sign in the upper left corner of the app that you want to close. Tap the home button twice.
    Reboot the iPad by holding down on the sleep and home buttons at the same time for about 10-15 seconds until the Apple Logo appears - ignore the red slider if it appears on the screen - let go of the buttons. Let the iPad start up.

  • Power Mac G5 being a pain in the behind

    So, I've got my Power Mac G5 here, Dual 2 GHz, 2 gigs of ram, and it just hates me. The problem now is that with the air deflector shield in place the front 2 fans for the processor are running at full power but without the air deflector shield they barley turn to the point where processor 0 gets so hot you could probably just stick some corn wrapped in foil in there, stick the side on it, wait 15 minutes and have a snack.
    I don't have a hardware test disk so I can't test this (I got it with no drives and mismatching ram) and I contacted the local apple repair guy and he said it would cost between $200-500 to fix it and if I had that much I would go on Craigslist and buy a second hand Mac Mini or something newer than a PPC mac.

    512 Mb of DDR400 ram
    400 MHz DDR PC3200
    http://support.apple.com/kb/ht2248?viewlocale=en_us
    Now, it's using the ECC part of the ram
    It cannot use the "ECC part" without a compatible memory controller.
    You can say that the machine is running with ECC RAM installed, but you cannot say that the ECC is being used and supported.
    Halfway through the Mac OS install it froze and all the fans went back up to full speed.
    Did it pass calibration?
    Do both CPUs report?
    I would want at least one pair of known good, properly specified Mac compatible RAM installed in the machine before further testing.
    http://manuals.info.apple.com/en/Memory.pdf

  • Nokia 6500 classic is being an Pain!

    I've had a Nokia 6500 classic for a few months now and the main charger wont charge the phone. But on top of this the USB charger only charges the phone to about half way and then stops. Any ideas on how to get this phone charged, the only options I know is get a new charger or send the phone for repair, but I'm trying to avoid these if there is some other way.
    Cheers,
    MODERATORS NOTE:  The profanities have been removed. Offensive language is not allowed on the forums. Please do not use offensive language on the forums

    Most likely it's a hardware problem.Take ur phone to your local nokia care point to solve the problems.
    Nokia E63-1, RM-437, 510.21.010
    Nokia C5-00.2,RM-745,091.002

  • Microsoft Word is being a pain

    ok here is the story. I found out Microsfot word, the test drive doesn't do printing. so we had a Microsoft Wofd 2004 we installed, then instead of the normla thing comming up like we nomally do, there is a window that said to find a past version to update on when there isn't and we have never seen that before.
    What should I do?

    so basically if I waiting till the office x expired. uninstall that, install the office 2004 test drive, then use the CD, it would work?
    Not quite. If you were to install the 2004 test drive, it will eventually expire and prevent the full version from working. Even if you install the full version over the test drive. You need to get any test drive versions completely off of the hard drive.
    As I understand your latest post, you've at one time installed both the Office X and Office 2004 test drive versions. You need to do the following in order.
    1) Install the Office X test drive. Remove it using its removal tool.
    2) Install the Office 2004 test drive. Remove it using its removal tool.
    3) Install the full version of Office 2004 from the CD.

  • Malware really being a pain

    Through blood sweat and tears I have finally located the source of the problem that for no reason closes down itunes and quicktime and doesn't allow them to operate. I have to run msconfig almost every time I start my computer, click on the startup tab, and disable two programs named "ycriyc" located in "C\WINDOWS\system32\ycriyc.exe reg_run" and "pjgh" located in "C\Documents and Settings\All Users\Start Menu\Programs\Startup\pjgh.exe". I have searched for the physical files on my computer, and at least ycriyc shows up, but pjgh does not. Whenever I try to delete ycriyc it says the program is in use in the memory. My task manager seems to tell me otherwise. And trying to delete pjgh is just pointless because the file doesn't even show up in my computer.
    I am sick and tired of having to start my computer up twice every time I want to use it, and sometimes I have to restart it in the middle of a windows session because some unknown factor sometimes starts up the hidden programs again. If anyone has had this issue or knows of a solution for it, I beg to know. I am at my wit's end and am considering just wiping out my PC's hard drive and starting with a clean slate, but that is an absolute last resort I'd rather not do.

    If ewido doesn't get rid of that Qoologic-type
    malware, try these DOS commands
    http://mysite.verizon.net/dbjcgj/id1.html
    THANK YOU! I can't tell you how much I owe you, that site regarding the DOS prompt helped me beyond measure. I sure am glad people like you who know that much about the OS and fixing it go to these forums to help out techno-wimps like me. Thanks again
      Windows XP  
      Windows XP  

  • Ipod shuffle being a pain

    ive had my shuffle since march and has worked fine till now, whenever i attempt to switch it on, it fails to do so untill like the 100th click on the play wheel, and thats on a good day, most of the time it does not work, however it seems to switch on just fine when i plug in my battery pak, the lil bugger lights up just fine. Would it possible if apple might exchange it for me???, i still have my receipt and the packaging???.

    The iPod has a 1 year limited (emphasis on limited!) warranty. You can use this link to return your shuffle to Apple and they'll send you a replacement unit:
    http://depot.info.apple.com/ipodshuffle/
    But because this is after the first 6 months of the warranty, you'll have to pay something like a 30$ shipping and handling fee.
    Good luck!
    Sara.

  • YouView + Being a pain!

    Hi All,
    I have been with BT for about 15 months now, started off where I should have had a YouView box, instead I ended up with a BT Vision Box (I Know its the YouView section! but it all comes into play!). Anyway, not long after acquiring the BT Vision + Box it had issues, recordings misbehaving, navigating recordings misbehaving, Box resetting itself and the inability to sync tot he server and realise I was entitled to HD.
    Anyway, my contract ended and BT was still cheaper than most the competition and so I renewed on the premise I got the YouView +  box thrown in! a month down the line though and I feel history is repeating itself!
    So Now, I have the following issues on my YouView box:
    1) No obvious recording clashes but for some reason, some recordings only record up to 5 minutes then end the recordings!
    2) Navigating recordings - Over the Christmas period we recorded a few different things, across internet channels (Discovery) and also Freeview (E4 I think it was!). Anyway, having fast forwarded these recordings at the adverts or to accelerate to the start of the recording, all of a sudden you jump from 5 minutes to 59 minutes and its the end of the recording! However, if you sit and watch the adverts, the recording goes straight through.
    Anyway, so I was watching Highway Thru Hell this morning (Discovery channel) and I watched it through until 45 minutes, then tried to fast forward and it jumped to 59 minutes! So at the MyView page, I pressed right to start the recording from 45 minutes and clicked play, then it started from 0, so I pressed fast forward (or skip as the case is with internet channels) and pressed skip once every 3 seconds, managed to skip to about 28 minutes and then it skipped altogether to 59 minutes. As you can guess, I gave up at that point! This also happened with a childrens film we recorded over the christmas period.
    On a plus side, I have the channels I am entitled to and the box hasnt yet reset itself!
    Am I the only one to experience these issues of late (as I know YV+ had an update at the rear end of last year)? I hope this isnt going to proceed as its really driving me mad already. I follow the usual steps of rebooting the box, resetting the internet, checking for updates, and all come back without positive effect.
    Am I just doing something wrong or has someone else noticed an issue similar to this?

    Having reviewed another thread, it seems I am not alone. Moderators I would appreciate if you could junk this one to make peoples lives easier!

  • IPod Touch & Wifi Being A Pain

    Hello,
    I am having terrible problems getting the Wifi to work on my IPod Touch. Is there some secret or routers that don't work well with the Touch.
    Apple has made this much more difficult than it needs to be!
    I want to use bluetooth with some headphones and to spend all weekend off and on is rediculous.
    Hobbydad

    Overall, iPod networking is as simple as you want it to be. You can connect to any b/g wireless network that either has no encryption or uses WPA-psk, WPA2-psk, and WEP (although some restrictions do apply with WEP). Routers older that 2-3 years maybe problematic unless their firmware is upgraded.
    This article will help you: http://support.apple.com/kb/TS1398
    As to bluetooth, the touch will only work with headsets designed for music only.
    You might want to read through the manual for both of these. http://manuals.info.apple.com/enUS/iPod_touch_3.1_UserGuide.pdf

  • MSI K7N2 Delta-ILSR Power problem?!

    So I worked all last night trying to fix the damn thing. It wants to keep powering off on its own. So I unplugged all the devices from the board and powersupply except the only needed items, the board, power switch, and memory (cpu fan of course left on). Still turns off. Reset bios, still. Put system into safe mode by the jumper. Still.
    Okay so I gave up, and took the board, memory and processor into a local place that sells these boards. They have seen a few problems with them. 4 hrs later, $55 short they tell me the heat sink wasn't on the chip right so it caused the board to think it was hot and shut itself down right away! He said he ran it for most of the day. So I am like whatever! He left it on there how he had it. I took it home, hooked it back up, and there it goes again!
    The 1st night it ran fine, no hd, but I ran it the whole evening. The 2nd night I powered it up, it started to do this. Nothing changed. So now I am getting ticked off. I am about to take my whole case, and system back to those guys and tell them see....
    Anyone who has used this board have any ideas? I have built many systems and this is the first one that is being a pain in the butt.
    PowerMAX 400w powersupply.
    LP-8800D MODEL #

    Powersupply was brand new and came with the case. :(
    Quote
    Originally posted by twistedbrowntucker
    Quote
    Originally posted by rzotz
    What I am noticing is that when it sits for 10-15 min, and I try to turn it on again, it takes a little longer before it turns off.  It actually may stay on up to 5 sec, then turn off.  But if I try again a few times in a row, maybe .5-1 sec it cuts off.  I have already reseated the heatsink on the processor again.
    Powersupply is rated at:
    +12v - 25amps
    +3.3v - 28a
    +5vsb - 2.0a
    Power supplies can go bad at anytime.Take the whole thing up there.Case and all and let them check it out.BTW all power supplies aren't equal. IMHO buy an Antec TruePower 430 or 480 watt

  • Error reading/writing file message when opening garageband and/or files

    I've been recently getting this message when I open garageband and files
    "Error reading/writing file\U201Ccom.apple.garageband.cs\U201D
    I've been in and repaired disk permissions and all that it says it is all fine, reinstall garageband and message still comes up, weird.
    not only is garageband being a nuisance, Mac OS X 10.6.2 is being a pain when shutting down telling me to restart the computer. This only happened since upgrading to 10.6. No one as yet knows this promble so I'm gonna have to ring apple and see what is going on here.
    and also my other problem is that mac doesn't seem as snappy anymore I noticed this before upgrading to 10.6 and made no difference when "cleanly" installing 10.6. I get a colour wheel popping up and i'm having to wait with simple tasks. iMac only 2 years old.

    i give up with this discussion forum no no one knows anything

  • Having problem to get the value from radio button

    i am doing my double module project for my degree course and i am also a newbie in JSP. Hope there is someone can help me to solve this problem. Now, i set the value of a radio button to "don't smoke", "smoke lightly", and "smoke heavily". Then i use request.getParameter ("smoking behavior") to get the value selected by the user, but the result is only "don't" or "smoke", which the character after spacing will be not be retrieved. I dun know how to solve it, so can any expert here help me to solve this problem? Thanks for helping.

    Why do you have to use whitespace. If your radio button group is name smokingBehavior - no whitespace, wouldn't it just make sence to have values of don't, lightly and heavily. This would solve the problem easily. If your teacher is being a pain in the a&!, and requires you to use whitespace for your naming variables I guess you could insert %20 between the two words and unescape the value on the server side. This seems like a lot of unnecessary work and a silly solution - good luck!

  • I need to buy a new MB for college! I'm thinking of getting a 13" MBA w/ the external DVD/CDROM drive and portable/external/whatever it's called memory. Where should I buy, Best Buy or Apple Store?

    So basically a BB employee told me that instead of giving me the apple giftcard (one that would given to me for the back-to-school deal at apple) they would discount that off. Also, she says that their insurance policy (instead of apple care) would replace my macbook "then and there" if anything were to happen to it. Sounds too good to be true since I've had MANY MANY troubles with BB when I bought my first and only white MB 4 years ago. They were horrible. But she said the policy has changed since then and that people come in to exchange MBs daily. Can anyone help me! :3 Thank you <3
    ALSO, (sorry for being a pain) is the MBA a good choice if I'm getting an external/portable hardrive as well as a DVD/CD-ROM drive? I need a MB for college stuff: writing papers, projects, presentations, other general college stuff. MBA doesn't have moving parts, which is a huge plus since I am not careful with my things, and will probably drop my MB a million times.

    MacBook Air is a perfect choice for a college student. I have used a MBA as my only machine for several years now and am a professional in the advertising industry. I write a lot, do some (little) graphics work, code, and create presentations and videos. It's more than capable.
    I have an external CDRW/DVDRW but I got mine from Amazon it's not Apple-branded. It works great but was a fraction of the cost. Also if you buy the Air from Amazon you can get free shipping and pay no sales tax, which may come out to less than getting the educational discount. However, if you qualify for both the $100 gift card and the educational discount you'll probably come out better getting it at Apple.
    Here's the top of the line Air at Amazon: https://www.amazon.com/dp/B00746YD24/ref=as_li_ss_til?tag=beley-20&camp=0&creati ve=0&linkCode=as4&creativeASIN=B00746YD24&adid=0PNV1Q2S073PY61NZQZX&
    And a good DVD burner: https://www.amazon.com/dp/B004ZMVQRA/ref=as_li_ss_til?tag=beley-20&camp=0&creati ve=0&linkCode=as4&creativeASIN=B004ZMVQRA&adid=1GWB9HRMSW1VW92SD9WF&

  • ITunes Match; a waste of time for mobile devices and the impatient

    I recently subscribed to itunes match, aside from being able to upgrade a portion of my lower bitrate files, I am extremely dissapointed (as are many others I've read about having the same issues.) 
    First, getting all of my music on the server was a nightmare.  I spent way more time then I'd like to admit tricking iTunes into accepting my data.  Quite a bit of my library is in fact available for purchase in the itunes store, but only portions of most of the albums actually matched - the remaining portions had to upload. Fine, I'm okay with that aside from not being able to upgrade albums in their entirety, now I have some tracks at 256, others in the same album at 128 or whatever - I decided to selectively chose alums/tracks that I really cared about or didn't feel like re importing from disc in a few cases.  Fine.. annoying, but not a total deal breaker.
    I was finally able to figure out how (without apples help btw.. they didn't know this procedure when I spent an hour or so on the chat, screen sharing with a "specialisdt")  to trick itunes into uploadeing all "waiting" tracks by doing the AAC conversion myself manually and then replacing the compressed data locally with apple lossless files (both m4a files) while retainging the compressed data on the cloud.  fine.. I enjoy trouble shooting and problem solving, I was actually psyched to figure it out and be able to retain my high quality files locally without having doubles or redundant data in an archive elsewhere not within the iTunes data base.  Fine. apple lossless is no wav, aiff, but I can compramise also in order to imbed meta data which wav is not able to do.
    What I want is access to my entire library and to be able to either stream songs over wifi or 4g and/or download locally for when I'm off network in the boonies, etc.  *side note: don't anyone tell me this isn't a streaming service and that it only downloads to the device because it in fact does... it's just intollerably slow more often than not.  Now I can deal with that, that is either my cellular provider throttling me, or it's Apple's servers.  I will assume a bit of both.  also, don't tell me that matched content downloads faster then uploaded content.. that's BS, I've run the tests on multiple devices and there is no consitacy to it.. it all depends on the traffic on iCloud servers, wireless towers and size of the file/leanght of track, etc.  Fine.
    I've run the speed test, I've rebooted divices.  I've reset/confirmed/adjusted network setting.. I've done most of what I could do on my end as a user.  I can't seemlessly stream data on my unlimmited data plan from at&t from apple.. fine.. I get it.. regarless of my slow streaming issues - it's a first world problem.. whatever, I can deal. 
    My biggest gripe is that when I download either matched songs or uploaded content, it's is painfully slow to do so.. it's a waste of time.. manging the library on mobile devices takes forward thought and plenty of patience.. I might as well do this at home tethered to my desktop - convert to 128 to save space and accept my choices and deal with what I have loacally for the time when I'm out and about.   Now whren I buy something from apple over the 4g network or even the edge network,... &*^% downloads lickity split.. *** apple .. fine, it's big business.. I get it.. I for one would have paid 100 bucks a year if this service worked as advertised.. maybe more.,.. it's awesome in  theory, but is not realy for the limelight even still 2 years after the release.. hopefully it'll get better soon...
    Now this works great in my home over laptop, apple tv, but over ipad and iphone.. not so much.. actually working fine right now as long as I don't change the track abruptly... figures after this long rant.... once I continue on my day I'm sure it'll go back to being a pain.
    I'm going to use it at home, maybe on the run very ocasionally.. I guess that's what Apple thought we'd want, but they have been so misleading with this, and so abscent with trouble shooting an technical support that I've given up.. if I wasn't so in love with thier UI's and hardware (for the most part) I'd walk in time since steve jobs is now gone.
    unless you want to wrestle with it for hours and hours, or just want to upgrade your low quality files and bounce.. don't waste your time people.. ^$^$ all that noise
    It's too bad Samsung assinated Steve Jobs.. he'd never let this service be released uptil it was ready.   in the future I may have to go to the dark side and get a galaxy tab and smart phone, a Dell.. window vista.. naaaa just kidding.  *** apple.. p,lease sort your ^$%&7 out.
    Done and done. 
    please fix this Apple, I want to love iTunes match, I really do.

    Firstly, this is a user-to-user forum: you're not talking to Apple here.
    Just saying it 'doesn't work' doesn't make it possible to offer any cogent suggestion - one would need a lot more detail on what you've tried and what the result have been - including your operating system details. However if the thing is actually faulty - this is rare, it works fine for most people, but it can happen - then plainly you need to contact the people you bought it from, or take it into an Apple Store if you can, and ask for a replacement or repair.

Maybe you are looking for

  • Computers sound on iPad with Remote Desktop but muted on laptop.

    I'm currently using iTeleport for a remote desktop app (but looking for something better). Anyway, I would like to hear the laptop sound (core audio output) on the iPad - but here's the catch - I want the laptop speakers muted. Is this possible? Can

  • Xorg.conf for legacy G3 imac with ATI Riva128

    Hi, after spending a few nights trying to figure out how to get ATI drivers working, and staring at newer and exotic Xorg error messages, I eventually found a working setup. I thought I'd post it here for records, and in case it could help someone. S

  • To delete child records manually without using oracle's delete cascade

    Hi all I have to write a procedure that accepts schema name, table name and column value as parameters....I knew that i need to use metadata to do that deleting manually....I am a beginner...can somebody help me with the procedure?

  • USB flash drive not recognised

    I have just bought a CamSports EVO helmet camera and my Mac won't recognise it. When I plug it in to the USB port it charges but will not show as a drive on the desktop. I've tried it on other Macs and it won't work on those either, but it appears st

  • OSB Adapters

    I see that now the JCA adapters are available with OSB. But am still confused with are they available exactly as is with BPEL in Jdev or in Eclipse. Basically need to know what are the prerequisites to do simple file polling, database query etc. than