Problem with username

i doing a chat application and using vector for storing the usernames...but when i use the contains method in vector my client applet will hang...could anyone give me any example of chat server validating username and sending result back to client code....

below are my source code....pls help
ChatServer.java
import java.net.*;
import java.io.*;
import java.util.*;
public class ChatServer {
static LinkedList ClientList = new LinkedList();
public static void main (String args[]) throws IOException {
ServerSocket server = new ServerSocket (10000);
while (true) {
System.out.println( "Waiting for connection...");
Socket client = server.accept ();
ClientList.add( client );
System.out.println ("Accepted from " + client.getInetAddress ());
ChatHandler c = new ChatHandler (client);
c.start ();
ChatHandler.java
import java.net.*;
import java.io.*;
import java.util.*;
import javax.swing.JOptionPane;
public class ChatHandler extends Thread {
protected Socket s;
protected DataInputStream i;
protected DataOutputStream o;
String name;
public ChatHandler (Socket s) throws IOException {
this.s = s;
i = new DataInputStream (new BufferedInputStream (s.getInputStream ()));
o = new DataOutputStream (new BufferedOutputStream (s.getOutputStream ()));
protected static Vector clientlist = new Vector ();
protected static Vector handlers = new Vector ();
public void run () {
try {
name = i.readUTF();
if( name.startsWith( "NICKNAME:" ) )
name = name.substring( 9 );
     if ( clientlist.contains( name ) )
          o.writeUTF( "false" );
     else
     broadcast (name + " has joined.");
     handlers.addElement (this);
     clientlist.addElement(name);
Enumeration enum = clientlist.elements();
               while ( enum.hasMoreElements() )
                    broadcast ( "USERLIST:" + (String)enum.nextElement() );
while (true) {
String msg = i.readUTF ();
if(msg.equals("/who"))
     Enumeration enum = clientlist.elements();
               while ( enum.hasMoreElements() )
                    broadcast ( "USERLIST:" + (String)enum.nextElement() );
broadcast (name + " - " + msg);
} catch (IOException ex) {
ex.printStackTrace ();
} finally {
handlers.removeElement (this);
broadcast (name + " has left.");
try {
s.close ();
} catch (IOException ex) {
ex.printStackTrace();
protected static void broadcast (String message) {
synchronized (handlers) {
Enumeration e = handlers.elements ();
while (e.hasMoreElements ()) {
ChatHandler c = (ChatHandler) e.nextElement ();
try {
synchronized (c.o) {
c.o.writeUTF (message);
c.o.flush ();
} catch (IOException ex) {
c.stop ();
ChatClient.java
// The chat applet gui
import javax.swing.*;
import java.awt.*;
import java.awt.event.*;
import javax.swing.JOptionPane;
import java.io.*;
import java.net.*;
import java.util.*;
public class ChatClient extends JApplet implements ActionListener, Runnable {
     Container c;
     JPanel mainPanel, chatLoginPanel, chatPanel, chatPanel_bottom;
     JTextField nickNameText, chatText;
     JTextArea chatArea;
JList userList;
     JButton enterChatButton, exitChatButton;
     JLabel nickLabel;
     // socket for connecting to the server
     private Socket socket;
     private DataOutputStream dout;
     private DataInputStream din;
     public void init()
     c = getContentPane();
          // The JPanel with CardLayout
     mainPanel = new JPanel();
          mainPanel.setLayout( new CardLayout() );
          // chatLoginPanel for user login into chat
          chatLoginPanel = new JPanel();
          chatLoginPanel.setLayout( new FlowLayout() );
          nickLabel = new JLabel( "Nickname:" );
     nickNameText = new JTextField( 20 );
          enterChatButton = new JButton( "Enter" );
          enterChatButton.addActionListener( this );
          enterChatButton.setActionCommand( "Enter Chat" );
          chatLoginPanel.add( nickLabel );
          chatLoginPanel.add( nickNameText );
          chatLoginPanel.add( enterChatButton );
          chatLoginPanel.setBackground( Color.white );
          // chatPanel for user chatting
          chatPanel = new JPanel();
          chatPanel.setLayout( new BorderLayout() );
     chatArea = new JTextArea( 9, 31 );
          userList = new JList();
          userList.setSelectionMode( ListSelectionModel.SINGLE_SELECTION );
          userList.setVisibleRowCount( 0 );
          userList.setFixedCellWidth( 90 );
          chatPanel_bottom = new JPanel();
          chatPanel_bottom.setLayout( new BorderLayout() );
          chatText = new JTextField( 31 );
          chatText.addActionListener( this );
          chatText.setActionCommand( "Chat Text" );
          exitChatButton = new JButton( "Exit from chat" );
          exitChatButton.addActionListener( this );
          exitChatButton.setActionCommand( "Exit Chat" );
          chatPanel_bottom.add( BorderLayout.WEST, chatText );
          chatPanel_bottom.add( BorderLayout.EAST, exitChatButton );
          chatPanel.add( BorderLayout.WEST, new JScrollPane( chatArea ) );
          chatPanel.add( BorderLayout.EAST, new JScrollPane( userList ) );
          chatPanel.add( BorderLayout.SOUTH, chatPanel_bottom );
          chatPanel_bottom.setBackground( Color.white );
          chatPanel.setBackground( Color.white );
          c.add( chatLoginPanel );     
          // Connecting to the server
          try {
          // Initiate the connection
          socket = new Socket( "127.0.0.1", 10000 );
          // We got a connection!     Tell the world
          System.out.println( "connected to "+socket );
          // Let's grab the stream and create DataInput/Output stream
          // from them
          din = new DataInputStream( socket.getInputStream() );
          dout = new DataOutputStream( socket.getOutputStream() );
          // Start a background thread for receiving messages
          new Thread( this ).start();
          } catch( IOException ie ) { System.out.println( ie ); }
     private void processMessage( String message ) {
          try {
               // Send it to the server
               dout.writeUTF( message );
               // Clear out text input field
               chatText.setText( "" );
          } catch( IOException ie ) { System.out.println( ie ); }
     // Background thread runs this, show messages from other window
     public void run() {
          try {
               // Receive messages one-by-one, forever
               while (true) {
                    // Get the next message
                    String message = din.readUTF();
                    if( message.equals( "false" ) )
                    JOptionPane.showMessageDialog( null, "The nickname you entered is already choosed", "Cannot enter", JOptionPane.PLAIN_MESSAGE );
                    nickNameText.setEditable( true );
                    enterChatButton.setText( "Enter" );
                    enterChatButton.setEnabled( true );
                    else if ( message != null )
                    //userList.setListData( chatPro.userListed() );
                    mainPanel.add( chatLoginPanel, "chatLoginPanel" );
                    mainPanel.add( chatPanel, "chatPanel" );
               CardLayout cl = ( CardLayout )( mainPanel.getLayout() );
                    cl.show( mainPanel, ( String )"chatPanel" );
                    c.add( mainPanel );     
                    // Print it to our text window
                    chatArea.append( message+"\n" );
          }     catch( IOException ie ) { System.out.println( ie ); }
     public void actionPerformed( ActionEvent e )
          if ( e.getActionCommand() == "Enter Chat")
               nickNameText.setEditable( false );
               enterChatButton.setText( "Validating" );
               enterChatButton.setEnabled( false );
               if( nickNameText.getText().equals("") )
                    JOptionPane.showMessageDialog( null, "Please key in your nickname", "Cannot enter", JOptionPane.PLAIN_MESSAGE );
                    nickNameText.setEditable( true );
                    enterChatButton.setText( "Enter" );
                    enterChatButton.setEnabled( true );
               else
                    String userName = nickNameText.getText();
                    processMessage( "NICKNAME:" + userName );
          if ( e.getActionCommand() == "Exit Chat")
               mainPanel.add( chatLoginPanel, "chatLoginPanel" );
               mainPanel.add( chatPanel, "chatPanel" );
          CardLayout cl = ( CardLayout )( mainPanel.getLayout() );
     cl.show( mainPanel, ( String )"chatLoginPanel" );
               c.add( mainPanel );
               nickNameText.setEditable( true );
               enterChatButton.setText( "Enter" );
               enterChatButton.setEnabled( true );
          if ( e.getActionCommand() == "Chat Text" )
               processMessage( chatText.getText() );

Similar Messages

  • How to sign in?  (problem with username and/or password)

    I created an account long ago for the Support Communities with an Apple ID:  xxx.mac.com.
    I created an account not so long ago for iTunes with an Apple ID:  xxx.gmail.com.
    Where they suppost to be the same?  Wasn't sure.  In any event, I've been using them both without a hitch.  Then I realized that I could have a password recovery problem with my Support Communities account because I haven't had the xxx.mac.com email address for several years now.
    Problem:  When I use my older Apple ID for Support Communities, it will not allow me to change my email to my current xxx.gmail.com address.  I suspect it recognizes the address is already being used with me newer Apple ID for iTunes.  My solution was to simply ditch the older ID and try signing in with my newer ID.  Unfortunately with that route, I get:
    "We're sorry.  Your account could not be created due to system issues.  Please contact Apple Support Communities with the information below to create your account."  [Which I've done, but no response.]
    Questions:  Are the ID support to be the same or different?  Either way, it doesn't really matter to me, but I either need to update my address for the older ID or be able to use my newer ID in Support Communities.  Because of this, I'm unable to use any type of email notification and I'm afraid I could have a problem with password recovery if I were in that position.
    Thanks for any comments.

    Problem solved and completely my error.
    My login with the old Apple Discussions was [email protected]  At some point, with the new Apple Support Communities, some time ago, I was prombed to create a new account and I did so.  My username was simply "xxx" without the "@mac.com".
    So that was the problem.  My old [email protected] still had my old address.  I kept logging in with this ID and kept trying to update my address.  Where I thought it was recognizing that this address was already used with my iTunes account, it was because it was used with my newer Support Communities ID (xxx) that I didn't even remember I had created.
    Turned out it was something so simple.  (I hate when that happens.)  I had to play my "idiot card".
    Thanks to Apple support for the direct email correspondence that finally got me on the right track.

  • Problem with username and password

    I've been trying to set up a new back up from scratch, and after losing my network and wifi connection, I just about have it all working again.
    I have wireless connection, and I have the TC appearing correctly in Airport Utility, green light, reporting no issues, and seemingly ready to go.
    It shows up correctly when I select disk in TM's system preferences, and it shows up and connects OK i n Finder, under shared items.
    However, when I try to initiate a backup, its reporting a problem with the username and password, even though I'm entering the correct password.
    I've checked it in the keychain, changed it in AU to be sure etc, and when I enter a wrong password, it just tells me its the wrong password, rather than this longer message explaining there's a problem with the username or password.
    So I guess it could be with the username, but not sure what that might be - any ideas?
    The only thing I can think of is that the name appears as Time Capsule b7e45c in AU, but as Iain MacDonald's Time Capsule on Time Capsule b7e45c in TM's system prefs.
    Message was edited by: Iain MacDonald1

    Exactly the same here...error 107 is reported when I try to back up.
    There are 4 computers sharing the time capsule and only one of them reports this error.
    Is there a way to remove the sparsebundle and start again for this computer without having to lose all the others?

  • Won't backup due to problem with username or password.

    When my machine sits idle, frequently I will get a message that the time capsule didn't backup due to a problem with user name or passwork. When I am using the computer it backs up fine.

    Hi Royb,
    first i excuse myself for my english...its not too bad but sometimes i make mistakes... however
    perhaps you can help me with my problem as well. i did the log file as well and i suppose its something to do with the ipod functions in itunes. everywhere in the logfile where the pattern "2330" matches is something like this:
    MSI (c) (A0:08) [21:33:37:187]: Note: 1: 2330 2: 23 3: C:\Programme\iPod
    MSI (c) (A0:08) [21:33:37:187]: Transforming table Error.
    DEBUG: Error 2330: Error getting file attributes: C:\Programme\iPod. GetLastError: 23
    Bei der Installation dieses Pakets ist ein unerwarteter Fehler aufgetreten. Es liegt eventuell ein das Paket betreffendes Problem vor. Der Fehlercode ist 2330. Argumente: 23, C:\Programme\iPod,
    AppSearch: Eigenschaft: EXISTINGINSTALLDIR, Signatur: Locate_EXISTINGINSTALLDIR
    AppSearch: Eigenschaft: EXISTINGIPODINSTALLDIR, Signatur: Locate_EXISTINGIPODINSTALLDIR
    in case the german language causes problems with the analysis i tried to translate it into proper english:
    MSI (c) (A0:08) [21:33:37:187]: Note: 1: 2330 2: 23 3: C:\Programme\iPod
    MSI (c) (A0:08) [21:33:37:187]: Transforming table Error.
    DEBUG: Error 2330: Error getting file attributes: C:\Programme\iPod. GetLastError: 23
    During the installation an error occured. Maybe there is a packet problem. The error code is 2330. Arguments: 23, C:\Programme\iPod,
    AppSearch: Attribute: EXISTINGINSTALLDIR, Signature: Locate_EXISTINGINSTALLDIR
    AppSearch: Attribute: EXISTINGIPODINSTALLDIR, Signature: Locate_EXISTINGIPODINSTALLDIR
    I hope this helps...
    It would be very nice if you help me, otherwise i see no other way than formationg windows...and i hate that...thats why mac is better -.-
    however plase help me and if it helps i can send u the hole logfile. =)
    thank alot!
    moe

  • Problem with username/password using SQLAuthenticator

    I want to setup SQLAuthenticator but authentication is refused because wrong username/password.
    I am using JDev Studio Edition Version 11.1.2.1.0 with integrated WLS.
    As a base I take this two URLs:
    http://weblogic-wonders.com/weblogic/2010/03/11/configuring-sql-authenticator-with-weblogic-server/ and
    http://biemond.blogspot.com/2008/12/using-database-tables-as-authentication.html
    1. I create db tables (default table names for SQLAuthenticator), but don't fill users and groups - OK
    2. In WLS I create new SQLAuthenticator Authentication provider inside deafult realm myrealm - OK
    3. I put this provider to the top among all three providers
    4. In JDev I configure ADF Security - define Enterprise Roles to matching to the names in GROUPS table of SQLAuthenticator - ??
    5. I Define Application users and roles and setup Resource grants
    6. I run my application
    7. In database tables USERS, GROUPMEMBERS, GROUPS I can see users and roles from Jdev, that means, at deploy time, this tables are filled too
    8. In WLS I can see Users and Groups under myrealm which are transfered at deploy time and mirrors USERS, GROUPMEMBERS, GROUPS
    9. In USERS table I can see password is encripted by {SHA-1}
    But when try to login I am always rejected with "Invalid username or password".
    Before setting up SQLAuthenticator (only default options) the logins were successful, so application shold be OK.
    I try also with Plaintext Passwords Enabled and put into USERS table unencripted password, but without success.
    I can confirm that SQLAuthenticator mechanism actually get password from USERS table. I replaced default SQL for getting password from
    SELECT U_PASSWORD FROM USERS WHERE U_NAME = ?
    to
    select get_pwd(?) as U_PASSWORD from dual. In my get_pwd PL/SQL function I perform logging in I can see that this function was called.
    So the problem is in WLS when comparing passwords.
    Any suggestions, where to start digging?
    Ragards,
    Sašo
    Edited by: Sašo C. on 5.10.2011 7:26
    Edited by: Sašo C. on 5.10.2011 7:32

    The problem is solved! Crucial was hint from http://biemond.blogspot.com/2008/12/using-weblogic-provider-as.html:
    The Control Flag for my new SQLAuthenticator Authentication provider must be changed from Optional to Sufficient AND
    the Control Flag for existing DefaultAuthenticator must be changed from Required to Sufficient!
    It seems that before SQLAuthenticator took password from USERS table, but didn't use it in the authentication process.
    Regards,
    Sašo

  • Problem with Usernames and Workgroupmanager after update to 10.6.4

    After the update to SLS 10.6.4 i can´t delete Users in the Workgroupmanager. The login in the Wiki is also out of order: some Usernames will be accepted - some not: "Martin Fuermoos" will be rejected - only the shortname "martinfurmoos" is OK.
    ????

    I am having the same issue.
    The issue has effectively crippled our staff who depend heavily upon WIKI for SOP's and Core Business Processes.
    Key Symptoms:
    1. Some users can log in with 2nd short name; however, several users report that they can only login using their primary short name. --!! We use FirstnameLastname as primary and Firstname.Lastname as 2nd short name. All users are in the habit of using second short name. !! --
    2. Some users who can only login using primary shortname no longer have permission to access core work group wiki pages.

  • Problem with USERNAME & PASSWORD creation--JDBC connection with MYSQL

    How to connect to JDBC with Mysql Connector
    i installed mysql & created table, it works fine
    During Password---> I gave it as tiger , no username
    i installed mysql connector
    i saved the .jar file path in class path
    HOW TO CREATE USERNAME & PASSWORD & DATASOURCE NAME ---> Is it the password -tiger or something else like (ADMinstrative tools-ODBC-services--etc )
    Pl, help,
    tks
    Xx

    How to connect to JDBC with Mysql Connector
    i installed mysql & created table, it works fine
    During Password---> I gave it as tiger , no usernameTiger? This ain't Oracle.
    I think you should give a username and password. How can it look up a password without a username? Better GRANT the right permissions, too.
    Read the MySQL docs a bit more closely. Your path isn't the way to go.
    %

  • I am having problems with Usernames & Passwords in Safari

    I enter the correct details but they are not accepted. Is this usual with Safari . Any help appreciated please.

    One thing a number of people incorrectly assume is that the keyboard is typing UPPERcase text - because that's what the keys have (which I don't get because ALL keyboards are like that)
    Are you using the correct case by using the UP ARROW key for uppercase?
    Scott

  • Problem with signing in to Ovi

    Hello
    I downloaded the Ovi Store app on my N96
    When I login it says "you are signed in as dieter***" and a few seconds later it says: "Sign-in Failed, Check your username and password".  I triend about ten times, but it's always the same problem.
    I can use the PC client with this email address and password, so I'm sure it's the right password I use...
    Please help...
    Dieter 

    Having the same problems. My login ID and password are saved and I automatically login when I go to Ovi store via icon on my 5800 so it isn't a problem with username, ID or password. It actually tells me at the bottom of the screen that I am logged in so the details are obviously correct. When I scroll through the pages or select an app to look at or downlaod it will work fine for a while but then I will start to get the message that login failed check your username/password etc even though I am logged in and it just gets stuck.
    It is really, really, really, really frustrating

  • Ever since i forgot my apple id password and changed to a new one, I am continually being asked to enter my iCloud password. It then says that this mac can't connect to iCloud because of a problem with "my username". nothing I do in in preferences helps.

    ever since i forgot my apple id password and changed to a new one, I am continually being asked to enter my iCloud password. It then says that this mac can't connect to iCloud because of a problem with "my username". nothing I do in in preferences helps.

    You have to sign out completely in System Preference>iCloud (click 'Sign out') on a Mac, or Settings>iCloud on an iOS device (click 'Delete account' - this will not delete the account from the server). Then sign in with the new password.
    Your iCloud data will disappear from your Mac or device when you sign out but will reappear when you sign back in.

  • Problem with: Action Required: Your AOL Username login must transition to Apple ID

    In the early days of the iTunes store, it was possible to log in and make purchases with an AOL screen name. This has since been discontinued. In March 2015, Apple sent out a message to legacy iTunes account holders who have not yet converted their iTunes accounts from an AOL screen name to an Apple ID.
    However, the conversion program seem to be completely mismanaged and full of glitches and problems. If Apple does nothing about this, the company will face costly class action lawsuits by disgruntled consumers who purchased music but will in the future be prevented from playing it.
    I tried to follow the directions, but I am not able to log into the iTunes account under the AOL screen name. I tried to initiate a password recovery through the recovery email, but the recovery message with the re-sent link never arrives.
    I contacted Apple support several times. During very lengthy (several hours long) conversations, we were able to locate the account. However, I was told that Apple cannot reset the password and give me access to the account - I should contact AOL. My appeals that this would be illogical because AOL does not have the power to change passwords on an iTunes store account were ignored, and it was clear that each Apple employees I spoke with just wanted to push the problem on someone else.
    So I contacted AOL and was told that they have nothing to do with this. Nevertheless, we reset the password for the AOL screen name. As I predicted, this made no difference for the iTunes account: I still cannot log in.
    Today I contacted Apple again, and after we we made certain that I we identified the correct iTunes account, the Apple employee manually initiated a recovery e-mail sent to me. However, the confirmation message I received refers to resetting the existing Apple ID (not the iTunes store account we are trying to turn into an Apple ID).
    Clearly, there is a glitch in the system. It somehow intermingles and confuses information from the Apple ID and the AOL Screen Name / iTunes store ID and thinks that we are trying to reset the Apple ID.
    Apple's response was ridiculous: Talk to AOL. (I already have done that and established that changing the AOL SN password does not allow me to gain access to the iTunes account).
    This is my 4th call to Apple. Each lasted several hours (including hold time). Now I've been on hold for about 3 hours while I'm waiting to talk to a higher tier tech support person.
    Does anyone have similar problems with this conversion? Any solutions?

    You need to sign in with just the user name. not with the @aol.com at the end.
    Example: If your AOL username is AOLUSERNAME & your AOL email is [email protected], you must log in with only AOLUSERNAME & your AOL email password & it will prompt you to change it. You can’t use your @aol email, it must be something else.

  • I'm having a problem with FF forgetting Username & Passwords to occasional sites, checked Tools options which is set correctly.

    Hi
    Twice this last few days, on different sites, FF3.6.10 has forgotten well used Usernames and passwords. First time it re-learnt after manually sign in.
    Second time FF totally refuses to learn the Username and Password for the site. Tried 3 times after checking Tools>Options
    Not blocked via site exceptions
    Privacy> Clear history when FF closes>Settings>Data> PSWD NOT set
    Thanks
    Mike

    Do you mean names and passwords in the Password Manager or do you mean that you are no longer logged on to (remembered by) websites after closing and restarting Firefox?
    If the latter happens then you have a problem with cookies that are not kept or the file that stores the cookies is corrupted.
    * Websites remembering you and automatically log you in is stored in a cookie.
    * You must allow that cookie (Tools > Options > Privacy > Cookies: Exceptions), especially for secure websites and if you let cookies expire when Firefox closes
    * Make sure that you do not use [[Clear Recent History]] to clear the "Cookies" and the "Site Preferences"
    See also http://kb.mozillazine.org/Websites_report_cookies_are_disabled

  • Username/ password problems with apps

    I have had my iphone for 6 months and never had any problems downloading apps until the past couple of days. Now when I go to install an app it is asking me for my username and password and not recognising the information I'm putting in- keeps referring me back to itunes. Any ideas what's going on?

    annarose wrote:
    Thank you for the reply. I have done that and I've confirmed that the information is right. I downloaded 3.0 a few days ago. Do you think that's the issue? Does anyone know of other similar problems with 3.0?
    Considering that 3.0 has not yet been officially released by Apple, I'd certain think that is what has caused (or at least contributed) to your probems.

  • Apple ID Problem with Incorrect username/password setup

    Hello all,
    I'm trying to help my sister-in-law with a problem with her Login details for Apple Store. She has no skills in this department, so she asked a friend (?!) to help her. Somehow things were done that allowed her to establish an account, altho frankly I am not sure how it was activated. She used her old email address at that time, which she has in the meantime replaced with a new address from another ISP. I managed to establish an ID using the new address, but she has an iPad registered under her old Apple ID.
    Nothing was written down, and nowhere can I find an 8 letter password with the Capital Letter and Number system as required by Apple. The help questions which were established when compiling the old address can't be answered, because she didn't write down either the data, or the answer. From all this, you can judge that I'm frustrated at trying to do more for her.
    I can't understand how, or if, one could cancel the old details in favor of the new. Or whether it might work if I "Restore" the iPad according to the instructions in iTunes when the iPad is attached, and try to register it under the new user/password I established.
    We live very remotely, so popping into a local store for help is not possible. I've tried, with my limited knowledge, everything I can, but I've got nowhere. So, can any kind soul who might have had to go done this route, or who might have a possible clue to what I could do, perhaps help me out? I'll bet its staring me in the face, but as an old guy, my instincts aren't as sharp as they were.
    Very many thanks to anyome reading this post, who might be able to give me some assistance.
    Barrie

    Hi  barrie,
    Well, sounds like you have half the problem fixed. But for the original account, even though you can't remember the answers to the original security questions, you CAN contact Apple Support to have them reset them for you. Once they are reset, also reset the password to whatever the password on the new account is so they are seamless.
    Also, on both accounts be sure to set up a RESCUE EMAIL ADDRESS with the Security Questions. This will prevent any issues down the road with forgotton passwords/security questions, and will allow you to recover in a much easier way than this has been.
    But again, for the original account. You need to do the following:
    1.  Contact Apple Support, provide them with the Original Apple ID, and let them know that you need to have the Security Questions reset.
    2.  Once that is done, set up new Security Questions for that old Apple ID as well as a RESCUE EMAIL ADDRESS with those new Secuity Questions
    3.  Reset the Password on that Old ID to be the same as the one on the new ID (and keep it consistent - any time you change the new one, change the old one)
    4.  Sign into iTunes one last time with that old ID and use up your $15
    Now, forget the old ID altogether except when you need to update the password to match the new one. Once you have done your final redemption, only the new Apple ID should exist for you. All apps and music purchased in the same iTunes Library with either ID will be able to be loaded onto the iPad. When one of the apps needs to be updated, it may display the old ID, or it may display the new ID - if the password is the same, it won't matter which is displayed for the update. Put in the password, and it will update.
    Whatever you do - Don't delete the apps purchased with the old ID. Once you get it squared away it will just be like a "phantom" id in the backround. Not really used, but still associated with the apps purchased under it. As long as they all live in the same iTunes Library, the ID they were purchased under is irrelevant. The only thing that matters after that is the password (as explained above) for any updates.
    For the iPads themselves, make sure that the new Apple ID is showing for the iCloud account. This is what ties the Apple ID being used to do purchases via the iPad.
    I hope the info I have provided has helped, and that your trip to Canberra will be a success. Sounds like an all-around nightmare, and you have been a very patient and sweet brother-in-law to stick with this whole thing.
    Best of luck, and do let me know how it all turns out! I would love a line from you as the adventure progresses!!!
    Cheers,
    GB

  • Time machine could not complete backup there was problem with network username or password......

    This has been happening on and off for a month. Only way I have found to cure it is to power off the new airport time capsule and let it reboot. Currently I have to do this every second day. I got in touch with apple care earlier and they got to me change base station name to a short one but it did not fix the problem.

    I presume by wireless names you mean the network list on the MB Pro. I use the achine at several locations so have the TC wireless at top of list.
    Yes.. sorry I am being single focused on to a problem without thinking of what a laptop is used for.
    The keychain has multiple identical entries for the TC any idea why?
    No, but I would guess historical. I will need to explore that further as I have never looked into it.
    are dashes - ok in disk name?
    Yes, if you need them. But I would prefer to see you keep all the names very short.. there is a total length of URL that becomes a problem.. that is why I would prefer people to use really short names for everything. I mean like 8 characters average.
    Is there likely to be a proper fix or do I just have to mount it again everytime it looses it.
    AFAIK the issue was barely acknowledged in 7.6.4 firmware as fixing it.. which of course it didn't. There is something bigger going on.. and has afflicted Apple OS since Lion.. so do I see a sudden realisation that there is a problem and a fix.. no.. because now they use the MS trick.. just release a new OS or firmware and start the process with a whole new set of bugs instead of patiently fixing the last one.
    That is not meant badly.. i became a refugee from Windows during the Vista experiment.. so I arrived at Snow Leopard from about 10.6.7 and I marvelled at how stable.. how simple.. how wonderful it all was. It seems to have not improved at all though.. rather the MS curse has been inflicted.
    It seems to happen when I use the same account name on a desktop imac. Is this likely to cause the problem.
    Now that is interesting. Further testing until you can reproduce the problem would be well worth it.. I doubt this is the whole answer because it happens to people with one computer and one TC.. but if you can trigger the problem with a different computer using the same account that could be good info for apple software developers if they pay attention.

Maybe you are looking for

  • Photo gallery popups will not open in firefox, but does in internet explorer

    In the last few days popups within a website will not open. IE photo gallerys, logins for internet banking. It seems to be a problem only in firefox as they will open with internet explorer

  • K8N Neo2 Platinum 54G BIOS problem

    I recently bought a MSI K8N Neo2 Platinum-54G mainboard with W7025NMS v1.3  092204 revision of BIOS. AMD Athlon64 3000+ 939 is installed on the mainboard, with 2x512 GEIL PC3200 memory modules in dual channel configuration working on default frequenc

  • Has anyone succeed in calling a stored procedure (oracle) with WLS6.1 on solaris through a connection pool ?

    It works fine with WLS5.1 sp9 but not with WLS 6.1 (under SunOs).An exception is thrown (resultsetimpl) wheni try to get an out cursor parameter from a stored procedure...Thanks

  • Configuring EDI Feature failing for BTS2k9

    Any pointers to fixing this solution will be greatly appreciated. OS:Win2k8R2 BTS2k9 Thanks [10:37:00 AM Error Configuration Framework]Feature: [BizTalk EDI/AS2 Runtime] Failed to configure with error message [<Exception Message="Failed to configure

  • SA 540 Firewall

    Hi all, I am having trouble configuring the firewall for the SA 540. client 1 (160.222.46.154) ----- switch ------ sa 540 ------ cisco 887 W ------ client 2 (50.0.0.10). client 1 can ping client 2, however client 2 cannot ping client 1. The default o