Re: Course management system gui help needed

"How should I go about doing this?"
how about a google for servlets
and what should I use?"
your brain
a little bit of effort
servlets chapter 11
http://java.sun.com/j2ee/1.4/docs/tutorial/doc/
jdbc for database access
http://java.sun.com/docs/books/tutorial/jdbc/index.html
tomcat to host servlets
http://jakarta.apache.org/tomcat/

i bought it second hand, i've got a snow leopard disc that came with it. it tells me it can't restart to the 'untitled' drive thats part of the hard drive when i go through he start up/reboot process.

Similar Messages

  • I just downloaded Firefox 5.0 and now I find out that my university's course management system won't run on it. I need to go back to 3.5+ and can't find a way to download THAT!

    When I go to Download it at your website it only gives me the option of the newer one...5.0 . How can I get back to running 3.5+ so I can use the university's course management system?

    This can be a problem with the file places.sqlite that stores the bookmarks and the history.
    * http://kb.mozillazine.org/Bookmarks_history_and_toolbar_buttons_not_working_-_Firefox

  • What is the best course management system for Mac OS X 10.6 Server ?

    What is the best course management system for Mac OS X 10.6 Server ? I am reading that many folks have problems with Moodle and 10.6 Server. Is there another course mnagement system?

    Minimum v5.3, but no reason to not go with v5.5.

  • Having Problem in access to Source Code Control System (URGENT help needed)

    I am using JDeveloper 9i first time. The repository is in Oracle 8i.
    I have established a connection from JDeveloper 9i to Oracle 8i repository running on Sun Solaris.
    We have created a shared area and my colleague have checked-in some files. I have all access to shared area and I can see the checked-in files, but I am not able to check-out to the local folder.
    I need help to resolve this problem urgently. Please consider this as an SOS call. Thanks

    Hi,
    The JDeveloper help system strongly recommends that you don't use shared workareas in this way. In fact, it's not possible in the beta release of JDeveloper to work this way at all, because there is no way for you both to get the files on to your file system in a way that JDeveloper will recognize.
    The JDeveloper documentation on Repository is a very good source of information on the best way to organize developer workareas (particularly the section on best usage recommendations). The Repository is a very complex product originally intended for much more than just source control and there are many ways of using it. We have necessarily had to focus on a subset of this functionality in JDeveloper, mainly to keep the UI from being excessively complex for new users.
    Here's a summary of the way we recommend working:
    o Create a workarea in the RON which will be used as the basis of developer workareas (developers will not actually use this workarea directly). Make this workarea shared by granting access rights to the PUBLIC role.
    o Each developer uses the Workarea wizard in JDeveloper (Source Control->Configure... in the beta release) to create a developer workarea based on the shared workarea.
    Thanks,
    Brian
    JDeveloper Team
    null

  • GUI Help Needed

    *////The declaration*
    Entry [] entries  - array of entries
    Int eno      - number of Entrys in entries
    Int MAXE = 100; maximum number of entrys in entries
    Int current ? index in entries of entry *///////I have few Jtextfields in a GUI where when I click ?new? Jbutton it would put the Jtextfields in entries[eno] can I know how to write this code .*
    Public void actionPerformed (ActionEvent E) {
    If (e.getSource==new) ;
    Sorry not sure how to write plz help
    }

    What is an Entry? What is an Int?
    I have few Jtextfields in a GUI where when I click ?new? Jbutton it would put the Jtextfields in entries[eno] can I know how to write this code .If you want to put the JTextFields in entries[], then entries has to be of type JTextField[]. Or do you want to put the strings that were entered into the JTextFields into entries[]?
    Here is my attempt:
    import java.awt.*;
    import javax.swing.*;
    import java.awt.event.*;
    import java.util.*;
    class MyWindow extends JFrame implements ActionListener
      private ArrayList<JTextField> textBoxes;
      private ArrayList<String> entries;
      public MyWindow()
        //Initialize frame:
        super("Testing");
        setBounds(20, 100, 500, 500);
        setDefaultCloseOperation(JFrame.EXIT_ON_CLOSE);
        textBoxes = new ArrayList<JTextField>();
        entries = new ArrayList<String>();
        //Create textboxes:
        textBoxes.add(new JTextField("", 20));
        textBoxes.add(new JTextField("", 30));
        //Create button:
        JButton newButton = new JButton("new");
        newButton.addActionListener(this);
        //'this'-->look in this class for actionPerformed() method
        //Create panel:
        JPanel panel = new JPanel();
        for(JTextField textBox: textBoxes)
          panel.add(textBox);
        panel.add(newButton);
        //Add panel to window:
        Container cpane = getContentPane();
        cpane.add(panel);
      public void actionPerformed(ActionEvent ev)
        for(JTextField textBox: textBoxes)
          entries.add(textBox.getText());
        for(String str: entries)
          System.out.println(str);
    public class WindowTest
      public static void createAndShowGui()
        MyWindow win = new MyWindow();
        win.setVisible(true);
      public static void main(String args[])
        //The proper way to launch a java gui:
        Runnable runner = new Runnable()
          public void run()
            createAndShowGui();
        SwingUtilities.invokeLater(runner);
    }Or maybe you don't know how many JTextFields there are in the window? Is the user adding them dynamically?
    import java.awt.*;
    import javax.swing.*;
    import java.awt.event.*;
    import java.util.*;
    class MyWindow extends JFrame implements ActionListener
      private ArrayList<JTextField> entries;
      JPanel panel;
      public MyWindow()
        //Initialize frame:
        super("Testing");
        setBounds(20, 100, 500, 500);
        setDefaultCloseOperation(JFrame.EXIT_ON_CLOSE);
        entries = new ArrayList<JTextField>();
        //Create textboxes:
        //Create button:
        JButton newButton = new JButton("new");
        newButton.addActionListener(this);
        //'this'-->look in this class for actionPerformed() method
        //Create panel:
        panel = new JPanel();
        panel.add(new JTextField("", 20));
        panel.add(new JTextField("", 20));
        panel.add(newButton);
        //Add panel to window:
        Container cpane = getContentPane();
        cpane.add(panel);
      public void actionPerformed(ActionEvent ev)
        int count = panel.getComponentCount();
        System.out.println(count);
        Component comp = null;
        for(int i=0; i<count; ++i)
          comp = panel.getComponent(i);
          if(comp.getClass() == JTextField.class)
            entries.add((JTextField)comp);
        for(JTextField tf: entries)
          System.out.println(tf.getText());
    public class WindowTest
      public static void createAndShowGui()
        MyWindow win = new MyWindow();
        win.setVisible(true);
      public static void main(String args[])
        Runnable runner = new Runnable()
          public void run()
            createAndShowGui();
        SwingUtilities.invokeLater(runner);
    }

  • Java GUI Help Needed

    Can someone help me find a link, book, tutorial or anything along those lines that can help me understand building a GUI in Java? Thanks, Jeremy

    When I was about to create my first GUI I used an IDE with "visual" capabilities. You design the GUI by using drag-and-drop and filling in tables, and then the IDE generates the code automatically for you. I found this helpful because Swing is so complex and in this way you get your options presented to you and you can study the generated code.

  • HP ENVY 14 - Recovery Manager / system restore help

    I'm trying to restore my HP Envy to original factory condition, as it's currently slow and unuseable
    I get this error when using the recovery manager -
    "Error: Recovery Manager cannot run from the hard drive. Recovery Manager must be run using the recovery media to perform a factory reset"
    I tried to use a W7 ISO disc and get this error when trying to install -
    "Windows has encountered a problem communicating with a device connected to your computer"
    status: 0xc00000e9
    Info: An unexpected I/O error has occurred
    The only hardware change i've made is a memory upgrade
    HELP !!

    oh  ok then  the software should be there  after the  recovery  process is completed . Thats good to  know  , thank you =] .

  • Using swing i have problem of garblled gui. help needed...

    i have created a desktop software.
    when i use it on windows 98 i have problem. mouse disturbes the gui apparance. it just creates squares on gui as it moves.
    why??
    on windows 2000 or XP it 's ok

    Go to www.icloud.com.  Remove the device from your Find My iPhone there.
    Find My iPhone Activation Lock: Removing a device from a ...

  • First GUI help needed - replace JPanel?

    Hello guys,
    I'm trying to develop my first GUI and I'm using Netbeans to create the GUI
    here's an image of what I have: http://www.imagebullet.com/i/Sv3FrBmURS6V.gif
    the central part of the GUI is a JPanel (the big part that contains "welcome to ...")
    now I'd like to create a new JPanel with Netbeans to replace the current one when I click store new password from the tasks menu (see the image)
    how can I do it? is this the correct approach at developing a GUI? or is there something I'm completely missing?
    Edited by: Icecube on Mar 8, 2008 6:35 AM

    Icecube wrote:
    I'm trying to develop my first GUI and I'm using Netbeans to create the GUIThat may be your first mistake. The more you offload code creation to another program (the NetBeans GUI builder), the less you understand about the concepts. If you really want to learn about coding a GUI, learn to do it without code generation software by going through the Sun Swing tutorials.
    now I'd like to create a new JPanel with Netbeans to replace the current one when I click store new password from the tasks menu (see the image)
    how can I do it? is this the correct approach at developing a GUI? or is there something I'm completely missing?You could use a CardLayout as one way to solve this. Again, check out the tutorials for this (you can search the tutorial), and also check the API. Good luck.

  • Chat Program - GUI Help needed.

    Ello, I'm making a chat client, and I've got a slight problem :
    In the chatwindow, you usually have a field where the text is typed, and when <enter> is pressed, this text is sent to the server and to the textpane.
    I'm looking to make something similar to MSN : for that particular field I want a multiline widget (I can put it inside a JScrollPane), that throws an ActionEvent when <enter> is pressed.
    Does anybody know of a component for me?
    thx,
    SJG

    You could use a JTextArea for the MultiLine stuff and add:
    myTextArea.addKeyListener(new java.awt.event.KeyAdapter() {
    public void keyReleased(KeyEvent e) {
    if (e.getKeyCode() == 10) // I think enter is 10
    // do somethinf
    I think the key code is 10 for enter but not 100% sure.
    I hope this helps.

  • HT1212 my ipad is disabled after doing latest iso upgrade, did not recognise passcode, will not allow system restore,,,,, help needed

    my ipad did not recognise pass code and was disabled after completing latest apple upgrade,,, thanks alot apple, i now have a $800 clock,,,can anyone help

    Follow the instructions from the link you posted from  > iOS: Forgotten passcode or device disabled after entering wrong passcode
    If nothing there helps, contact Apple >  Contacting Apple for support and service

  • HT1342 Logic Pro system overload help needed!

    Hello!
    Sorry for making another thread about this, but I do have some questions i would like an answer to.
    When i use logic pro 32-bit, i had 14mb free ram when I opened up my latest logic project, and everytime i press playback in the application it says "disk is too slow, or system overload 10011 error. Since i often run out of ram, should I invest in 8gb of ram instead of the 4gb installed, or is it a matter of disk speed, for instance buying a Solid State drive?
    Is it something to do with outdated hardware, or do you have to change buffer settings and things like that in order to make your DAW work properly?
    I hope to hear some good advice, or solutions to this ongoing problem.
    Thank you!
    Ps. I have the MacBook Pro 15 inch 2.53 ghz mid 2009 model with 80gb free space.

    There are a few things you can try -
    1) Try increasing the audio buffer size if possible (Preferences > Audio)
    2) If you have any other applications open close them and see if it makes a difference
    3) Freeze some tracks by ctrl-clicking any track and configuring the headers. Add the freeze icon then enable for your tracks. This will create an audio bounce of the track with all effects on it. This should free up some processing power but you won't be able to edit any plugins until you unfreeze
    Hope this is of some use!
    Message was edited by: Tom Crabb

  • BC-XOM - External Output Management Systems

    Hi
    I have gone through the FAQ: BC-XOM - External Output Management Systems link regarding External Output Management System but   I need to  know whether any add  on patch in required for ECC6 for configuration with OMS.
    Regards
    Prasanna.B.S

    Hi Ajay,
    Check if the following document helps you.
    http://documents.bmc.com/products/documents/66/35/56635/56635.pdf
    Cheers,
    Chandra

  • Can SMD be setup to monitor the Managing System?

    Hello, We have been working off and on for the last few months
    installing Wily Introscope, which in turn required E2E RCA, which in
    turn required SMD to be installed.  Since virtually all of our systems
    are on a relatively low pl of the kernel, 114, we also installed the
    latest SP and kernel to our Solution Manager system.  So, the SM system
    is at 7.00 pl 146, and SPS 16 (it's a dual-stack UNICODE system).
    However, every other of our almost 27 ABAP stacks are at pl 114,
    unfortunately.
    We had read, via SAPNet note 1126859, that the MANAGED system must be
    at least at kernel 7.00 pl 121.  As I saidl, only our MANAGING SM
    system is at that level.  So we thought that we'd try to have SM
    monitor itself, in the context of SMD and Wily Introscope.
    Unfortunately, we got stuck at setting up the trusted RFCs for the SM
    system to monitor itself.  SAP AG's instructions for setting up the
    trusted RFCs is in the following guide: Root Cause Analysis
    Installation and Upgrade Guide (v3.30 - July 2008), section
    6.3.2 "Setup RFC Destinations to Managed Systems".  Transaction SMT1
    doesn't permit 2 RFCs with the same target <sid>.
    So, our questions:
    1. Can a MANAGING system also be a MANAGED system?
    2. If so, would you kindly clarify how to configure the RFCs for that
    scenario? Or perhaps we don't use RFCs in this scenario?
    For now, we will move on and try to setup Wily/SMD for a Java-stack
    system we have available (Portal).

    Hi Felipe Pitta,
    The Managing system can be managed, for that include your Solman in a solution and proceed all the needed activities like Agent installation, Wily agent setup etc as you do for the managed systems. 
    You need to create RFCs to the BI client of the solman if you are the same BI component which is available in Solman (001 is your BI client) or RFCs should be created for the BI system which you are using.
    WEBADMIN RFC will be created automatically during SMD Agent installation.
    By this your solman's data will be collected.
    For furthur clarifications pls revert back
    regards
    Naveen kumar

  • I need good gui in swings for a library management system

    i need good gui in swing. i need to develope a small application of library management system where a librarian and manager access the database. librarian take care of add,del,modify the records of customer and books. with good login screens. and the manager is to generate reports

    Yup, create one. Good exercise.
    Doing it myself right now, am loosing track of my own collection ;)
    Don't have the multi-user part in place yet, it's no priority for me (I'll be creating a readonly web interface as an alternative to the read/write Swing interface for remote access).

Maybe you are looking for

  • QOSMIO X505-Q8104X INTERMITTENT BEEP AND KNOCK-KIND OF NOISE FROM THE HDD...

    I purchased a Qosmio less than 2 months ago.  Today I powered it and a message appeared, something like "Battery has reached it's critical level, to proceed recharge battery or plug AC......".   Apparently when I closed The lid yesterday it didn't sh

  • How to insert a widget in a editable region from a template

    Hi there, ok so basically I am trying to create a HTML page from a template i have already designed. when I try to insert a widget (Lightbox Gallery) in the editable region I get the following error. "the widget requires code that must be inserted in

  • Need information on BPA Aggregator tool

    Can somebody please provide information regarding BPA Aggregator tool? Any docs or links etc. would be helpful. Thanks.

  • PPPoE multiple profiles for VPDN

    I'm trying to set up a single router to terminate PPPoE connections and offer different rates using virtual templates. All the documentation seems to be focused on LAC/LNS installs. In this case we effectively just have a single router performing bot

  • In-house domain/vhost?

    Hi folks. Just wondering how to set up my own domain for in-house viewing only. I've made a domain in the admin named 'in_house', given it a subdirectory of /WebServer/Documents/ and I am wanting to get into it this way: http://192.168.1.8/in_house/i