Need help for this Procedure

A Simple procedure for inserting rows in the table
This is how the Source Table looks like Table Name:BSNL Contains the following Data. Here the Column MDI is Bold and MAI is regular and PRN# is Bold.
MDI MAI PNR#
50001112220 5000111220 25000
50001112221 5000111221 25001
50001112222 5000111222 25002
50001112223 5000111223 25003
50001112224 5000111224 25004
50001112225 5000111225 25005
50001112226 5000111229 25006
Destination table TVS which contains two columns(MDI and PNR#)
Here i have to write a procedure which inserts row in the destination table TVS according to the following condition
1) If mdi=mai then insert only one row in the destination table TVS with mdi and pnr# shown below the column MDI is Bold and PNR# is Regular
MDI PNR#
50001112220 25000
2) If MDI <> MAI then insert values like this
if MDI=50001112226 and MAI=50001112229 and PNR#=25006 then insert it
like shown below in the destination Table ie PNR# remains same and only the
MDI values will be inserted in incremented way the columns MDI is Bold and
PNR# is Regular.
MDI PNR#
50001112226 25006
50001112227 25006
50001112228 25006
50001112229 25006
so any idea please share it with me
Thanks in Advance.

You can check the following script - this will work in 9i --
satyaki>
satyaki>
satyaki>select * from v$version;
BANNER
Oracle Database 10g Enterprise Edition Release 10.2.0.1.0 - Prod
PL/SQL Release 10.2.0.1.0 - Production
CORE    10.2.0.1.0      Production
TNS for Linux: Version 10.2.0.1.0 - Production
NLSRTL Version 10.2.0.1.0 - Production
satyaki>
satyaki>
satyaki>create table bsnl
  2    (
  3       MDI     number(15),
  4       MAI     number(15),
  5       PNR     number(5)
  6    );
Table created.
satyaki>
satyaki>
satyaki>insert into bsnl values(&MDI,&MAI,&PNR);
Enter value for mdi: 50001112220
Enter value for mai: 50001112220
Enter value for pnr: 25000
old   1: insert into bsnl values(&MDI,&MAI,&PNR)
new   1: insert into bsnl values(50001112220,50001112220,25000)
1 row created.
satyaki>/
Enter value for mdi: 50001112221
Enter value for mai: 50001112221
Enter value for pnr: 25001
old   1: insert into bsnl values(&MDI,&MAI,&PNR)
new   1: insert into bsnl values(50001112221,50001112221,25001)
1 row created.
satyaki>/
Enter value for mdi: 50001112222
Enter value for mai: 50001112222
Enter value for pnr: 25002
old   1: insert into bsnl values(&MDI,&MAI,&PNR)
new   1: insert into bsnl values(50001112222,50001112222,25002)
1 row created.
satyaki>/
Enter value for mdi: 50001112223
Enter value for mai: 50001112223
Enter value for pnr: 25003
old   1: insert into bsnl values(&MDI,&MAI,&PNR)
new   1: insert into bsnl values(50001112223,50001112223,25003)
1 row created.
satyaki>/
Enter value for mdi: 50001112224
Enter value for mai: 50001112224
Enter value for pnr: 25004
old   1: insert into bsnl values(&MDI,&MAI,&PNR)
new   1: insert into bsnl values(50001112224,50001112224,25004)
1 row created.
satyaki>/
Enter value for mdi: 50001112225
Enter value for mai: 50001112225
Enter value for pnr: 25005
old   1: insert into bsnl values(&MDI,&MAI,&PNR)
new   1: insert into bsnl values(50001112225,50001112225,25005)
1 row created.
satyaki>/
Enter value for mdi: 50001112226
Enter value for mai: 50001112229
Enter value for pnr: 25006
old   1: insert into bsnl values(&MDI,&MAI,&PNR)
new   1: insert into bsnl values(50001112226,50001112229,25006)
1 row created.
satyaki>
satyaki>
satyaki>commit;
Commit complete.
satyaki>
satyaki>
satyaki>set lin 10000
satyaki>
satyaki>
satyaki>select * from bsnl;
       MDI        MAI        PNR
5.0001E+10 5.0001E+10      25000
5.0001E+10 5.0001E+10      25001
5.0001E+10 5.0001E+10      25002
5.0001E+10 5.0001E+10      25003
5.0001E+10 5.0001E+10      25004
5.0001E+10 5.0001E+10      25005
5.0001E+10 5.0001E+10      25006
7 rows selected.
satyaki>select to_char(MDI) MDI,
  2            to_char(MAI) MAI,
  3            to_char(PNR)
  4     from bsnl;
MDI                                      MAI                                      TO_CHAR(PNR)
50001112220                              50001112220                              25000
50001112221                              50001112221                              25001
50001112222                              50001112222                              25002
50001112223                              50001112223                              25003
50001112224                              50001112224                              25004
50001112225                              50001112225                              25005
50001112226                              50001112229                              25006
7 rows selected.
satyaki>
satyaki>
satyaki>select * from tvs;
select * from tvs
ERROR at line 1:
ORA-00942: table or view does not exist
satyaki>create table tvs
  2   (
  3      MDI      number(15),
  4      PNR      number(5)
  5   );
Table created.
satyaki>
satyaki>
satyaki>select * from tvs;
no rows selected
satyaki>
satyaki>
satyaki>insert into tvs
  2  select MDI + (level - 1) MDI,PNR
  3  from bsnl
  4  connect by rownum <= decode((MAI - MDI),0,1,(MAI - MDI)+1)
  5  order by MDI;
10 rows created.
satyaki>
satyaki>
satyaki>select to_char(MDI) MDI,
  2            to_char(PNR) PNR
  3     from tvs;
MDI                                      PNR
50001112220                              25000
50001112221                              25001
50001112222                              25002
50001112223                              25003
50001112224                              25004
50001112225                              25005
50001112226                              25006
50001112227                              25006
50001112228                              25006
50001112229                              25006
10 rows selected.
satyaki>Regards.
Satyaki De.
Oops!
Needs to modify my script now.

Similar Messages

  • Pls i need help for this simple problem. i appreciate if somebody would share thier ideas..

    pls i need help for this simple problem of my palm os zire 72. pls share your ideas with me.... i tried to connect my palm os zire72 in my  desktop computer using my usb cable but i can't see it in my computer.. my palm has no problem and it works well. the only problem is that, my  desktop computer can't find my palm when i tried to connect it using usb cable. is thier any certain driver or installer needed for it so that i can view my files in my palm using the computer. where i can download its driver? is there somebody can help me for this problem? just email me pls at [email protected] i really accept any suggestions for this problem. thanks for your help...

    If you are using Windows Vista go to All Programs/Palm and click on the folder and select Hot Sync Manager and then try to sync with the USB cable. If you are using the Windows XP go to Start/Programs/Palm/Hot Sync Manager and then try to sync. If you don’t have the palm folder at all on your PC you have to install it. Here is the link http://kb.palm.com/wps/portal/kb/common/article/33219_en.html that version 4.2.1 will be working for your device Zire 72.

  • Need Help on this procedure

    hello,
    I need some help on what is the proper way or correct way to do this.
    I just taped a wedding for a friend who somewhat trusted me, I edited it, and it came out decent. I then exported the 3/4 finished product to quicktime, this QT file is about 12 gigs, the friend wants the wedding on DVD, how can i do this, I was told to get toaster to make the DVD, I have Toaster 6, but if i remember correctly, it stated it would take about 12 hours to complete. AM I doing something wrong. should I get another product to make DVD that wont take so long?
    I dont think I can afford the DVD studio 3/4 atm,
    Need some guidance please. and Help too 8)
    Shiyonin.
    G5 Dual 1.8 Mac OS X (10.4.5)

    12 Gigs on a quicktime file should come out to just under an hour, which after encoding will fit comfortably on a DVD. iDVD will take care of this. it is part of the iLife suite, which should have come with your computer, but in any case can be purchased from Apple for a reasonable cost. As for time, it will take a long time, but should be well under 12 hours. The time to complete box often starts with a high estimate, and reduces it rapidly, but for this sort of work I usually leave the computer to get on with it overnight.

  • Need help with this procedure!

    Write a function/procedure that will take a year parameter(e.g 2007)
    and will go through all AP Invoices (with invoice_date falling within that year)
    for the Vision Services organization (org_id=458) and output all
    project numbers that are associated with any of these invoices.
    Also output the count of project related invoices and a count of non-project related invoices.
    Here is some basic information abt the data required to build the above proc!
    select project_id,invoice_date
    from ap_invoices_all api
    where api.org_id='458'
    and to_char(invoice_date,'YYYY')='2007';
    select pa.segment1 from pa_projects pa
    segment1 is the project number
    project_id is join between pa_projects and ap_invoices_all
    Can we write the logic for above procedure using index by table? or Do we have to go with cursor with parameters or can it be done either way ...would appreciate ur feedback to build this program

    No need to use two selects.
    Use only one as:
    SELECT ppa.segment1 project_numbers
    FROM pa_projects ppa
    ,ap_invoices_all api
    WHERE api.org_id='458'
    AND invoice_date BETWEEN '01-JAN-2007' AND '31-DEC-2007'
    AND api.project_id = ppa.project_id
    You should look out for the following:
    (1) you are using pa_projects not pa_projects_all and you are using org_id condition for ap_invoices_all
    (3) you can do either way - function/procedure, index by table/cursor. What is your specific concern about picking one method over the other?

  • Need help for a procedure

    All,
    I have a function and a procedure in a package. The function is called by the procedure. The function returns multiple records with multiple fields in a table type. The procedure uses those values to update the database. My question is how can I get those values to update database. Need sample of code.
    beloew is my package:
    CREATE OR REPLACE PACKAGE "test_record2" as
    type V_testre is record (
    USER_ID NUMBER,
    B_ID NUMBER,
    A_ID NUMBER);
    Type T_userInfo is table of user_Access %rowtype
    index by binary_integer;
    procedure get_info(userid in number);
    function P_GetProfile(userid in number) return T_userInfo;
    end;/
    CREATE OR REPLACE PACKAGE BODY "test_record2" as
    procedure get_info(userid in number) as
    get_access T_userInfo;
    v_userid number;
    begin
    get_access := P_GetProfile(v_userid);
    --How to get the values from get_access to do the insert.
    --Need help here!!!
    --insert into test_access values get_access
    end;
    -- test table
    function P_GetProfile(userid in number) return T_userInfo is
    profile_info T_userInfo;
    CURSOR c1 IS
              select * from user_Access          
    where USER_ID = userid;
    BEGIN
         OPEN c1;
         FETCH c1 BULK COLLECT INTO profile_info;
         return profile_info;
    END;
    End;
    --create the table
    CREATE TABLE user_access (user_id NUMBER, m_id NUMBER, n_id NUMBER);
    INSERT INTO user_access VALUES (1, 11, 111);
    INSERT INTO user_access VALUES (1, 22, 222);
    INSERT INTO user_access VALUES (1, 33, 333);
    INSERT INTO user_access VALUES (2, 11, 111);
    INSERT INTO user_access VALUES (2, 22, 222);
    INSERT INTO user_access VALUES (2, 33, 333);

    CALL is not valid PL/SQL. (In fact, it's only valid in OLAP).
    You want either...
    BEGIN
        test_record2.get_info(1);
    END;
    /...or (in SQL*Plus)....
    EXEC test_record2.get_info(1)I commend the documentation to you.
    Cheers, APC

  • Need help for this driver instalatio​n

    I need help!
    for hp 2000-2110TU ,
    i installed the memory card reader driver but the message is displayed like install your memory card driver, what have to do now..?

    Is that a USB memory card reader that you have connected. 
    **Click the KUDOS star on left to say Thanks**
    Make it easier for other people to find solutions by marking a Reply 'Accept as Solution' if it solves your problem.
    Thank You,
    AntonyG1
    Although I am an HP employee, I am speaking for myself and not for HP

  • Hi there, need help for this program...thx!

    Hi there guys,
    I have created this applet program that requires a user to login with a user no, and a password. I am using arrays as to store the defined variables,(as required by my project supervisor). My problem here is that when the arrays are declared in class validateUser(), the program would run fine, but i cant login and i get a NullPointerException error. if the arrays are located in actionPerformed, i get a 'cannot resolve symbol' error for the method 'get' and 'if (Admin.equals(admins.get(i).toString())) ' as well as 'if (Password.equals(passwordsget(i).toString())) '. I am not very effecient in java, hence the untidy program (and i have to admit, it isnt any good), so sorry for any inconvenience caused. Once agani thx in advance ;)
    here are my codings :
    import java.applet.Applet;
    import java.awt.*;
    import java.awt.image.*;
    import java.awt.event.*;
    import java.io.*;
    import java.net.URL;
    import java.net.*;
    import javax.swing.*;
    import java.lang.*;
    import java.util.Vector;
    public class eg31662 extends Applet implements ActionListener
         Panel panel1, panel2, panel3, panel4, panel5;
         Button login, enter;
         Label inst, top, admin, pass, fieldlabel;
    TextField adminF, passF, field;
    String Admin, Password;
    Vector admins, passwords;
         Thread thread = null;
         boolean status = false;
              public class validateUser extends Applet
                   String[] admins = {"User1", "User2", "User3"};
                   String[] passwords = {"P1", "P2", "P2"};
         public void init()
              setLayout (new BorderLayout());
              panel1 = new Panel(new FlowLayout());
              panel2 = new Panel(new FlowLayout());
              //login button
              login = new Button("Login");
              //instruction
              inst = new Label("Please type in your User no. and the given password in order to proceed");
              //label
              top = new Label("Login login");
              admin = new Label("Admin No :");
              pass = new Label("Password :");
              //input textfields
              adminF = new TextField(8);
              passF = new TextField(10);
              passF.setEchoChar('*');
              panel1.setBackground(Color.gray);
              panel2.setBackground(Color.orange);
              panel2.add(admin);
              panel2.add(adminF);
              panel2.add(pass);
              panel2.add(passF);
              panel2.add(login);
              panel2.add(inst);
              panel1.add(top);
              add(panel1, BorderLayout.NORTH);
              add(panel2, BorderLayout.CENTER);
              login.addActionListener(this);
              setSize(500,400);
         void mainpage()
              boolean flag = true;
              setLayout (new BorderLayout());
              panel1 = new Panel(new FlowLayout());
              panel2 = new Panel(new FlowLayout());
              top = new Label("Welcome");
              enter = new Button("Enter");
              panel2.setBackground(Color.orange);
              panel1.setBackground(Color.gray);
              fieldlabel = new Label("Type something here :");
              field = new TextField(20);
              add(panel1, BorderLayout.NORTH);
              add(panel2, BorderLayout.CENTER);
              panel2.add(fieldlabel);
              panel2.add(field);
              enter.addActionListener(this);
         public void start() {
              if(thread == null) {
                   status = true;
         public void stop() {
              status = false;
         public void run() {
              while(status == true) {
                   try {
                        thread.sleep(50);
                   catch(InterruptedException ie) {
                   repaint();
              thread = null;
         public void actionPerformed(ActionEvent ev)
                   //String[] admins = {"User1", "User2", "User3"};
                   //String[] passwords = {"P1", "P2", "P3"};
              if(ev.getSource() == login)
                   Admin = adminF.getText();
                   Password = passF.getText();
              boolean ok = true;
              for (int i = 0; i < admins.size(); i++) {
              if (Admin.equals(admins.get(i).toString())) {
              if (Password.equals(passwords.get(i).toString())) {
              ok = true;
              this.setVisible(false);
              //break;
                             JOptionPane.showMessageDialog(null, "Welcome, u have successfully logged in");
                             mainpage();
              else {
              ok = false;
              else {
              ok = false;
              if (ok == false) {
                             JOptionPane.showMessageDialog(null,
                        "Incorrect Password or Admin No, Please Try Again",
                        "Access Denied",
                        JOptionPane.ERROR_MESSAGE);
              else {
              this.setVisible(false);
    }

    Hi, sorry to bring this thread up again, but this is actually a continuation from my previous posted program. Hope u guys can help me again!
    Right now i'm supposed to come up with a simple quiz program, which consists of the center panel displayin the question (in a pic format), and a textfield to enter the answer at the lower panel. this goes on for a couple of pages and once it is completed, the final page would display the total correct answers out of the number of questions, as well as the score in percentage form.
    The few(or many) problems taht i'm facing are :
    1)How do i save the answers that are typed in each textfieldAnd later on checked for the correct answer based on the array given?
    2)How do i go about doing the final score in percentage form and total of correct answers?
    3)I previously tried out using canvas, but it didnt seem to work. my questions(pictures) that are supposed to displayed in the center(canvas) produce nothing. How do i rectify that?
    i'm really sorry for the mess in the codings, hope this wouldnt be a hassle for any of u out there. Once again thanks in advance!
    import java.applet.Applet;
    import java.awt.*;
    import java.awt.event.*;
    import java.awt.image.*;
    import java.io.*;
    import java.net.URL;
    import java.net.*;
    import java.util.Vector;
    import javax.swing.*;
    import java.awt.image.*;
    import java.lang.*;
    import java.awt.Graphics;
    public class eg31662 extends Applet implements ActionListener
        Panel panel1, panel2, panel3, panel4, panel5;
        Button login, enter;
        Label inst, top, admin, pass, startLabel;
        TextField adminF, passF, field;
        String Admin, Password;
        Vector admins, passwords;
         //Quiz declarations
         TextField ansF1,ansF2,ansF3;
         Button startBut, next0, next1, finishB, previous1;
         Image q1, q2, q3;
         Image ques[] = new Image[2];
         boolean text = false;
         boolean checked = false;
         int correct = 0;
         String [] answer = new String [2];
         String [] solution = {"11", "22", "33"};
         boolean text = false;
         boolean sound = true;
         int red,green,blue;
         int question =0;
         int good = 0;
         boolean pause= false;
         boolean start = true;*/
        Thread thread = null;
        boolean status = false;
        public void init()
            validateUser();
            setLayout (new BorderLayout());
            panel1 = new Panel(new FlowLayout());
            panel2 = new Panel(new FlowLayout());
            panel3 = new Panel(new FlowLayout());
            //login button
            login = new Button("Login");
            //instruction
            inst = new Label("Please type in your UserName and the given " +
                             "password in order to proceed");
            //label
            top = new Label("Top Label");
            admin = new Label("User Name :");
            pass = new Label("Password :");
            //input textfields
            adminF = new TextField(8);
            passF = new TextField(10);
            passF.setEchoChar('*');
            panel1.setBackground(Color.gray);
            panel2.setBackground(Color.orange);
              panel3.setBackground(Color.gray);
            panel2.add(admin);
            panel2.add(adminF);
            panel2.add(pass);
            panel2.add(passF);
            panel2.add(login);
            panel3.add(inst);
            panel1.add(top);
            add(panel1, BorderLayout.NORTH);
            add(panel2, BorderLayout.CENTER);
            add(panel3, BorderLayout.SOUTH);
            login.addActionListener(this);
            setSize(500,400);
        private void validateUser()
            String[] adminData    = {"t", "User1", "User2", "User3"};
            String[] passwordData = {"t", "P1", "P2", "P3"};
            admins = new Vector();
            passwords = new Vector();
            for(int j = 0; j < adminData.length; j++)
                admins.add(adminData[j]);
                passwords.add(passwordData[j]);
        private void Mainpage()
            boolean flag = true;
            removeAll();  // remove all components from container
            panel1 = new Panel(new FlowLayout());
            panel2 = new Panel(new FlowLayout());
              panel3 = new Panel(new FlowLayout());
            top = new Label("Welcome");
            enter = new Button("Enter");
            panel2.setBackground(Color.orange);
            panel1.setBackground(Color.gray);
            panel3.setBackground(Color.gray);
            startLabel = new Label("Welcome! " +
                                          "Please click on the 'Start' button to begin the quiz ");
              startBut = new Button("Start");
              startBut.requestFocus();
              Dimension dim = getSize();
              startBut.setSize(50,20);
            add(panel1, BorderLayout.NORTH);
            add(panel2, BorderLayout.CENTER);
            add(panel3, BorderLayout.SOUTH);
            panel2.add(startLabel);
            panel2.add(startBut);
            startBut.addActionListener(this);
            validate();
            repaint();
        private void Quiz1()
              //quizCanvas = new Canvas();
            boolean flag = true;
            removeAll();  // remove all components from container
            panel1 = new Panel(new FlowLayout());
            panel2 = new Panel(new FlowLayout());
            panel3 = new Panel(new FlowLayout());
            panel1.setBackground(Color.gray);
            panel2.setBackground(Color.orange);
            panel3.setBackground(Color.gray);
            add(panel1, BorderLayout.NORTH);
            add(panel2, BorderLayout.CENTER);
            add(panel3, BorderLayout.SOUTH);
              q1 = getImage(getDocumentBase(), "1.gif");
              ques[0] = q1;
              //ques[1] = q2;
              //previous = new Button("<");
              next0 = new Button("Done");
            ansF1 = new TextField(25);
              next0.addActionListener(this);
              //quizCanvas.insert(ques1);
            //panel3.add(previous);
            panel3.add(next0);
            panel3.add(ansF1);
            //panel2.add("1.gif");
              ansF1.requestFocus();
              ansF1.setText("focussing");
            validate();
            repaint();
         public void Quiz2(){
            boolean flag = true;
            removeAll();  // remove all components from container
            panel1 = new Panel(new FlowLayout());
            panel2 = new Panel(new FlowLayout());
            panel3 = new Panel(new FlowLayout());
            panel1.setBackground(Color.gray);
            panel2.setBackground(Color.orange);
            panel3.setBackground(Color.gray);
            add(panel1, BorderLayout.NORTH);
            add(panel2, BorderLayout.CENTER);
            add(panel3, BorderLayout.SOUTH);
              q2 = getImage(getDocumentBase(), "2.gif");
              ques[1] = q2;
              next1 = new Button("Done");
            ansF2 = new TextField(25);
              next1.addActionListener(this);
            panel3.add(next1);
            panel3.add(ansF2);
              ansF2.requestFocus();
              ansF2.setText("focussing");
            validate();
            repaint();
         public void Quiz3(){
            boolean flag = true;
            removeAll();  // remove all components from container
            panel1 = new Panel(new FlowLayout());
            panel2 = new Panel(new FlowLayout());
            panel3 = new Panel(new FlowLayout());
            panel1.setBackground(Color.gray);
            panel2.setBackground(Color.orange);
            panel3.setBackground(Color.gray);
            add(panel1, BorderLayout.NORTH);
            add(panel2, BorderLayout.CENTER);
            add(panel3, BorderLayout.SOUTH);
              q3 = getImage(getDocumentBase(), "3.gif");
              ques[2] = q3;
              finishB = new Button("Finish");
            ansF3 = new TextField(25);
              finishB.addActionListener(this);
            panel3.add(finishB);
            panel3.add(ansF3);
              ansF3.requestFocus();
              ansF3.setText("focussing");
            validate();
            repaint();
        public void start() {
            if(thread == null) {
                status = true;
        public void stop() {
            status = false;
        public void actionPerformed(ActionEvent ev)
            boolean ok = true;
            if(ev.getSource() == login)
                Admin = adminF.getText();
                Password = passF.getText();
                for (int i = 0; i < admins.size(); i++) {
                    if (Admin.equals(admins.get(i).toString())) {
                        if (Password.equals(passwords.get(i).toString())) {
                            ok = true;
                            JOptionPane.showMessageDialog(null,
                                        "Welcome, u have successfully logged in");
                            Mainpage();
                            break;
                        else {
                            ok = false;
                    else {
                        ok = false;
                if (!ok) {
                    JOptionPane.showMessageDialog(null,
                                  "Incorrect Password or Admin No, Please Try Again",
                                  "Access Denied",
                                   JOptionPane.ERROR_MESSAGE);
            if(ev.getSource() == startBut)
                   Quiz1();
              if (ev.getSource () == next0) {
                   saveanswer();
                   Quiz2();
              if (ev.getSource () == next1) {
                   //saveanswer();
                   Quiz3();
              if (ev.getSource () == finishB) {
                   //saveanswer();
                   //checkanswer();
         /*class quizCanvas extends Canvas {
              private Image quest;
              public quizCanvas() {
                   this.quest = null;
              public quizCanvas(Image quest) {
                   this.quest = quest;
              public void insert(Image quest) {
                   this.quest=quest;
                   repaint();
              public void paint(Graphics g) {
         public void checkanswer() {
              if (!checked) {
              /*question = 0;
                   for (int a=1;a<16;a++) {
                        question++;*/
                        if (ansF1) {
                             if (answer[1].toUpperCase().equals(solution[1])) {
                                  correct++;
                        if (ansF2) {
                             if (answer[2].toUpperCase().equals(solution[2])) {
                                  correct++;
                        if (ansF3) {
                             if (answer[3].toUpperCase().equals(solution[3])) {
                                  correct++;
              checked = true;     }
         public void saveanswer() {
              if (text) {
                   if (!ansF1.getText().equals("")) {
                        answer [Quiz1] = ansF1.getText();
                   //answer2[question] = tf2.getText();
                   if (!ansF2.getText().equals("")) {
                        answer [] = ansF2.getText();
                   if (!ansF3.getText().equals("")) {
                        answer [] = ansF3.getText();
    }

  • Hi , i need help for resetting my airport express as a repeater since this one is already register to old wifi. thanks

    hi everyone. i need help for resettting my airport express as a repeater. i bought is airport express 2nd hand. so now this one already registered to old wireless.
    could anyone have any advice. thank you.
    now the airport express is blinking yellow color.
    my main base is using time capsule. this is a new one so when i first turn it on and set it up in airport utility its very easy.
    now setting the repeater (airport express) is ............ ???
    thanks everyone.

    Do a factory reset, then it'd be like it's new from the Apple Store.
    http://support.apple.com/kb/ht3728

  • I need help finding this hp hard drive for dv6521eo

    I need help finding this hp hard drive and memory  for dv6521eo

    Hi:
    You can purchase any SATA II 2.5" notebook hard drive up to 500 GB in size.
    Memory is PC2-6400.
    Paul

  • Please help! I am trying to change my Apple Id that used to be my mother to Mine- Every time i have it changed and i go and try and do an update it continues to ask for her old password. I really need help with this!

    Please help! I am trying to change my Apple Id that used to be my mother to Mine- Every time i have it changed and i go and try and do an update it continues to ask for her old password. I really need help with this!

    Phil0124 wrote:
    Apps downloaded with an Apple ID are forever tied to that Apple ID and will always require it to update.
    The only way around this is to delete the apps that require the other Apple ID and download them again with yours.
    Or simply log out of iTunes & App stores then log in with updated AppleID.

  • Hello i need help for adobe creative cloud...when i launch application adobe  cc 2014  for photoshop or illustrator.....the apps launch and i can see the workspace and menu bar  for a while and  suddenly this application close automatic

    hello i need help for adobe creative cloud...when i launch application adobe  cc 2014  for photoshop or illustrator.....the apps launch and i can see the workspace and menu bar  for a while and  suddenly this application close automatic

    Sign in, activation, or connection errors | CS5.5 and later
    Mylenium

  • Well my ipod 4th gen was updated it shut off and now when i try to turn it on it stays on the apple logo for abit then gets stuck on a white screen od blue or mixed colores i really need help fixing this plzz help :(

    Well my ipod 4th gen was updated it shut off and now when i try to turn it on it stays on the apple logo for abit then gets stuck on a white screen od blue or mixed colores i really need help fixing this plzz help

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

  • I need to clear old iPhone, I went to the reset option in setting. It it's asking for a password... I don't recall setting a password up and help for this?  Thanks

    I need to clear old iPhone, I went to the reset option in setting. It it's asking for a password... I don't recall setting a password up and help for this?  Thanks

    Are you sure it doesn't have iOS 7 installed? It sounds like Activation Lock is on and if that is the case, when you do Settings > General > Reset > Erase all Content & Settings, you need to enter the password for the Apple ID.

  • Need help for Format HD

    Hi I need Help for Formating HD so Wat Key need hold on start up for format HD I apprciated you Help

    Jesus:
    Formatting, Partitioning Erasing a Hard Disk Drive
    Warning! This procedure will destroy all data on your Hard Disk Drive. Be sure you have an up-to-date, tested backup of at least your Users folder and any third party applications you do not want to re-install before attempting this procedure.
    • With computer shut down insert install disk in optical drive.
    • Hit Power button and immediately after chime hold down the "C" key.
    • Select language
    • Go to the Utilities menu (Tiger) Installer menu (Panther & earlier) and launch Disk Utility.
    • Select your HDD (manufacturer ID) in left side bar.
    • Select Partition tab in main panel. (You are about to create a single partition volume.)
    • _Where available_ +Click on Options button+
    +• Select Apple Partition Map (PPC Macs) or GUID Partition Table (Intel Macs)+
    +• Click OK+
    • Select number of partitions in pull-down menu above Volume diagram.
    (Note 1: One partition is normally preferable for an internal HDD.)
    • Type in name in Name field (usually Macintosh HD)
    • Select Volume Format as Mac OS Extended (Journaled)
    • Click Partition button at bottom of panel.
    • Select Erase tab
    • Select the sub-volume (indented) under Manufacturer ID (usually Macintosh HD).
    • Check to be sure your Volume Name and Volume Format are correct.
    • Click Erase button
    • Quit Disk Utility.
    cornelius

  • Need help for importing oracle 10G dump into 9i database

    hi, Someone help me to import oracle 10G dump into 9i database. I'm studying oracle . Im using oracle 10G developer suite(downloaded from oracle) and oracle 9i database. I saw some threads tat we can't import the higher version dumps into lower version database. But i'm badly need help for importing the dump...
    or
    someone please tell me the site to download oracle 9i Developer suite as i can't find it in oracle site...

    I didnt testet it to import a dump out of a 10g instance into a 9i instance if this export has been done using a 10g environment.
    But it is possible to perform an export with a 9i environment against a 10g instance.
    I am just testing this with a 9.2.0.8 environment against a 10.2.0.4.0 instance and is working so far.
    The system raises an EXP-00008 / ORA-37002 error after exporting the data segments (exporting post-schema procedural objects and actions).
    I am not sure if it is possible to perform an import to a 9i instance with this dump but maybe worth to give it a try.
    It should potentially be possible to export at least 9i compatible objects/segments with this approach.
    However, I have my doubts if this stunt is supported by oracle ...
    Message was edited by:
    user434854

Maybe you are looking for

  • Looking for help on how to start mixing ?

    I have a two songs done and Iam starting to get how to record but thats all I know . I need help moving a head on mixing and putting it on CD Thanks

  • The bottom list of apps on my ipod touch screen is way higher than its suppose to be

    hi i have an ipod touch 2nd generation i dont update it to often cause i have very very slow iternet and it can take up to 4 hours and i dont have the time to update it but the bottom list of apps i dont know what its called but i think its the app b

  • Rendering problem

    I'm experiencing something similar, though it's with all multi-processing. I've tried exporting with both Quicktime (ProRes, Animation, etc) and with image sequences. No dice either way. I get an error dialog: Rendering Error: An Output module failed

  • Question about ADF Menu Navigation

    i create an adf application, include ADF Menus for Page Navigation. i found the URL displayed in the browser always show previous page when switch between different tabs. http://dl.dropbox.com/u/6517186/Application14.7z this is the application I've c

  • Mail error message in console log - "deleted count greater than total count

    since installing Gmail IMAP instead of POP I get the following error message in the console log. Any ideas or solutions? 28/10/2009 14:19:04 Mail[1629] * Assertion failure in -[MessageViewer _countStringForType:isDrafts:omitUnread:totalCount:], /Sour