Lots of problems with program

Guys,
I really am having a lot of problems with a program. I got the program to compile but it looks absolutely nothing like it is supposed to look. I have a deadline for tomorrow and sent my teacher an email but the chances of him getting back to me by tomorrow night for a weekend is pretty much slim to none. Anyways I am sending my output and if anyone could give me advice or feedback on why it does not look right if it is something small and if its alot of things go ahead and call me dumb.
here is my code:
import javax.swing.JOptionPane;
import java.awt.*;
import java.awt.event.*;
public class Checkerboard extends Frame implements ActionListener
     private Panel topPanel;
     private TextArea topDisplay[];
     private Panel bottomPanel;
     private TextField startField = new TextField(10);
     private TextField stopField = new TextField(10);
     private TextField stepField = new TextField(10);
     private Label startLabel = new Label ("Start");
     private Label stopLabel = new Label ("Stop");
     private Label stepLabel = new Label ("Step");
     private Button goButton;
     private Button clearButton;
     private boolean clearText;
     private boolean first;
     private int start;
     private int stop;
     private int step;
     //constructor methods
     public Checkerboard()
          //construct components and initialize beginning values
          topPanel = new Panel();
          topDisplay = new TextArea[16];
          goButton = new Button("Go");
          clearButton = new Button("Clear");
          first = true;
          bottomPanel = new Panel();
          int start = 0;
          int stop = 0;
          int step = 0;
          bottomPanel.add(startField);
          bottomPanel.add(stopField);
          bottomPanel.add(stepField);
          bottomPanel.add(startLabel);
          bottomPanel.add(stopLabel);
          bottomPanel.add(stepLabel);
          bottomPanel.add(goButton);
          goButton.addActionListener(this);
          bottomPanel.add(clearButton);
          clearButton.addActionListener(this);
          clearText = true;
          //set layouts for the Frame and Panels
          setLayout(new BorderLayout());
          topPanel.setLayout(new GridLayout(4, 4, 10, 10));
          bottomPanel.setLayout(new GridLayout(3, 3, 5, 5));
          //construct the Display
          for(int i = 1; i <= 15; i++)
                    topDisplay[i] = new TextArea(null, 3, 5, 3);
          //set color to the panel
          //row 1
          for(int x = 1; x <= 4; x++)
          //set color for
          setBackground(Color.white);
          //row 2
          for(int x = 5; x <= 8; x++)
          //set color for
          setBackground(Color.white);
          //row 3
          for(int x = 9; x <= 12; x++)
          //set color for
          setBackground(Color.white);
          //row 4
          for(int x = 13; x <= 16; x++)
          //set color for
          setBackground(Color.white);
          //add components to frame
          add(topPanel, BorderLayout.NORTH);
          add(bottomPanel, BorderLayout.CENTER);
          //allow the x to close the application
          addWindowListener(new WindowAdapter()
                    public void windowclosing(WindowEvent e)
                              System.exit(0);
               } //end window adapter
     public static void main(String args[])
          Checkerboard f = new Checkerboard();
          f.setTitle("Checkerboard Array");
          f.setBounds(50, 100, 300, 400);
          f.setLocationRelativeTo(null);
          f.setVisible(true);
     } //end main
     public void actionPerformed(ActionEvent e)
          //convert data in TextField to int
          int start = Integer.parseInt(startField.getText());
          int stop = Integer.parseInt(stopField.getText());
          int step = Integer.parseInt(stepField.getText());
          for(int i = 1; i <=16; i++)
          setBackground(Color.blue);
          for(int i = start; i <= stop; i++)
          setBackground(Color.yellow);
          //test clear
          String arg = e.getActionCommand();
          //clear button was clicked
          if(arg.equals("Clear"))
               clearText = true;
               start = 0;
               stop = 0;
               step = 0;
               first = true;
               setBackground(Color.white);
               startField.requestFocus();
          } //end the if clear
     }//end action listener
}//end classThis will incorporate arrays, for loops, and Frames all in one.
Create a panel containing an array of 16 TextArea components that change color to correspond with the start, stop, and step values entered by the user. Perform the following tasks to create the Checkerboard Array application shown below. When the user enters the start, stop, and step fields and then clicks the Go button, the results are also shown below.
1.     Call your application Checkerboard.java
2.     You will need the following variables� declare them as private:
a.     16 component TextArea array
b.     a Panel to hold the array
c.     3 TextField components with length of 10
d.     3 int variables to receive the start, stop, and step values
e.     3 Labels to display the words Start, Stop, and Step
f.     a Go button
g.     a Clear button
h.     a Panel to hold the 3 TextFields, 3 Labels, and the 2 Buttons
3.     Create a constructor method to:
a.     construct each of the components declared above and initializes the start, stop, and step variables to zero (when constructing the TextArea components, use the following parameters: null, 3, 5, 3)
b.     set the Frame layout to BorderLayout
c.     write a for loop to loop the array and set each of the 16 TextArea components in that array so they cannot be edited. In the same loop, set each of the TextArea components text to be 1 more than the index number. Also in this same loop, set the background of each of the TextArea components to white.
d.     set the Panel for the TextArea components to GridLayout with 4 rows, 4 columns, and both gaps set to 10
e.     set the Panel for the TextFields, Labels, and button to GridLayout with 3 rows, 3 columns, and both gaps set to 5
f.     add the components to their respective Panels
g.     make the buttons clickable
h.     place the Panels in the Frame� put one in the NORTH and one in the CENTER
i.     Enter the addWindowListener() method described in the chapter� this is the method that overrides the click of the X so it terminates the application
4.     In your actionPerformed() method:
a.     convert the data in your TextFields to int and store them in the variables declared above
b.     write a loop that goes through the array setting every background color to blue
c.     write another loop that�s based on the user inputs. Each time the loop is executed, change the background color to yellow (so� start your loop at the user�s specified starting condition. You�ll stop at the user�s specified stopping value. You�ll change the fields to yellow every time you increment your loop based on the step value. REMEMBER: Your displayed values are 1 off from your index numbers!!)
5.     Write a main() method that creates an instance of the Checkerboard Frame.
a.     set the bounds for the frame to 50, 100, 300, 400
b.     set the title bar caption to Checkerboard Array
c.     use the setVisible() method to display the application Frame during execution
6.     After you get all of this complete, include error handling to make sure:
a.     the values entered in the TextFields are valid integers
b.     the start value is greater than or equal to 1 and less than or equal to 16
c.     the stop value is greater than or equal to 1 and less than or equal to 16
d.     the step value is greater than or equal to 1 and less than or equal to 16
e.     the start condition is less than the stop condition
f.     when an error occurs, give an error message in a dialog box that is specific to their error, remove the text from the invalid field, and put the cursor in that field so the user has a chance to re-enter� this can be accomplished by using multiple try/catch statements
g.     only change the colors if the numbers are valid
7.     Create a clear button as seen in the example below. This button should:
a.     clear out all 3 TextFields
b.     change the background color of all TextArea array elements to white
c.     put the cursor in the start field
8.     Document!!
I know you guys are probably busy with your own stuff but any help and I would certainly appreciate it

got the yellow boxes to come up but just one box.....so is there something wrong with my yellow set background because I am not seeing any more errors
//packages to import
import javax.swing.JOptionPane;
import java.awt.*;
import java.awt.event.*;
public class Checkerboard extends Frame implements ActionListener
     private Panel topPanel;
     private TextArea topDisplay[];
     private Panel bottomPanel;
     private TextField startField = new TextField(10);
     private TextField stopField = new TextField(10);
     private TextField stepField = new TextField(10);
     private Label startLabel = new Label ("Start");
     private Label stopLabel = new Label ("Stop");
     private Label stepLabel = new Label ("Step");
     private Button goButton;
     private Button clearButton;
     private boolean clearText;
     private boolean first;
     private int start;
     private int stop;
     private int step;
     //constructor methods
     public Checkerboard()
          //construct components and initialize beginning values
          topPanel = new Panel();
          topDisplay = new TextArea[16];
          goButton = new Button("Go");
          clearButton = new Button("Clear");
          first = true;
          bottomPanel = new Panel();
          int start = 0;
          int stop = 0;
          int step = 0;
          bottomPanel.add(startField);
          bottomPanel.add(stopField);
          bottomPanel.add(stepField);
          bottomPanel.add(startLabel);
          bottomPanel.add(stopLabel);
          bottomPanel.add(stepLabel);
          bottomPanel.add(goButton);
          goButton.addActionListener(this);
          bottomPanel.add(clearButton);
          clearButton.addActionListener(this);
          clearText = true;
          //set layouts for the Frame and Panels
          setLayout(new BorderLayout());
          topPanel.setLayout(new GridLayout(4, 4, 10, 10));
          bottomPanel.setLayout(new GridLayout(3, 3, 5, 5));
          //construct the Display
          for(int i = 0; i <= 15; i++)
                    topDisplay[i] = new TextArea(null, 3, 5, 3);
                    topDisplay.setText(String.valueOf(i+1));
                    topDisplay[i].setEditable(false);
                    topPanel.add(topDisplay[i]);
          //add components to frame
          add(topPanel, BorderLayout.NORTH);
          add(bottomPanel, BorderLayout.CENTER);
          //allow the x to close the application
          addWindowListener(new WindowAdapter()
                    public void windowClosing(WindowEvent e)
                              System.exit(0);
               } //end window adapter
          public static void main(String args[])
                    Checkerboard f = new Checkerboard();
                    f.setTitle("Checkerboard Array");
                    f.setBounds(50, 100, 300, 400);
                    f.setLocationRelativeTo(null);
                    f.setVisible(true);
               } //end main
               public void actionPerformed(ActionEvent e)
                    boolean done = false;
                    //test go
                    String arg = e.getActionCommand();
                    //go button was clicked
                    if(arg.equals("Go"))
               //convert data in TextField to int
               int start = Integer.parseInt(startField.getText());
               int stop = Integer.parseInt(stopField.getText());
               int step = Integer.parseInt(stepField.getText());
               while(!done)
                    try
                         if((start <= 1) && (start > 16)) throw new NumberFormatException();
                         else done = true;
                    } //end try
                    catch (NumberFormatException f)
                         JOptionPane.showMessageDialog(null, "You must enter start between 1 and 16", "Error", JOptionPane.ERROR_MESSAGE);
                         startField.setText(" ");
                         startField.requestFocus();
                    } //end catch
                    try
                         if ((stop < 1) && (stop > 16)) throw new NumberFormatException();
                         else done = true;
                    } //end try
                    catch (NumberFormatException f)
                         JOptionPane.showMessageDialog(null, "You must enter stop between 1 and 16", "Error", JOptionPane.ERROR_MESSAGE);
                         stopField.setText(" ");
                         stopField.requestFocus();
                    } //end catch
                    try
                         if ((step < 1) && (step > 16)) throw new NumberFormatException();
                         else done = true;
                    } //end try
                    catch (NumberFormatException f)
                         JOptionPane.showMessageDialog(null, "You must enter step between 1 and 16", "Error", JOptionPane.ERROR_MESSAGE);
                         stepField.setText(" ");
                         stepField.requestFocus();
                    } //end catch
                    try
                         if (start > stop) throw new NumberFormatException();
                         else done = true;
                    } //end try
                    catch (NumberFormatException f)
                         JOptionPane.showMessageDialog(null, "Stop cannot be larger than start", "Error", JOptionPane.ERROR_MESSAGE);
                         startField.setText(" ");
                         stopField.setText(" ");
                         stepField.setText(" ");
                         startField.requestFocus();
                    } //end catch
          } //end while
                    for(int i = 0; i <=15; i++)
                    topDisplay[i].setBackground(Color.blue);
                    for(int i = start; i <= stop; step++)
                    topDisplay[i].setBackground(Color.yellow);
               } //end the if go
               //clear button was clicked
               if(arg.equals("Clear"))
                    clearText = true;
                    startField.setText("");
                    stopField.setText("");
                    stepField.setText("");
                    first = true;
                    setBackground(Color.white);
                    startField.requestFocus();
               } //end the if clear
     }//end action listener
}//end class

Similar Messages

  • I have just downloaded OSX Mavericks and am having a lot of problems with my iCloud account. I get a message "this iMac can't connect to iCloud because of a problem with (and then it quoted my e-mail address) Does anybody know what the problem could be??

    As mentioned above I have just downloaded OSX Maverick to my iMac. I am now having a lot of problems with iCloud. I get the message that "This iMac can't connect to iCloud because of a problem with, and then it goes on to quote my e-mail address. It then says to open iCloud preferences to fix this problem.
    I do this and no matter what I seem to do this message continues to return.
    Can anybody explain how to resolve this problem (please bear in mind that I am noy very computer literate).
    Many thanks
    Mike

    Hello John
    Sorry I haven't got back to you sooner.
    Thanks very much for your help, your solution solved my problem.
    Thanks again and kind regards
    Mike

  • 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!

  • HT204406 I let my match subscription go because I was having a lot of problems with it. I re-subscribed and it reset all my database of music back to when I last had match. How do I fix this?

    I ended up letting my itunes match subscription go because I was having a lot of problems with it. I was getting a lot of music where it would play the censored version instead of explicit like I have. After attempting numerous times to fix I gave up and let match expire. I had updated my library by downloading a number of AAC versions from itunes and then manually deleted all of them and added the proper files back by re-ripping my CD's again. I also added a bunch of new music and because I use a rating system, re organized all my music and rated some stuff with new ratings and higher star ratings.
    About 3 months passed and I decided to give match another try. After getting it, I found it odd that my database was put there in virtually no time. Not only that, a significant amount of music I deleted (but was in the old match subscription) showed up. I knew it was broken at that point, but today, I was listening to music and items which I know have been updated and changed, have also reverted back to old settings. Is there a way to fix this?
    Also, I'm REALLY annoyed with match again. After all my work, I STILL have censored music as my match music. It is really annoying to have different music on my computer than what is in the cloud (not to mention the music which will not upload to the cloud and just constantly says "waiting"!!)

    Yeah, and it didn't work.
    I had problems when I updated to iOS 5 (lost all my apps - a few of my friends had the same problem) and when there was an update to iOS 4 (camera wouldn't work). The iOS 5 issue was sorted by backup (but I lost the app data) but for the iOS 4 issue I had to return my iPod to get a new one.

  • Lots of problems with newer MacBook Pro

    I bought my first Mac about a year and a half ago. Unfortunately I've had lots of problems with it. I need to get it repaired, but I'm not sure what's wrong. I live in Thailand so I want to have some idea of what's going on before taking it to a shop (so they don't try to price gouge me).
    The first problem happened about 9 months after i bought it. The computer would become incredibly slow. Sometimes it would take 15 minutes to boot up and sometimes it wouldn't boot up at all. But sometimes it was fine. If it did boot up, sometimes when I'd go into a folder in Finder, nothing would show up. The spinning loader graphic would just spin at the bottom of the Finder window. I ran a disk check and it said it found multiple errors that could not be fixed. I erased the hard drive and reinstalled Lion and everything seemed fine. Since I live in Thailand and I need my computer for work, I didn't want to ship it off to Apple to be fixed. It seemed fine after formatting the hard drive, so I figured it was fixed.
    About 3 months later the problem came back, but much worse. I couldn't boot up or anything. I took it to a small Mac repair shop because at this point the 1 year warranty had expired. Of course inside the shop it booted up fine and I had to explain to the guy that for 5 days I haven't even been able to turn it on. Finally after restarting 4 times it began slowing down and he could see what I was experiencing. He said he could try replacing the hard drive, but couldn't guarantee it would fix it. I needed my computer badly at this point so I said let's try. I came back a couple days later and he had transferred everything to the new hard drive and installed it. Everything seemed to be working fine.
    That worked, although sometimes (rarely) something weird would happen, like the computer would just shut down for no reason. But, the DVD drive stopped working. It loads a disc OK, but it can't read it and won't burn a DVD. One time it wouldn't eject my DVD for about 30 minutes. I was trying everything I could find on Google. Finally it spit it out.
    Now, about 6 months later, I was watching a movie and about 10 small colored boxes popped up on the screen. They went away after a few seconds, so I closed my movie and went to shut down my computer. The entire screen then filled with horizontal rainbow colored static. It stayed for about 30 seconds, then the screen turned grey. I could hear and feel the fans blowing at full speed.
    And then for about a full day it went away, until earlier today. As I was backing up all my files I played a quick part of a movie. The same squares popped up on the screen so I immediately closed the movie and they went away.
    I finished backing up and then erased the hard disk. I started installing Mountain Lion, and it stopped at about 75%. I canceled the installer and restarted. After a few seconds the screen turned solid blue with white staticky lines. And now that happens every time I turn on the computer after about 30 seconds. There's no operating system because before I can even get to the installer before the screen goes.
    Sorry for the huge amount of info. I just don't have enough experience with Macs to know what's going on. My current issue resembles a video card problem, the issues before resemble a hard drive and DVD drive issue. Replacing the hard drive fixed it temporarily. Could a problem with the logic board cause all of these issues?
    Thanks for any help with this.

    A few things to note...
    If you had contacted Apple about each of the issues that you reported here, they would  have kept a log of the problems that would help them determine whether to continue support after the warranty expires.
    You might consider asking about "Flat Rate Repair Pricing." See the discussion thread here and note that some users report that the flat rate repair pricing is only available in the U.S. and Japan.
    gavin310 wrote:
    (typically they just ship your computer to Singapore instead of working on it "in-house" from what I read).
    Actually, I had great  experiences with two different macs sent to the repair depot. One computer had narcolepsy on day one. Apple sent me a box, I packed up the PB and dropped it off at UPS. Apple fixed and returned to my house two days later. The second MBP had a known video card problem. I took it to an Apple Store Genius who ran a specifc test and deduct that it was the known defective video card. The store was out of parts and ordering would take a week. Knowing my past experience with the Repair Depot, I ask for that option. The genius took my MBP and shipped it to the depot that night. Three days later, I received the fixed MBP and on the work order, their tests showed failed fans that they also replaced. Three or four weeks later, the Apple Store called to tell me they got the video card in stock.
    Gather up your grit, perseverance, and persistence before contacting Apple. Try bypassing phone support by contacting them via their online support system with the link I provided in the previous post. (I remember using the online support system and was able to choose to have them call me. At the time, I had AppleCare so i'm not certain with out-of-warranty.) Another option is to seek an authorized Apple service provider.
    Good Luck!

  • Problem with program hanging randomly on certain commands from win 7 pro client to SB Server

    Having a problem with program hanging randomly on certain commands from Win-7 Pro Client to SB Server Both 64-Bit
    Five other slower XP-Pro 32 Bit systems though they are older and slower systems do not seem to hang as readily if at all.
    It has been very frustrating as the Client-System, SB-Server and Program should work w/o any hitches, but this seems to work fine @ times and then hang randomly.
    Would appreciate any and all suggestions in assisting.... JimBAgde-MSS  

    You can try this, as I have had similar problems with another MS Access .MDB file and slow access before. This fixed my problem for me. On the slow computer, make sure the program is set to see the .mdb file via UNC path, not a mapped drive letter. ex.
    USE:  \\yourserver\shared\dental\file.mdb
    DO NOT: S:\\shared\dental\file.mdb
    hope this helps

  • HT1694 I'm having a lot of problems with the hotmail account, regularly is indicating an error in the server, that I have to introduce the password again that late that this is wrong. I have changed the password making this shorter but it does not work.

    I'm having a lot of problems with the hotmail account, regularly is indicating an error in the server, that I have to introduce the password again that late that this is wrong. I have changed the password making this shorter but it does not work.

    bump? Is bumping allowed? Lol.
    I just really need some help here.

  • A lot of problems with Oracle BI SEE 11g

    I have a lot of problems with Oracle BI SEE 11g
    1. I upgraded my BI SEE 10 repository and can it openning in offline mode.
    2. I can't deploy my upgraded repository in EM MW Control 11g - when i try to open Farm_bifoundation_domain->Business Intelligence->coreapplication, i get error "Stream closed
    For more information, please see the server's error log for an entry beggining with: Server Exception during PPR, #41".
    Opening Logs by EM control doesn't work too.
    in file middleware\user_projects\domains\bifoundation_domain\servers\AdminServer\logs\AdminServer.log i see this event:
    <Error> <HTTP> <oratest.itera.ru> <AdminServer> <[ACTIVE] ExecuteThread: '0' for queue: 'weblogic.kernel.Default (self-tuning)'> <<WLS Kernel>> <> <b639ac3e56e9a463:bd6fa7f:12ac7271e09:-8000-00000000000009e8> <1283408423378> <BEA-101019> <[ServletContext@329875093[app:em module:/em path:/em spec-version:2.5]] Servlet failed with IOException
    java.io.IOException: Stream closed
    Have you any ideas?
    3. Ok, i taking sample repository and adding a new datasource in it:
    Database: Oracle 8i
    Connection pool:
    Call interface OCI 8i/9i
    Data source name:
    (DESCRIPTION = (ADDRESS_LIST = (ADDRESS = (PROTOCOL = TCP) (Host = oraapp) (Port = 1521) ) ) (CONNECT_DATA = (SID = MYSID) ) )
    This settings are working fine in BI 10.
    In BI 11g i get this funny error: "The connection has failed". I lost my time in attempts to connect to Oracle DB 8, but have not results. After that i hacked button "Query DBMS" at "Features" tab, pressed it and when get error "ORA-03134: Connections to this server version are no longer supported.".
    Therefore Oracle 8 DB as datasource not supported. Am i right?
    4. In sample repository i added oracle DB 10 as datasource, then added two dual tables and their connection to all layers.
    Now i open BI Answers, and trying to create report with one dummy column, Now i have this error:
    Error
         View Display Error
    Odbc driver returned an error (SQLExecDirectW).
    Error Details
    Error Codes: OPR4ONWY:U9IM8TAC:OI2DL65P
    State: HY000. Code: 10058. [NQODBC] [SQL_STATE: HY000] [nQSError: 10058] A general error has occurred. [nQSError: 43113] Message returned from OBIS. [nQSError: 42016] Check database specific features table. Must be able to push at least a single table reference to a remote database (HY000)
    SQL Issued: SELECT s_0, s_1 FROM ( SELECT 0 s_0, "ORA10G"."dual"."dummy" s_1 FROM "ORA10G" ) djm
    Database features are defaults.
    Does anyone solve this problem?

    Turribeach, Thanks for you time.
    1. It was not a question
    3. Yes, i have read platforms, but not supported datasources. Now i see, that BI 11g support as datasource Oracle DB 9.2.0.7 or higher. I am sorry.
    4. I'm using OCI connection type
    Now i recreate Database in Physical schema and answers is showing report data for me! But only from one table, when i use columns from to tables from one datasource, i geting error:
    Error View Display Error Odbc driver returned an error (SQLExecDirectW). Error Details Error Codes: OPR4ONWY:U9IM8TAC:OI2DL65P State: HY000. Code: 10058. [NQODBC] [SQL_STATE: HY000] [nQSError: 10058] A general error has occurred. [nQSError: 43113] Message returned from OBIS. [nQSError: 46008] Internal error: File server/Utility/Server/DataType/SUKeyCompare.cpp, line 875. (HY000) SQL Issued: SELECT s_0, s_1, s_2 FROM ( SELECT 0 s_0, "Ora10g"."hierarchy_obj_cust_v"."sort_order" s_1, "Ora10g"."NSI_SCHEMA"."SCHEMA_NAME" s_2 FROM "Ora10g" ) djm
    Edited by: serzzzh on 03.09.2010 3:44

  • A lot of problems with my iPod(songs delet/stop at will)

    I started my i pd up this morning and none of my podcast or music would play. After a while I just let my ipod sit and turned it on but it stopped after pleying about a minute. I reset the iPod and now everything is deleted. i am getting so fed up with this thing. I've had to reformat and reset it like twice in the last 3 weeks.
    Can Anyone help?

    Jaredk wrote:
    I am having a lot of problems with my Bionic and it is making me very dissastified.
    1. My 3G and 4G service is going out.
    2. My phone reboots randomly.
    3. It gets very hot with little to no use.
    4. Sound doesn't work sometimes.
    5. Battery life is utter garbage.
    6. The camera is horrible.
    I've called up already and did a soft and hard reset. I am unable to send it in for repairs and they couldn't fix it at the store. I am very upset and either want a fix or I want to be able to trade it in for a new phone.
    Hi Jaredk
    3 and 5 are related, 1 and 2 may  be part of that as well.  The camera has terrible lag and all in all isn't that impressive but that's being addressed.  I haven't had or heard any issues with the sound cutting out.
    Have you tried going to Settings > Wireless & networks > Mobile networks > Network Mode and select CDMA Only to see if that fixes any of the issues you're seeing?  Specifically the reboots and heat.
    For the reboots I would recommend un-installing most of your apps and then slowly add them back until you notice the reboots start up.

  • I have ipad 2 and facing problem with programs swtching off

    I have ipad 2 and facing problem with programs it's swtching off while working and turn to home page. Am using ios 5

    If it's happening on all the apps that you've downloaded from the App Store, but not the Apple built-in ones, then try downloading any free app from the store (as that appears to reset something) and then re-try them - the free app can then be deleted.
    If it's happening on all apps then try closing them all completely and then see if they work when you re-open them : from the home screen (i.e.not with any app 'open' on-screen) double-click the home button to bring up the taskbar, then press and hold any of the apps on the taskbar for a couple of seconds or so until they start shaking, then press the '-' in the top left of each app to close them, and touch any part of the screen above the taskbar so as to stop the shaking and close the taskbar.
    If that doesn't work then you could try a reset : press and hold both the sleep and home buttons for about 10 to 15 seconds (ignore the red slider), after which the Apple logo should appear - you won't lose any content, it's the iPad equivalent of a reboot.

  • Facing lot of problems with the DATA object  -- Urgent

    Hi,
    I am facing lot of problems with the data object in VC.
    1. I created the RFC initially and then imported the data object in to VC. Later i did some modifications to RFC Function module,and when i reload the data object, I am not able to see the new changes done to RFC in VC.
    2. Even if i delete the function module, after redeploying the IVIew, results are getting displayed.
    3. How stable is the VC?
      I restarted the sql server and portal connection to R3 is also made afresh.... still i am viewing such surprise results..
    please let me know what might be the problem.

    Hi Lior,
    Are u aware of this problem.
    If yes, please let me know...
    Thanks,
    Manjunatha.T.S

  • Lots of problems with 10.5

    Lots of problems with Mac 10.5 and AirPort Extreme base station 802.11n and Lacie Drive:
    1. Cannot download .... in dialogue box I get message Download Zero KB. Apple downloads other downloads all same problem.
    2. Cannot see USB Lacie Desktop Hi Speed /USB2.0 drive TQ346X/A 500GB connected to AirPort Extreme Wireless Base Station MB053X/A .
    3. Cannot see USB laser printer connected to AirPort Extreme Wireless Base Station MB053X/A .
    4. Cannot connect to Windows XP Desk Top computer because D-Linck DWL- G150 cannot connect to AirPort Extreme wireless network.
    5. Apple support in Qld is crap- I spent 4 hours on the phone trying to resolve these problems with nil result.

    Hi,
    There are no more Updates for 10.5.8, you need a paid Upgrade if your Mac can handle it.
    We need more info about your Mac to see if it will even be capable,
    So we know more about it...
    At the Apple Icon at top left>About this Mac, then click on More Info, then click on Hardware> and report this upto but not including the Serial#...
    Hardware Overview:
    Model Name: iMac
    Model Identifier: iMac7,1
    Processor Name: Intel Core 2 Duo
    Processor Speed: 2.4 GHz
    Number Of Processors: 1
    Total Number Of Cores: 2
    L2 Cache: 4 MB
    Memory: 6 GB
    Bus Speed: 800 MHz
    Boot ROM Version: IM71.007A.B03
    SMC Version (system): 1.21f4
    Snow Leopard/10.6.x Requirements...
    General requirements
       * Mac computer with an Intel processor
        * 1GB of memory (I say 4GB at least, more if you can afford it)
        * 5GB of available disk space (I say 30GB at least)
        * DVD drive for installation
        * Some features require a compatible Internet service provider; fees may apply.
        * Some features require Apple’s MobileMe service; fees and terms apply.
    Which apps work with Mac OS X 10.6?...
    http://snowleopard.wikidot.com/
    It's been pulled from the online store & Apple Stores, so you have to call Apple to buy it, last I heard.
    Buy Snow Leopard > http://store.apple.com/us/product/MC573/mac-os-x-106-snow-leopard
    Call Apple Sales...in the US: 1-800-MY-APPLE. Or Support... 1-800-275-2273
    Other countries...
    http://support.apple.com/kb/HE57

  • Lots of problems with Quicktime 7.1.3

    There is a lot of problems with Quicktime 7.1.3, for starters when you install it, the shorcuts on the start menu doesn't show the right icon, instead they show the icon like if the path to the desired icon is wrong, and not matter how much you use the repair function on the installer it remains the same.
    The plug-in for the internet browser doesn't works neither, you only get the "Plug-in error. The plug-in did not initialise properly" error message.
    And what's with the Question mark on every single trailer on this site? it seems they have problems with the mov files on the server or something, like if they aren't complete, kinda odd considering that the HD trailers did open without problem but those ones open a player window since they are too big for a plug-in browser window.
    Apple has a lot of work to do for the next version of Quicktime since this one came with a big load of errors, I had to return to the version 7.1 while all this problems get fixed.

    from day one i haven't had a problem with installation nor with playback. originally the surround sound didn't work, that was fixed...now however with the recent version the h.264 encoding has downgraded.
    the only thing i did different on installation was getting the standalone and not the itunes addition. i didn't uninstall the old one nor did i dig through the registry and mess with the keys. all i did was install and i presume it removed the older installation which is fine because obviously it worked.
    why you all are having problems i have no idea. i just want my h.264 encoding quality restored back to the way it was.

  • Lots of problems with nano!!! help!!!

    lately i've been having a lot of problems with my ipod nano. I have an ihome and an ipod car connector thing and now the nano will sometime play on the car but never on the ihome. It take forever to update and add songs and many times when i connect the ipod to the computer it wont show up on itunes...what should i do help!!!

    Try your 5Rs first, especailly Reset and restore. Make sure your nano has the latest ipod software by going to Settings>About on the ipod and see if it says
    Version: 1.2

  • A lot of problems with Lion Server in Mac Mini Server

    I have a new Mac Mini Server and I have a lot of problems.
    The  server application works well for a day, then start to have problem, for example: I can not change the configuration of the share folder, I add a new user but he can not see some folders.
    Then if I login the Mac Mini with another user, he can not see the starting folder and if you open a new folder you see a lot of strange documents.
    Later, with administrator user, I can not login the server application, I put the user name and password but it refuses it (user name and passowrd are correct)
    In the end I also can not login the computer.
    I reinstalled the Lion Server 2 times but nothing change, after 2 days it doesn't work like before.
    I'm very upset, this is the first time in more then 20 year I have a problem with an Apple computer.
    What can I do?
    Please help me
    Thanks

    Turribeach, Thanks for you time.
    1. It was not a question
    3. Yes, i have read platforms, but not supported datasources. Now i see, that BI 11g support as datasource Oracle DB 9.2.0.7 or higher. I am sorry.
    4. I'm using OCI connection type
    Now i recreate Database in Physical schema and answers is showing report data for me! But only from one table, when i use columns from to tables from one datasource, i geting error:
    Error View Display Error Odbc driver returned an error (SQLExecDirectW). Error Details Error Codes: OPR4ONWY:U9IM8TAC:OI2DL65P State: HY000. Code: 10058. [NQODBC] [SQL_STATE: HY000] [nQSError: 10058] A general error has occurred. [nQSError: 43113] Message returned from OBIS. [nQSError: 46008] Internal error: File server/Utility/Server/DataType/SUKeyCompare.cpp, line 875. (HY000) SQL Issued: SELECT s_0, s_1, s_2 FROM ( SELECT 0 s_0, "Ora10g"."hierarchy_obj_cust_v"."sort_order" s_1, "Ora10g"."NSI_SCHEMA"."SCHEMA_NAME" s_2 FROM "Ora10g" ) djm
    Edited by: serzzzh on 03.09.2010 3:44

Maybe you are looking for