Need alot of help

I am creating a program so that games can be purchased, which was going well up until i added the add and remove code.
I get multiple compilation error messages from most of the files as they are working in conjunction with each other.
I have created a seperate file so that i can add games and save them in a .dat file so that they are avaliable to the main program which also does not compile successfully.
When the program starts the list of games for sale should automatically be filled from an input data file which must contain read and write list methods. therefore, i have created the following files Game.java, GameList.java and GameFileHandler.
Would anyone be able help? Any help would be grately appreciated.
I have included the files needed to run the program.
RunMobileGame
import java.awt.*;
public class RunMobileGame { // Begin Class
     public static void main (String[] args) { // Begin Main
          EasyFrame frame = new EasyFrame();
          frame.setTitle("Game Purchase for 3G Mobile Phone");
          MobileGame purchase = new MobileGame(frame); //need frame for dialog
          frame.setSize(500,300); // sets frame size
          frame.setBackground(Color.lightGray); // sets frame colour
          frame.add(purchase); // adds frame
          frame.setVisible(true); // makes the frame visible
     } // End Main
} // End Class
MobileGame
import java.awt.*;
import java.awt.event.*;
class MobileGame extends Panel implements ActionListener { // Begin Class
     The Buttons, Labels, TextFields, TextArea 
     and Panels will be created first.         
     private Panel topPanel = new Panel();
     private Panel middlePanel = new Panel();
     private Panel bottomPanel = new Panel();
     private Label saleLabel = new Label ("Java Games For Sale",Label.RIGHT);
     private TextArea saleArea = new TextArea(7, 25);
     private Button addButton = new Button("Add to Basket");
     private TextField add = new TextField(3);
     private Label currentLabel = new Label ("Current Basket",Label.RIGHT);
     private TextArea currentArea = new TextArea(3, 25);
     private Button removeButton = new Button("Remove from Basket");
     private TextField remove = new TextField(3);
     private Button purchaseButton = new Button("Purchase");
     private ObjectList gameList = new ObjectList(20);
     Frame parentFrame; //needed to associate with dialog
     All the above will be added to the interface 
     so that they are visible to the user.        
     public MobileGame (Frame frameIn) { // Begin Constructor
          parentFrame = frameIn;
          topPanel.add(saleLabel);
          topPanel.add(saleArea);
          topPanel.add(addButton);
          topPanel.add(add);
          middlePanel.add(currentLabel);
          middlePanel.add(currentArea);
          bottomPanel.add(removeButton);
          bottomPanel.add(remove);
          bottomPanel.add(purchaseButton);
          this.setLayout(new BorderLayout());
          add("North", topPanel);
          add("Center", middlePanel);
          add("South", bottomPanel);
          addButton.addActionListener(this);
          removeButton.addActionListener(this);
          purchaseButton.addActionListener(this);
          The following line of code below is 
          needed inorder for the games to be  
          loaded into the SaleArea            
          MobileGame aMobileGame;
          if (! GameFileHandler.readRecords(dataList)); { // Read records from data file
          } // End if
          for (int i=1; i <= dataList.getTotal(); i++) { // Begin for
               aMobileGame = (MobileGame) dataList.getObject(i);
               saleArea.append(i + " " + aMobileGame.getName()
                                                  + " " + aMobileGame.getText()
                                                  + " " + aMobileGame.getPrice()
                                                  + "\n");
          } // End for
     } // End Constructor
     All the operations which will be performed are  
     going to be written below. This includes the    
     Add, Remove and Purchase.                       
     public void actionPerformed (ActionEvent e) { // Begin actionPerformed
     If the Add to Basket Button is pressed, a       
     suitable message will appear to say if the game 
     was successfully added or not. If not, an       
     ErrorDialog box will appear stateing the error. 
          if(e.getSource() == addButton) { // Begin Add to Basket
          MobileGame aMobileGame;
               try { // Begin Try
                    if (dataList.isEmpty() ) { // some validation
                         new ErrorDialog(parentFrame,"No Games Avaliable to Add");
                    } else if (add.getText().length() == 0 ) {
                         new ErrorDialog (parentFrame,"Feild Blank");
                    } else if (Integer.parseInt(add.getText())<= 0
                              || Integer.parseInt(add.getText())> dataList.getTotal()) { // Begin Else If
                         new ErrorDialog (parentFrame,"Invalid Game Number");
                    } else { // Begin Else If
                         int i = Integer.parseInt(add.getText());
                         aMobileGame = (MobileGame) dataList.getObject(i);
                         currentArea.append(i + " " + aMobileGame.getName()
                                                  + " " + aMobileGame.getText()
                                                  + " " + aMobileGame.getPrice()
                                                  + "\n");
                    } // End Else
               } catch (NumberFormatException num) { // Begin Catch
                    new ErrorDialog(parentFrame,"Please enter an Integer only");
               } // End Catch
          } // End Add to Basket
     add.setText(""); // Clears any characters entered in the addFeild
     If the Remove From Basket Button is pressed, a  
     a suitable message will appear to say if the    
     removal was successful or not. If not, an       
     ErrorDialog box will appear stateing the error. 
          if(e.getSource() == removeButton) { // Begin Remove from Basket
               MobileGame aMobileGame;
               try { // Begin Try
                    if (dataList.isEmpty() ) { // some validation
                         new ErrorDialog(parentFrame,"No Games Avaliable to Remove");
                    } else if (remove.getText().length() == 0 ) {
                         new ErrorDialog (parentFrame,"Feild Blank");
                    } else if (Integer.parseInt(remove.getText())<= 0
                              || Integer.parseInt(remove.getText())>=21) { // Begin Else If
                         new ErrorDialog (parentFrame,"Game Number out of Range");
                    } else { // Begin Else If
                         int num = Integer.parseInt(remove.getText());
                         boolean ok = dataList.remove(num);
                         currentArea.setText(""); // Clear the textArea
                              for (int i = 1; i <= dataList.getTotal(); i++) { // Begin for
                                   aMobileGame = (MobileGame) dataList.getObject(i);
                                   currentArea.append(i + " " + aMobileGame.getName()
                                                  + " " + aMobileGame.getText()
                                                  + " " + aMobileGame.getPrice()
                                                  + "\n");
                              } // End for
                    } // End Else
               } catch (NumberFormatException num) { // Begin Catch
                    new ErrorDialog(parentFrame,"Please enter an Integer only");
               } // End Catch
          } // End Remove from Basket
     If the purchase button is pressed, the          
     following is executed. NOTE: nothing is done    
     when the ok button is pressed, the window       
     just closes.                                    
          if(e.getSource() == purchaseButton) { // Begin Purchase
               String gameEntered = currentArea.getText();
               if (gameEntered.length() == 0 ) {
                    new ErrorDialog (parentFrame,"Nothing to Purchase");
               } else { // Begin Else If
                    new CreditDialog(parentFrame,"Cost � 00.00. Please enter Credit Card Number");
               } // End Else               
          } // End Purchase
     } // End actionPerformed
} // End Class
ObjectList
class ObjectList
private Object[] object ;
private int total ;
public ObjectList(int sizeIn)
object = new Object[sizeIn];
total = 0;
public boolean add(Object objectIn)
if(!isFull())
object[total] = objectIn;
total++;
return true;
else
return false;
public boolean isEmpty()
if(total==0)
return true;
else
return false;
public boolean isFull()
if(total==object.length)
return true;
else
return false;
public Object getObject(int i)
return object[i-1];
public int getTotal()
return total;
public boolean remove(int numberIn)
// check that a valid index has been supplied
if(numberIn >= 1 && numberIn <= total)
{   // overwrite object by shifting following objects along
for(int i = numberIn-1; i <= total-2; i++)
object[i] = object[i+1];
total--; // Decrement total number of objects
return true;
else // remove was unsuccessful
return false;
GameList
import java.awt.*;
class GameList extends ObjectList { // Begin Class
     public Game getGame(int indexIn) { // call inherited method and type cast
          return (Game)getObject(indexIn);
     public GameList(int sizeIn) { // call ObjectList Constructor
          super(sizeIn);
     } // End ObjectList Constructor
     public Game search(int gameIn) { // Begin search
          for(int i=1;i<=getTotal();i++) { // find tenant with given room number
               if(getObject(i).getObject() == gameIn) { // Begin if
                    return getObject(i);
               } // End if
          } // End for
               return null; // no game found
     } // End Search
} // End Class
GameFileHandler
import java.awt.*;
import java.io.*;
class GameFileHandler { // Begin class
     public static void saveRecords(int noOfGamesIn, GameList listIn) {
          try { // Begin Try
               FileOutputStream gameFile = new FileOutputStream("dataList.dat");
               DataOutputStream gameWriter = new DataOutputStream(ListIn);
               gameWriter.writeInt(listIn.getTotal());
               for(int i=1; i <= noOfGamesIn; i++) { // Begin for
                    if(listIn.getGame(i) != null) { // Begin if
                         gameWriter.writeInt(i);
                         gameWriter.writeUTF(listIn.getObject(i).getName());
                         gameWriter.writeUTF(listIn.getObject(i).getText());
                         gameWriter.writeUTF(listIn.getObject(i).getPrice());
                         for(int i = 1; j<= listIn.getObject(i).getTotal(); i++) { // Begin for
                         } // End for
                    } // End if
               } // End for
               gameWriter.flush();
               gameWriter.close();
          } catch (IOException ioe) {
               System.out.println("Error writing file");
          } // End catch
     } // End Save
     public static void readRecords(GameList listIn) { // Begin read
          try { // Begin Try
               FileInputStream gameFile = new FileInputStream("Games.dat");
               DataInputStream gameReader = new DataInputStream(ListIn);
               int tempObject = 0;
               String tempName = new String("");
               String tempText = new String("");
               String tempPrice = new String("");
               double tempAmount = 0 ;
               Game tempGame = null;
               int tot = 0;
               int totpay = 0;
               tot = gameReader.readInt();
               for(int j = 1; j<=tot; j++) { // Begin for
                    tempObject = gameReader.readInt();
                    tempName = gameReader.readUTF();
                    tempText = gameReader.readUTF();
                    tempPrice = gameReader.readUTF();
                    tempGame = new Game(tempGameNo,tempGameName,tempGameQty,tempGamePrice);
                    totpay = gameReader.readInt();
                    listIn.add(tempGame);
                    } // End for
               gameReader.close();
          } catch(IOException ioe) { // Begin Catch
               System.out.println("No Games found");
          } // End catch
     } // End read
} // End class
Game
class Game { // Begin Class
     private int game;
     Game (int gameIn) { // Begin Game
          game = gameIn;
     } // End Game
     public String getName() { //begin getName
          return name;
     } //end getName
     public int getText() { //begin getText
          return text;
     } // end getText
     public int getPrice() { //begin getPrice
          return price;
     } // end getPrice
} //End Class
ErrorDialog
import java.awt.*;
import java.awt.event.*;
class ErrorDialog extends Dialog implements ActionListener {
private Label errorLabel = new Label("Message space here",Label.CENTER);
private String errorMessage;
private Button okButton = new Button("OK");
public ErrorDialog(Frame frameIn, String message) {
/* call the constructor of Dialog with the associated
frame as a parameter */
super(frameIn);
// add the components to the Dialog
          errorLabel.setText(message);
          add("North",errorLabel);
add("South",okButton);
// add the ActionListener
okButton.addActionListener(this);
/* set the location of the dialogue window, relative to the top
left-hand corner of the frame */
setLocation(100,100);
// use the pack method to automatically size the dialogue window
pack();
// make the dialogue visible
setVisible(true);
/* the actionPerformed method determines what happens
when the okButton is pressed */
public void actionPerformed(ActionEvent e) {
dispose(); // no other possible action!
} // end class
EasyFrame
import java.awt.*;
import java.awt.event.*;
public class EasyFrame extends Frame implements WindowListener {
public EasyFrame()
addWindowListener(this);
public EasyFrame(String msg)
super(msg);
addWindowListener(this);
public void windowClosing(WindowEvent e)
dispose();
public void windowDeactivated(WindowEvent e)
public void windowActivated(WindowEvent e)
public void windowDeiconified(WindowEvent e)
public void windowIconified(WindowEvent e)
public void windowClosed(WindowEvent e)
System.exit(0);
public void windowOpened(WindowEvent e)
} // end EasyFrame class
CreditDialog
import java.awt.*;
import java.awt.event.*;
class CreditDialog extends Dialog implements ActionListener { // Begin Class
     private Label creditLabel = new Label("Message space here",Label.CENTER);
     private String creditMessage;
     private TextField remove = new TextField(20);
     private Button okButton = new Button("OK");
     public CreditDialog(Frame frameIn, String message) { // Begin Public
          super(frameIn); // call the constructor of dialog
          creditLabel.setText(message);
          add("North",creditLabel);
          add("Center",remove);
          add("South",okButton);
          okButton.addActionListener(this);
          setLocation(150,150); // set the location of the dialog box
          setSize(300,100); // sets the size of the dialog
          setVisible(true); // make the dialog box visible
     } // End Public
     public void actionPerformed(ActionEvent e) { // Begin actionPerformed
          dispose(); // close dialog box
     } // End actionPerformed
} // End Class
CreateDataFile
import java.awt.*;
import java.awt.event.*;
class CreateDataFile extends Panel implements ActionListener {
     private Panel input = new Panel();
     private Panel buttons = new Panel();
     private Label gameLabel = new Label("Game Description",Label.RIGHT);
     private TextField game = new TextField(18);
     private Label cataloqueLabel = new Label("Cataloque Number",Label.RIGHT);
     private TextField cataloque = new TextField(4);
     private Label priceLabel = new Label("Price in pounds",Label.RIGHT);
     private TextField price = new TextField(6);
     private Button inputButton = new Button("Input Data");
     private Button listButton = new Button("List Data");
     private Button eraseButton = new Button("Erase No");
     private TextField erase = new TextField(2);
     private Button saveButton = new Button("Save Data");
     private Button loadButton = new Button("Load Data");
     private Button quitButton = new Button("Quit");
     private TextArea listArea = new TextArea(10, 30);
     private ObjectList dataList = new ObjectList(20);
     Frame parentFrame; // needed to associate with dialog
     public CreateDataFile(Frame frameIn) { //begin constructor
          parentFrame = frameIn;
          input.add(gameLabel);
          input.add(game);
          input.add(cataloqueLabel);
          input.add(cataloque);
          input.add(priceLabel);
          input.add(price);
          buttons.add(inputButton);
          buttons.add(listButton);
          buttons.add(eraseButton);
          buttons.add(erase);
          buttons.add(saveButton);
          buttons.add(loadButton);
          buttons.add(quitButton);
          this.setLayout( new BorderLayout());
          add("North",input);
          add("Center",buttons);
          add("South",listArea);
          inputButton.addActionListener(this);
          listButton.addActionListener(this);
          eraseButton.addActionListener(this);
          saveButton.addActionListener(this);
          loadButton.addActionListener(this);
          quitButton.addActionListener(this);
     } //end constructor
     public void actionPerformed(ActionEvent e) { //begin actionPerformed
          MobileGame aMobileGame;
          try { //begin try
               if (e.getSource() == inputButton) { //begin if
                    if(game.getText().length()==0|| cataloque.getText().length()==0|| price.getText().length()==0) { //begin if
                         new ErrorDialog(parentFrame,"All Field(s) Must be Emtered");
                    } else if(dataList.isFull() ) { //begin else if
                         new ErrorDialog(parentFrame,"List Full");
                    } else { //begin else
                         aMobileGame = new MobileGame (game.getText(),cataloque.getText(),Double.parseDouble(price.getText()));
                         dataList.add(aMobileGame);
                         game.setText("");
                         cataloque.setText("");
                         price.setText("");
                    }// end else
               }// end inputbutton
          } catch (NumberFormatException ex) { // Catch invalid price error
               if (price.getText().length()!=0) { //Begin ErrorDialog
                    new ErrorDialog(parentFrame,"Invalid price");     
               } //end ErrorDialog
          } //end catch
          if (e.getSource() == listButton) { //begin listButton
               if (dataList.isEmpty() ) { //begin if
                    new ErrorDialog(parentFrame,"The Datalist is Empty");
               } else {
                    listArea.setText(""); // clear textArea first
                         for (int i=1; i <= dataList.getTotal(); i++) {
                              aMobileGame = (MobileGame) dataList.getObject(i);
                              listArea.append(i + " " + aMobileGame.getName()
                              + " cat no: "+ aMobileGame.getText()
                              + " price: "+aMobileGame.getPrice()+"\n");
                         } //end for
               }// end if
          } // end listButton
          if (e.getSource() == eraseButton) { //begin eraseButton
               try { //begin Try
                    if (dataList.isEmpty() ) { //begin isEmpty
                         new ErrorDialog(parentFrame,"Nothing to Erase");
                    } else if ( erase.getText().length()==0 ) { //begin  if
                         new ErrorDialog(parentFrame,"Erase Field Balnk");
                    } else if(Integer.parseInt(erase.getText())<=0 || Integer.parseInt(erase.getText())>20){ //begin if
                         new ErrorDialog(parentFrame,"Number out of Range");
                    } else { //begin else
                         int num = Integer.parseInt(erase.getText());
                         boolean ok = dataList.remove(num);
                         listArea.setText("");
                         erase.setText("");
                         for(int i=1; i<=dataList.getTotal(); i++){ //begin for
                              aMobileGame = (MobileGame)dataList.getObject(i);
                              listArea.append(i + " " + aMobileGame.getName()
                              + " cat no: "+ aMobileGame.getText()
                              + " price: "+aMobileGame.getPrice()+"\n");
                         } //end for
                    }// end if
               } catch (NumberFormatException ex) { //begin catch
                    if(erase.getText().length()!=0) {// begin ErrorDialog
                         new ErrorDialog(parentFrame,"Invalid Format");
                    } //end ErrorDialog
                    erase.setText("");// to clear the erase filed first
               } //end catch
          } //end eraseButton
          if (e.getSource() == loadButton) { //begin loadButton
               if ( ! GameFileHandler.readRecords( dataList)) { //begin readRecords
               } //end readRecords
          } // end if
          if (e.getSource() == saveButton) { //Begin saveButton
               if (dataList.isEmpty() ) { //begin dataList
                    new ErrorDialog(parentFrame,"The GameList is Empty");
               } else if ( ! GameFileHandler.saveRecords( dataList) ) { //begin else
                    new ErrorDialog(parentFrame,"Error Saving File");
               } // end if
          } //end saveButton
          if(e.getSource() == quitButton){ //begin quitButton
               System.exit(0);
          } // end quitButton
     }// end actionPerformed
}//end class CreateDataFile
I know that there are alot of files, but most is ok and i have made it easy to understand.

If you want you can give me your email address so we can message eachother quicker than checking here every 15 minutes. I can help you during the evenings because you need a lot of work.

Similar Messages

  • Space recovery. Need ALOT OF HELP!!

    Help! I feel so bad.. I accidently made bootcamp make a partition and it took 20g of my macbook air. So i removed the partition of my mac and I Still have the same amount of space.
    I had 33G at first
    but when I accidently made the partition
    I now have 13G
    HOW DO I RECOVER THE FREE SPACE?!?!?!
    I NEED ALOT OF HELP I FEEL SOOO BAD
    I got this mac this year for christmas and I've already ruined it..
    Please oh please help me!

    Use Disk Utility
    Applications->Utilities->Disk Utility
         1. Highlight the Disk in the left panel
         2. Select the Partition Tab
         3. Expand the volume immediately above it by dragging its resize corner
         4. Click Apply
    See also : http://macs.about.com/od/applications/ss/diskutilitysize_5.htm

  • Need alot of help updating n800

    I have I have the old 2006 os version, and i cant update it with nokia updater. I tried it on four computers. It couldnt connect to the internet when i was on it, it said i didnt have the right time on my computer and i did, and on
    another computer it said i tried too many times so it
    kicked me off. I tried it manually from the website
    nokia gave me and it said it wasnt compatible with my
    device. I tried it on xp and vista. What can i do? I'm on it right now so after i post this im going to post my serial #. Thanks.

    If you want you can give me your email address so we can message eachother quicker than checking here every 15 minutes. I can help you during the evenings because you need a lot of work.

  • Need Alot of Help, anyone willing?

    Hi,
    I don't even know if this is the right place to post this but i will, because I need help. I'm trying to finish this basic game. but I am having troubles. If anyone wants to help me out it would be great. I will admit this might take a long time, i am new to java and i suck at it(yes i will also admit that). by anyones standards this program probably really sucks, but its the best that i can do.
    my objectives:
    - when a button is pressed down, switch it to the opposite button ( on goes to off, off goes to on) but at the same time, switch the buttons that are left, right, up and down from it.
    Before:
    http://i15.photobucket.com/albums/a385/t_dimock/Picture3-2.png
    After:
    http://i15.photobucket.com/albums/a385/t_dimock/Picture2-9.png
    graphics
    http://i15.photobucket.com/albums/a385/t_dimock/On.png
    http://i15.photobucket.com/albums/a385/t_dimock/Off.png
    Anyone have any ideas?
    Here is my applet:
    import java.awt.*;
    import javax.swing.*;
    import java.awt.event.*;
    import java.util.*;
    * Class l0gixGame - write a description of the class here
    * @author (your name)
    * @version (a version number)
    public class logixGame extends JApplet implements ActionListener {
        JButton btnOn,btnOff;
      ImageIcon onButton = new ImageIcon("On.png");
      ImageIcon offButton = new ImageIcon("Off.png");
    public void actionPerformed (ActionEvent event) {
       public void init(){
           /** creates the control panel, sets the size,locaiton and the background
            * colour
           JPanel controlPanel = new JPanel();
           controlPanel.setSize(new Dimension(400,275));
           controlPanel.setLocation(10,100);
           controlPanel.setBackground(Color.gray);
           /** creates the background panel, sets the size,locaiton and the
           * background color
           JPanel backGround = new JPanel();
           backGround.setSize(new Dimension(400,400));
           backGround.setLocation(0,0);
           backGround.setBackground(Color.gray);
           /** creates the play panel, sets the size,locaiton and the
           * background color
           JPanel playPanel = new JPanel();
           playPanel.setSize(new Dimension(400,275));
           playPanel.setLocation(500,200);
           playPanel.setBackground(Color.orange);
           /** creates the layout for the play panel, and the control panel
            * creates the content pane, and the three panels to the content pane
            * and sets the dimensions for the content pane
           controlPanel.setLayout(new GridLayout(8,12));
           playPanel.setLayout(new GridLayout(8,12));
           Container cp = getContentPane();
           cp.setSize(new Dimension(5000,5000));
           cp.add(controlPanel);
           cp.add(playPanel);
           cp.add(backGround);
           /**initialize the onbutton and the offbutton with the related graphics*/
           ImageIcon onButton = new ImageIcon(getImage(getCodeBase(),
           "On.png"));
           ImageIcon offButton = new ImageIcon(getImage(getCodeBase(),
           "Off.png"));
           ArrayList<String> control = new ArrayList<String>();
           ArrayList<String> play = new ArrayList<String>();
           /** Randimization of control panel and play panel*/
           /**1=off 2=on*/
           int row,column,i,x,y;
             for( column = 0; column <= 8; column = column+1)
                    for (row = 0; row <= 14; row = row+1)
                        i = 1;
                        y = row * 50;
                        x = column * 50;
                        if ( (column % 2) == (row % 2) )
                            Random r = new Random();
                            int n = r.nextInt();
                            if(n % 2 == 0){
                                 JLabel btn2 = new JLabel(offButton);
                                controlPanel.add(btn2);
                                control.add("1");
                                JButton btnOn = new JButton(onButton);
                                btnOn.setBackground(Color.orange);
                                playPanel.add(btnOn);
                                play.add("2");
                                btnOn.addActionListener(this);
                            else{
                                JLabel btn2 = new JLabel(onButton);
                                controlPanel.add(btn2);
                                control.add("2");
                                JButton btnOff = new JButton(offButton);
                                btnOff.setBackground(Color.orange);
                                playPanel.add(btnOff);
                                play.add("1");
                                btnOff.addActionListener(this);
                        else
                            Random r = new Random();
                            int n = r.nextInt();
                            if(n % 3 == 0){
                                JLabel btn2 = new JLabel(onButton);
                                controlPanel.add(btn2);
                                control.add("2");
                                JButton btnOn = new JButton(onButton);
                                btnOn.setBackground(Color.orange);
                                playPanel.add(btnOn);
                                play.add("2");
                                btnOn.addActionListener(this);
                String controlString =""+ control;
                String playString =""+ play;
                if(controlString.compareTo(playString)==0){
                    JLabel winner = new JLabel("Winner!");
                    backGround.add(winner);
    }the orange pane is the player panel
    and the grey pane is the control
    If you want to change any of the code, go right a head. maybe somebody can make it good, thanks to anybody that gives it a shot... i owe you one.
    thanks you again
    bye

    Why the h&#101;ll are you starting a new thread here when you have another active thread on this same subject, and haven't even acknowledged or thanked the most recent contributions of Michael Dunn?
    http://forum.java.sun.com/thread.jspa?threadID=5244657
    If you think that being rude is going to get you help here, you are sadly mistaken. The people who help you here are not paid to do this; this isn't our jobs. If someone takes the time out of their work, their play, their lives to consider your problem, to give you some tips, you thank them. If you don't understand what they are telling you, you ask them. You don't just ignore the thread and start a new one. Jeesh!

  • Need alot of help setting up a WRT54G ver.6

    Ok, all i have is the router, (WRT54G Ver. 6 - Wireless G Broadband Router) Ive lost the box it came in, and everything with it. (I also have the power supply & 2 cords) A friend of mine setup everything for me at my old apartment, but Ive moved and have to do everything on my own this time.
    At my old place my computer was the central computer where the broadband modem was, my roommate had a wireless usb card of some kind, that allowed him to connect to the network.
    This time i have to have another computer as the central comp and i need a wireless usb card myself. I dont know what kind to get and how much it will be, any suggestions.
    I also dont know how to set everything up, and what type of hardware/software i will need, i was hoping all the drivers and sofware would be online but im not sure. Im not sure if the computer here needs a different network card or something similar either.
    Im also worried about how my computer is already setup, will i have to delete and redo all the settings already in effect, how do i do all this stuff
    Any advice would be very appreciated, i know nothing at all, not even what wires plug into what.

    setup modem connected to the internet port on the router and pc to the regular port on the router...reset the router for 10sec. then turn if off for the same amount of time while the router is off turn the modem as well.whats the model of your modem?

  • Hello any 1 big queation??????? need alot of help!

    any no were i can download free music onto my creative MuVo TX FM? iv looked every where!

    The mods lock all the posts about downloading illegal music, so don't expect much help here. If you want to put some effort into finding out where to get legal free music, search the mp3 player forum, there was a thread there about this same topic.

  • First Mac, need ALOT of help!

    Okay, here's the story: I just upgraded from a Dell Latitude (Vista Pro). I have an iPhone with HUNDREDS of contacts. Will someone please tell me how to import my iPhone contacts onto the new MacBook? i have a bunch of apps and quite a bit of music but my real concern is the contacts.
    Thanks in advance,
    Rhyno

    Congratulations.
    Before syncing contacts with the Address Book application on your Mac which is selected under the Info tab for your iPhone sync preferences with iTunes, enter one contact in the Address Book on your Mac. Make the contact up if needed which can be deleted later. This will provide a merge prompt with the first sync for this data, which you want to select.
    The same applies to syncing calendar events with iCal on your Mac before the first sync for this data.
    You can transfer your iTunes library from your PC to your Mac per the directions included with this link.
    http://support.apple.com/kb/HT1751

  • Need alot of help for this huge probl

    I purchased my zen 3 months ago, during that time I've listened to music on it, sometimes I'd even put files on it for storage. But now, all of a sudden I connect it to my USB port and it gives me an error stating that there was an I/O device error. Help on this will be much appreciated.

    Please remove the battery and connect the unit to a PC.
    Note that music and data on the unit is to be considered lost. Do not proceed unless you can accept that the player will be emptied.
    Download the following firmware file:
    http://uk.europe.creative.com/support/downloads/download2.asp?MainCategory=23&Product=2720&dlcentr ic=9639&Product_Name=ZEN+Nano+Plus&OSName=Windows+ XP
    Be sure to select "Format Data Area" before you start the upgrade process. Once the Close button becomes acti've, click it. Now, go into My Computer, right click on the MuVo 'removable dri've' and select Format.
    Format the dri've in the FAT32 file system.
    You can now write your backup back to the MuVo. Use the safe hardware removal icon (green arrow near the clock). Once unplugged, you can replace the battery. The player should now operate normally.
    If this is not the case, please contact customer support and request an RMA. Note that this only applies if the player is under 2 months old.

  • Need alot of help pls

    i installed itunes in my computer and but when i try open it up nothing appears it just does nothing i do not know what to do i tried reinstalling and repairing it but the same thing happens. please someone help me

    Perform a Thorough & Complete Uninstall and Reinstall of iTunes/QuickTime
    (Compiled from the collective wisdom of toonz and Da Gopha)
    If you want to guarantee a successful upgrade and be proactive about minimizing potential install issues, do the following:
    1. Completely Backup your music and iTunes library files.
    2. Virus check / spyware scan your machine.
    3. Completely remove / uninstall the current version of iTunes and QuickTime from your system.....
    3a. – Do a Stepwise clean uninstallation of iTunes
    3b. - Then download and install the Microsoft Installer Cleanup Utility
    .....And make sure iTunes is really gone.
    4. Delete the contents of your temp folder: C:\Documents and Settings\<username>\Local Settings\Temp
    5. Reboot the PC
    6. Turn off all security software such as Norton, McAfee, SpySweepers, any TSRs, etc. (exit via the system tray)
    7. Start with the QuickTime standalone installer run from the PC (not directly from on-line)
    8. Reboot the PC
    9. Turn off all security software such as Norton, McAfee, SpySweepers, any TSRs, etc. (exit via the system tray)
    10. First completely download, then run the latest iTunes Installer from your PC
    11. Reboot the PC
    The majority of problems out there on the discussion boards are caused by viruses or other system corruption — sometimes self-inflicted by the user (i.e. - people who turn off necessary Windows services) — or out of date drivers. You may want to consider if your PC falls into one of these categories.

  • Need ALOT of help for itunes?

    Ok,well i just got a new computer and i had backed up all my songs from my old computer to a cd.
    My old computer was an Emachine. When i tried to back up the songs to my computer it would not work,so I used my ipod to put my songs into itunes.After authorizing it,I did not get all my songs into the MUSIC folder
    So my question is-
    How do i get ALL my songs to the playlist?The ones that are burned from my cds
    and
    How do i recreate all my playlists i had?
    I thought that i would get them back and i am not sure how to do it
    Thanks

    How did you back up the songs - in iTUnes, or just using WIndows explorer to copy the music files to CD?

  • Need a little Help with my new xfi titanium

    +Need a little Help with my new xfi titanium< A few questions here.
    st question? Im using opt out port on the xfi ti. card and using digital li've on a windows 7 64 bit system,? I would like to know why when i use 5. or 7. and i check to make sure each speakear is working the rear speakers wont sound off but the sr and sl will in replace of the rear speakers. I did a test tone on my sony amp and the speaker are wired correctly becasue the rear speakers and the surrond? left and right sound off when they suppose too. Also when i try to click on? the sl and sr in the sound blaster control panel they dont work but if i click on the rear speakers in the control panel the sl and sr sound off. Do anyone know how i can fix this? So i would like to know why my sl and sr act like rears when they are not?
    2nd question? How do i control the volume from my keyboard or from windows period when using opt out i was able to do so with my on board? sound max audio using spidf? Now i can only control the audio using the sony receiver.
    Thank you for any help..

    /Re: Need a little Help with my new xfi titanium? ?
    ZDragon wrote:
    I'm unsure about the first question. Do you even have a 7. system and receiver? If you just have 5., you should be able to remap the audio in the THX console.
    I do have a sony 7. reciever str de-995 its an older one but its only for my cpu. At first i didnt even have THX installed because it didnt come with the driver package for some reason until i downloaded the daniel_k support drivers and installed it. But it doesnt help in anyway.
    I have checked every where regarding the first question and alot of people are having problems getting sound out of there rear channels and the sound being re-mapped to the surround right and the surround left as if there rear left and rear right.
    I read somewhere that the daniel_k support drivers would fix this but it didnt for me and many others.
    For the second question i assumed it would be becasue of the spidf pass through and that my onboard sound card was inferior to the xfi titaniums. But i wasnt sure and i was hopeing that someone would have a solution for that problem because i miss controlling the volume with my keyboard.

  • Need a little help with syncing my iPod.

    I got a new macbook pro for cristmas and a few cds. After i tried to sync my ipod to itunes i put a symbol next to each song that i got from other cds saying that they were downloading but they werent. Also the cds i downloaded to my ipod for the first time didnt appear at all. Need help.

    /Re: Need a little Help with my new xfi titanium? ?
    ZDragon wrote:
    I'm unsure about the first question. Do you even have a 7. system and receiver? If you just have 5., you should be able to remap the audio in the THX console.
    I do have a sony 7. reciever str de-995 its an older one but its only for my cpu. At first i didnt even have THX installed because it didnt come with the driver package for some reason until i downloaded the daniel_k support drivers and installed it. But it doesnt help in anyway.
    I have checked every where regarding the first question and alot of people are having problems getting sound out of there rear channels and the sound being re-mapped to the surround right and the surround left as if there rear left and rear right.
    I read somewhere that the daniel_k support drivers would fix this but it didnt for me and many others.
    For the second question i assumed it would be becasue of the spidf pass through and that my onboard sound card was inferior to the xfi titaniums. But i wasnt sure and i was hopeing that someone would have a solution for that problem because i miss controlling the volume with my keyboard.

  • I need advise and help with this problem . First , I have been with Mac for many years ( 14 to be exact ) I do have some knowledge and understanding of Apple product . At the present time I'm having lots of problems with the router so I was looking in to

    I need advise and help with this problem .
    First , I have been with Mac for many years ( 14 to be exact ) I do have some knowledge and understanding of Apple product .
    At the present time I'm having lots of problems with the router so I was looking in to some info , and come across one web site regarding : port forwarding , IP addresses .
    In my frustration , amongst lots of open web pages tutorials and other useless information , I come across innocent looking link and software to installed called Genieo , which suppose to help with any router .
    Software ask for permission to install , and about 30 % in , my instinct was telling me , there is something not right . I stop installation . Delete everything , look for any
    trace in Spotlight , Library . Nothing could be find .
    Now , every time I open Safari , Firefox or Chrome , it will open in my home page , but when I start looking for something in steed of Google page , there is
    ''search.genieo.com'' page acting like a Google . I try again to get raid of this but I can not find solution .
    With more research , again using genieo.com search eng. there is lots of articles and warnings . From that I learn do not use uninstall software , because doing this will install more things where it come from.
    I do have AppleCare support but its to late to phone them , so maybe there some people with knowledge , how to get this of my computer
    Any help is welcome , English is my learned language , you may notice this , so I'm not that quick with the respond

    Genieo definitely doesn't help with your router. It's just adware, and has no benefit to you at all. They scammed you so that they could display their ads on your computer.
    To remove it, see:
    http://www.thesafemac.com/arg-genieo/
    Do not use the Genieo uninstaller!

  • Need a little help new to mac

    Need a little help I'm new to Mac.. i have had my ibook for over a year now and i like it a lot, but some times my usb post dies on my for a couple days maybe weeks. Ill have my ipod connected and when i go to plug in a flash drive. It doesn't detect my ipod anymore and my usb port don't work. it says that they were "removed improperly" and now they are not working again..i have tried to reinstall the whole os again and that doesn't work i don't have the hardware test disk so i don't know what could be the problem i know its not the logic board is there any test i can do to it to find out the problem its an ibook late 2001... there is no reset button on it. i tried to hold in the space bar and now when i boot up i get prompt to this screen that shows the world and then a folder with a ? mark but then after a few sec it boots right up im a mess need some help

    +it says that they were "removed improperly"+
    You have to go to the iPod's icon on your computer (or the flash drive's icon), select it and eject it there before removing it. Otherwise, data can be corrupted and/or lost. Repeatedly removing it without ejecting it from the desktop can cause it not to be recognized any longer.
    If your iBook is a "late 2001" model. It should have a reset button. Check out the chart here to make sure which model iBook you have:
    http://support.apple.com/kb/HT1772?viewlocale=en_US
    +i get prompt to this screen that shows the world and then a folder with a ? mark but then after a few sec it boots right up+
    It's trying to find a network volume from which to boot.
    Once it's booted up, go to System Preferences > Startup Disk, and select your Mac OS X startup volume. Then close System Preferences. The next time you start up, it should start up without looking for a network volume.

  • In iTunes the iPhone device icon will not show up whenever I plug in a USB into my PC but the iPhone icon will show up in 'This PC'  so if anyone who knows a resolution to my problem with my iTunes or PC,it would really help me.I need at least Help or Tip

    In iTunes the iPhone device icon will not show up whenever I plug in a USB into my PC but the iPhone icon will show up in 'This PC'  so if anyone who knows a resolution to my problem with my iTunes or PC,it would really help me.I need at least Help or some Tips.I have already tried many things to iTunes and my PC like trying to restore my PC but that do anything.Also,would it be fine if i contacted (call) Apple Support? Please,I need help because what I think is wrong is my PC,iPhone,or USB might be messed up so if anyone could help me with this,it would be really helpful and for anyone to be nice enough to help me.

    I think this article will help you.

Maybe you are looking for

  • Windows 8.1 Mail App - Cannot Send Mail

    The fact that this problem has been ongoing for TWO+ YEARS with no clearly defined fix makes me want to take my SP3 back to the store and go buy an iPad, even though I hate Apple products. I think I'm voicing the frustrations of the people here when

  • Limit number of lines in a text editor

    Hello. In my program, i'm creating a text zone and i need to limit the data users will put in this zone. To create that, i'm using the object cl_gui_textedit. I've looked in the methods of this object but i wasn't able to find one that will limit the

  • HFM sample application

    While doing the activity for "HFM" i got following error . Im doing sample activity, where i need to do changes? how i can rectify this issue ? Im trying to deploy application before that while validating the dimension i got the error Validation Log

  • Guys, How do I write a trigger to call Calulator /Notepad???

    How do I write a trigger to call Calulator /Notepad??? how do i make a button to call the notepad editor in windows and calculator? of course i know about making the button, i want the code behind the trigger....

  • How to execute a batch processing thought a script

    Hi all, I have created a batch processing with Executing a javascript. B'coz i have to open multiple files, so that i m using batch processing. Now i m want to execute the particular batch process through the javascript. Is it possible to run through