Getting graphics to appear on button click

hi guys
could someone please look at my code and point out what i am doing wrong
the applet below displays a christmas tree and 4 buttons.. when a button is clicked it should display another image from a different file in the same directory.. i have started to add the objects to actionPerformed but when i click on the "star" button a star does not appear.. i hope someone can help cuz one of the tutors in the java lab didnt have a clue
applet................
import java.awt.*;
import java.awt.event.*;
import java.applet.*;
import java.awt.BorderLayout;
public class XmasTree2 extends Applet implements ActionListener
     Panel topP;
     Panel mainP;
     Button baub;
     Button pres;
     Button light;
     Button star;
     Color green;
     Object Triangle, Star;
     Polygon triangle1, triangle2, triangle3;
     public void init()
               setSize(600,600);
               baub = new Button("Bauble");
               baub.setBackground(Color.cyan);
               pres = new Button("Present");
               pres.setBackground(Color.cyan);
               light = new Button("Light");
               light.setBackground(Color.cyan);
               star = new Button("Star");
               star.setBackground(Color.cyan);
               add(baub);
               add(pres);
               add(light);
               add(star);
               baub.addActionListener(this);
               pres.addActionListener(this);
               light.addActionListener(this);
               star.addActionListener(this);
               repaint();
     public void paint(Graphics graf)
          triangle1 = new Polygon();
          triangle1.addPoint(300,50);
          triangle1.addPoint(175,220);
          triangle1.addPoint(425,220);
          triangle2 = new Polygon();
          triangle2.addPoint(300,150);
          triangle2.addPoint(100,325);
          triangle2.addPoint(500,325);
          triangle3 = new Polygon();
          triangle3.addPoint(300,250);
          triangle3.addPoint(50,400);
          triangle3.addPoint(550,400);
          green = Color.green;
          graf.setColor(green);
          graf.fillPolygon(triangle1);
          graf.fillPolygon(triangle2);
          graf.fillPolygon(triangle3);
          graf.setColor(new Color(204, 102, 0));
          graf.fillRect(280,400,40,100);
     public void actionPerformed( ActionEvent event )
          if (event.getSource() == star)
                     Star myStar = new Star();
          else if (event.getSource() == baub)
                     System.out.println ("baub");
          else if (event.getSource() == pres)
                     System.out.println ("pres");
          else if (event.getSource() == light)
                     System.out.println ("light");
     public void mousePressed(MouseEvent e)
     public void mouseReleased(MouseEvent e)
     public void mouseEntered(MouseEvent e)
     public void mouseExited(MouseEvent e)
     public void mouseMoved(MouseEvent e)
     public void mouseClicked(MouseEvent e)
     public void mouseDragged(MouseEvent e)
}star class
import java.awt.*;
import java.awt.event.*;
import java.applet.*;
import java.awt.BorderLayout;
public class Star extends Applet
      Polygon sTriangle1, sTriangle2;
     public void paint(Graphics graf)
          sTriangle1 = new Polygon();
          sTriangle1.addPoint(50,50);
          sTriangle1.addPoint(20,100);
          sTriangle1.addPoint(80,100);
          sTriangle2 = new Polygon();
          sTriangle2.addPoint(50,120);
          sTriangle2.addPoint(20,70);
          sTriangle2.addPoint(80,70);
          graf.setColor(Color.yellow);
          graf.fillPolygon(sTriangle1);
          graf.fillPolygon(sTriangle2);
          System.out.println("st");
}

when i click on the "star" button a star does not appear
Your idea for a separate Star class is very good. Your Star extends Applet so to have it
appear and draw itself on your other applet you would have to add it as a component. But
it would have a rectangular shape and then you have backgtound color and obscuration
problems. You could do it this way; if you do, have Star extend Panel instead of Applet
(Applet is a top-level container). Another way is to make Star a graphic class and have it
draw itself into your graphics component, your (XT2) applet. An even more refined approach
would be to do all the drawing in a separate class that extends Panel and add this graphic
component to your applet (center section of a new BorderLayout). Then the applet has a
button panel, action listener and a graphics component. MouseEvent code would go with the
separate graphics class.
Here are some suggestions/ideas for the Star class, in java:
//  <applet code="XT2" width="600" height="600"></applet>
import java.applet.Applet;
import java.awt.*;
import java.awt.event.*;
public class XT2 extends Applet implements ActionListener
    Panel topP;
    Panel mainP;
    Button baub;
    Button pres;
    Button light;
    Button star;
    Color green;
    Polygon triangle1, triangle2, triangle3;
    Star[] stars = new Star[0];  // zero-length array
    boolean addStar = false;
    public void init()
        setSize(600,600);
        initTriangles();
        baub = new Button("Bauble");
        baub.setBackground(Color.cyan);
        pres = new Button("Present");
        pres.setBackground(Color.cyan);
        light = new Button("Light");
        light.setBackground(Color.cyan);
        star = new Button("Star");
        star.setBackground(Color.cyan);
        add(baub);
        add(pres);
        add(light);
        add(star);
        baub.addActionListener(this);
        pres.addActionListener(this);
        light.addActionListener(this);
        star.addActionListener(this);
        addMouseListener(decorator);
//        repaint();  // there's nothing to paint yet
    public void paint(Graphics graf)
        green = Color.green;  // this only needs to be done once
        graf.setColor(green);
        graf.fillPolygon(triangle1);
        graf.fillPolygon(triangle2);
        graf.fillPolygon(triangle3);
        graf.setColor(new Color(204, 102, 0));
        graf.fillRect(280,400,40,100);
        graf.setColor(new Color(200, 200, 55));
        // Let the Stars do the work.
        for(int j = 0; j < stars.length; j++)
            stars[j].draw(graf);
    /** Simplify paint method and avoid repitition. */
    private void initTriangles()
        triangle1 = new Polygon();
        triangle1.addPoint(300,50);
        triangle1.addPoint(175,220);
        triangle1.addPoint(425,220);
        triangle2 = new Polygon();
        triangle2.addPoint(300,150);
        triangle2.addPoint(100,325);
        triangle2.addPoint(500,325);
        triangle3 = new Polygon();
        triangle3.addPoint(300,250);
        triangle3.addPoint(50,400);
        triangle3.addPoint(550,400);
    public void actionPerformed( ActionEvent event )
        if (event.getSource() == star)
            // Keep this simple just for this example.
            // You may find a more elegant way to manage
            // user selections for decorating the tree.
            addStar = addStar ? false : true;  // toggle on/off
            System.out.println("addStar = " + addStar);
    /** Just for the sake of a simple example. */
    private MouseListener decorator = new MouseAdapter()
        public void mousePressed(MouseEvent e)
            Point p = e.getPoint();
            if(addStar)
                Star aStar = new Star(p);
                // Add the new Star to the stars array.
                Star[] temp = new Star[stars.length+1];
                System.arraycopy(stars, 0, temp, 0, stars.length);
                temp[stars.length] = aStar;
                stars = temp;
                repaint();
class Star
    Polygon sTriangle1, sTriangle2;
    public Star(Point p)
        // We only need to make this once
        // since the values are hard-coded.
        sTriangle1 = new Polygon();
        sTriangle1.addPoint(50,50);
        sTriangle1.addPoint(20,100);
        sTriangle1.addPoint(80,100);
        sTriangle2 = new Polygon();
        sTriangle2.addPoint(50,120);
        sTriangle2.addPoint(20,70);
        sTriangle2.addPoint(80,70);
        // Find the center of star.
        Rectangle bounds = new Rectangle(20, 50, 60, 70);
        double cx = bounds.getCenterX();
        double cy = bounds.getCenterY();
        // Translate star over Point p.
        int tx = (int)(p.x - cx);
        int ty = (int)(p.y - cy);
        sTriangle1.translate(tx, ty);
        sTriangle2.translate(tx, ty);
    public void draw(Graphics graf)
        graf.setColor(Color.yellow);
        graf.fillPolygon(sTriangle1);
        graf.fillPolygon(sTriangle2);
        System.out.println("st");
}

Similar Messages

  • Error msg not getting displayed on first time button click in SRM UI

    Hi,
    I have created a custom message in an impl. of SRM BADI BBP_DOC_CHECK_BADI in which one message is getting populated correctly in debugging. Again, when I check PO, the message is getting displayed correctly, however when I click on order button for the first time, it is not getting displayed but on subsequent occassion, it is working fine. Just wonder, why this is not happening for first time. Any input ??
    Regards,
    Ni3

    Hi Virender,
    I found a note 1239499 close to my requirement but not valid for SRM release 5.0. Is it the same, you wish to referred or is there any other?
    Regards,
    Ni3

  • How to get the Id of the Button which is clicked?

    Hi,
    I am having some 10 buttons and in the on action property these button i'm opening a popup.
    I have mapped all the 10 buttons to same action. so i want to know in onAction which button is clicked.
    so how to get the Id of the button clicked in the on action?
    Help me out with the detailed code.
    Thanks,
    Suresh

    Hi,
    Write this code in the "wdDoModifyView()" method:
    //let's say the first button ID is btn1
    IWDButton buttonOne = (IWDButton) view.getElement("btn1");
    buttonOne.mappingOfOnAction().addParameter("commandID","btn1");
    //let's say the second button ID is btn2
    IWDButton buttonTwo = (IWDButton) view.getElement("btn2");
    buttonTwo.mappingOfOnAction().addParameter("commandID","btn2");
    Add the parameter "commandID" to the event handler of ur buttons  and it should be of type "String". That will look like:
    public void onActionTest(IWDCustomEvent wdEvent, String commandID){
    //here commandID contains the ID of the button which was clicked
    wdComponentAPI.getMessageManager().reportSuccess(commandID);
    regards
    Surender Dahiya

  • How to get handle of go, clear button in query region.

    Hi: I have a search page built using query region, I need to make an API (method) call on clicking on "Go" button.
    I tried the following as found in OA Framework discussion forum, but observed that "go" is always true in processFormRequest method and always false in processRequest method.
    I did check the methods of OASubmitButtonBean also, but unable to find out how exactly I get "the handle of go button click event" in this case to handle my requirement.
    Any idea if its possible or not, and if yes, then how?
    OAQueryBean queryBean = (OAQueryBean)webBean.findChildRecursive("QueryRN");
    String idGo = queryBean.getGoButtonName();
    OASubmitButtonBean go = (OASubmitButtonBean)queryBean.findChildRecursive(idGo );
    I did also try to add my buttons in the query region, which work as I require, but in that case I need to hide existing go, clear buttons (which are added by default) in query region. That also doesn't work, as in processRequest method "go" is always false, and in processFormRequest I cannot call "go.setRendered(false);".
    Also, button should be disabled even on first loading of page also. Can anyone help?
    Regards,
    Anvita.

    modified code further as follows --
    OAQueryBean queryBean = (OAQueryBean)webBean.findIndexedChildRecursive("QueryRN");
    String idClear = queryBean.getClearButtonName();
    OASubmitButtonBean clear = (OASubmitButtonBean)queryBean.findChildRecursive(idClear);
    String idGo = queryBean.getGoButtonName();
    OASubmitButtonBean go = (OASubmitButtonBean)queryBean.findChildRecursive(idGo);
    System.out.println("I wish it works in +++++++++++++++++++++++++ " + idClear + " xxx " + idGo);
    if (pageContext.getParameter("idGo") != null)
    System.out.println("I wish it works in GO +++++++++++++++++++++++++ ");
    if (pageContext.getParameter("idClear") != null)
    System.out.println("I wish it works in Clear +++++++++++++++++++++++++ ");
    if (pageContext.getParameter("go") != null)
    System.out.println("I wish it works in GO button +++++++++++++++++++++++++ ");
    if (pageContext.getParameter("clear") != null)
    System.out.println("I wish it works in Clear button +++++++++++++++++++++++++ ");
    if (go != null)
    System.out.println("I wish it works in GO button direct +++++++++++++++++++++++++ ");
    if (clear != null)
    System.out.println("I wish it works in Clear button direct +++++++++++++++++++++++++ ");
    =============================================
    and output print is always the following even if i click on button or not (like select some LOV, or perform PPR action) .. hence it doesn't allow me to catch go button click event .. Please advice ..
    output PRINT --
    I wish it works in +++++++++++++++++++++++++ clearButton xxx customizeSubmitButton
    I wish it works in GO button direct +++++++++++++++++++++++++
    I wish it works in Clear button direct +++++++++++++++++++++++++

  • Error with No Message on Button Click Event

    Hi,
    I am getting a framework error on button click event.
    I have a page in which shuttle component is there,on click of the commit button the page traversed to main jsp page there i am getting error like ERROR and only '-'.
    In application module java file i have written the code for the shuttle component which creates the new row and set the values.

    Hi Frank. Thanks for the answer. Kindly check the code for shuttle component below. This is written in the Application Module (..ServicesImpl.java)
    public void multipleShuttle(List productIds,String reqRefNumber,Date orderDate,String hoSectionCd)
    System.out.println("Its entering into the test method");
    System.out.println("Inside updateSkillsForCurrentStaff method");
    System.out.println("reqRefNumber:"+reqRefNumber);
    System.out.println("orderDate:"+orderDate);
    System.out.println("hoSectionCd:"+hoSectionCd);
    if (productIds != null && productIds.size() > 0)
    List<Number> copyOfProductIds = (List<Number>)Utils.cloneList(productIds);
    //List copyOfProductIdsNames=Utils.cloneList(productIds);
    System.out.println("list values "+copyOfProductIds);;
    //System.out.println("list values "+copyOfProductIdsNames);;
    ViewObject skills = getMsMsOrderHdrUO2();
    RowSetIterator rsi = skills.createRowSetIterator(null);
    // remove any rows for the current user that aren't in the list of product keys
    while (rsi.hasNext())
    Row r = rsi.next();
    Number productId = (Number)r.getAttribute("MsDepotCd");
    System.out.println("depot from row setter "+productId);
    // if the existing row is in the list, we're ok, so remove from list.
    if (copyOfProductIds.contains(productId))
    copyOfProductIds.remove(productId);
    // if the existing row is in not list, remove it.
    else {
    r.remove();
    rsi.closeRowSetIterator();
    // at this point, we need to add new rows for the keys that are left
    for (Number productIdToAdd: copyOfProductIds)
    Row newRow = skills.createRow();
    skills.insertRow(newRow);
    try
    System.out.println("productIdToAdd"+productIdToAdd);
    System.out.println("inside attributes setter try method");
    //AS PER THE NEW REQUIREMENT ORDER STAUTS WIL BE 'DRAFT' AND ON APPROVAL BY JGM THEN IT WILL BE 'APPROVED'
    newRow.setAttribute("OrderStatus","DRAFT");
    System.out.println("Depot Code set is"+newRow.getAttribute("DepotCd"));
    if(productIdToAdd.equals("0"))
    System.out.println("inside the HO method to set section");
    newRow.setAttribute("HoSections",hoSectionCd);
    System.out.println("After setting the values");
    catch(Exception e)
    System.out.println("Exception Caught"+e);
    getDBTransaction().commit();
    orderDetailInsertProcedure(reqRefNumber);
    }

  • How do I get rid of the "Downloads" button on my bookmarks toolbar? Somehow it just appeared and I can't get rid of it.

    How do I get rid of the "Downloads" button on my bookmarks toolbar? Somehow it just appeared and I can't get rid of it.

    Firefox 20 changed from the old Download Manager to a new Download Panel. You can find a complete write-up here: [[Find and manage downloaded files]].
    I suggest keeping that arrow around since it provides handy notifications. You can use the Customize feature to drag it down to the add-on bar where it won't take up as much space. To start customizing:
    * right-click a blank area of the tab bar > Customize
    * tap the Alt key > View menu > Toolbars > Customize
    If you really don't need it, just drag it to the Customize dialog. You can always come back for it later if you like.

  • When browsing a new library that I created, the browser shows dotted lines around grey rectangles, no images. When I double click on a rectangle the image appears. How do I get images to appear in the browser rectangles?

    When browsing a new library that I created and exported onto an external hard drive, the browser shows dotted lines around grey rectangles, no images. When I double click on a rectangle, the image appears, but all the other rectangles remain empty - no image. How do I get images to appear in the browser rectangles? I am viewing this on a second computer (an older intel duo iMac), not the one I created the library on (a MacBook Pro). Both computers have Aperture 3.2.4 installed. When I return the external to the MacBook, all images appear in browser rectangles. What's happening on the iMac?

    You may have a problem with the permissions on your external volume. Probably you are not the owner of your library on the second mac.
    If you have not already done so, set the "Ignore Ownership on this Volume" flag on your external volume. To do this, select the volume in the Finder and use the Finder command "File > Get Info" (or ⌘I).
    In the "Get Info" panel disclose the "Sharing & Permissions" brick, open the padlock, and enable the "Ignore Ownership on this Volume" flag. You will have to authentificate as administrator to do this.
    Then run the "Aperture Library First Aid Tools" on this library and repair the permissions. To launch the "First Aid Tools" hold down the ⌥⌘-key combination while you double click your Aperture Library. Select "Repair Permissions" and run the repair; then repeat with "Repair Database". Do this on the omputer where you created the library and where you can see the thumbnails.
    Then check, if you now are able to read the library properly on your iMac.
    Regards
    Léonie

  • I was trying to upgrade and all that seems to happen is I get a verification screen after I click on the "upgrade now" button?

    I was trying to upgrade and all that seems to happen is I get a verification screen after I click on the "upgrade now" button? I've tried it a couple of times but it seems to be in a constant loop.

    Hi John,
    I'm sorry that you're having trouble purchasing your upgrade. What are you trying to upgrade to? I've checked your account, and didn't see any stalled orders.
    Have you tried logging in to Adobe.com from a different web browser?
    Best,
    Sara

  • Result handler not getting invoked on button click - URGENT

    Hi Folks,
    We are working on a form submit application where we populate the form and finally click on button to submit the completed form. We are using BlazeDs On button click I call java service and expect a response object back to flex UI. We are getting the java call invoked successfully and the log clearly shows that the appropriate objects are returned from java service, however, the result handler is not getting inviked to capture the result in flex mxml. I am in urgent need of your help on this
    Code snippet:
    <mx:Script>
    <![CDATA[
    protected  
    function Service_resultHandler(event:ResultEvent):void
    Alert.show(
    "event.result.troubleTicketId ::"+event.result.status); 
    var u:URLRequest = new URLRequest("http://www.adobe.com/flex");navigateToURL(u,
    "_blank"); 
    private function faultHandler_exitService(event:FaultEvent):void {Alert.show(event.fault.faultString +
    '\n' + event.fault.faultDetail); 
    var u:URLRequest = new URLRequest("http://www.google.com");navigateToURL(u,
    "_blank"); 
    protected  
    function submit_clickHandler():void
    //Alert.show("1");
    createTicketForm.setCallDetails_callRegion(FlexUI_callDetails_callRegion);
    //Alert.show("2"+FlexUI_callDetails_callRegion);
    createTicketForm.setCallDetails_callRegion2(FlexUI_callDetails_callRegion2);
    exitService.createTroubleTicket(createTicketForm);
    ]]>
     </mx:Script>  
    <mx:RemoteObject id="exitService" destination="ExitService" fault="faultHandler_exitService(event)">
    <mx:method name="createTroubleTicket" result="Service_resultHandler(event)"/>
    </mx:RemoteObject>
    <mx:Button 
    label="submit Ticket" width="65" height="22" textAlign="right" x="904" y="-10" click="submit_clickHandler()" />
    My Java service:
    public  
    class ExitService {  
    public CreateTmsTicketResponse createTroubleTicket(CreateTicketForm createTicketForm){
    return  
    createTmsTicketResponse;}
    remoting-config.xml:
     <destination id="ExitService">  
    <properties>  
    <source>com.qwest.qportal.flex.createTicket.ExitService</source>  
    </properties>
     </destination>

    Please refer to below link, hope it helps:
    http://forums.asp.net/t/1927214.aspx?The+IListSource+does+not+contain+any+data+sources+
    Please ensure that you mark a question as Answered once you receive a satisfactory response.

  • How to get iterator used on jsff from button clicked on jspx

    Hi All,
    I am using jdeveloper 11.1.1.5.
    I have a bounded task flow and inside that I have a jsff and I have added one iterator in its bindings. Now I have dragged that jsff on my jspx page as a region.
    I have a button on my jspx page I want to find the iterator of the jsff on button click.
    How to find it.
    Please help.
    -- NavinK

    Thanks Timo for your reply.
    Does that mean We have to add the same iterator in the bindings of jspx as well ?
    In my case I have added the iterator to my jspx page but I am getting the error described in InputText value is not getting updated in Iterator
    Please help.
    --NavinK                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                   

  • Show image on the form Java WS gets image. Call this WS on button click

    Hi,
    Is there a way to show an image on the form. On the form I have along with the data I have a button that when clicked get and show the image itself on the form. I have a Java WebService that gets the image from the remote location. How can I make the button click event to call this Web Service and show the image on the form itself. Any help is appreciated.
    Thanks

    WHiteSox, are you on client/server or web version.
    which version of forms are you using.
    something i can think of is.
    during the click to call the webservice, copy the image to the local system.
    next step is, using READ_IMAGE_FILE built in which reads the image from the local file system and displayed on the forms image item.

  • How to get  current row(Based on Radio button check)  submit button Click

    Hi i hava Query Region Search(Based On Auto Customization Criteria).
    For Showing Results iam Using Table Region.
    Using Radio button How we get the row reference value using Submit button Click.
    Please Help on this .
    Thanks & Regards
    San

    Hi san ,
    Try this
    if ("EventID".equals(pageContext.getParameter(EVENT_PARAM)))
    String rowRef = pageContext.getParameter(OAWebBeanConstants.EVENT_SOURCE_ROW_REFERENCE);
    OARow row = (OARow)am.findRowByRef(rowRef);
    VORowImpl lineRow = (YourVORowImpl)findRowByRef(rowRef); // Replace your vo name .
    Please refer this link , Let me know if its not clear .
    Single Selection in table Region in OAF .
    Keerthi

  • When I download software updates why do they appear on the desktop (and in devices) and not get saved to the HD (I click install to HD but they don't go there)

    when I download software updates why do they appear on the desktop (and in devices) and not get saved to the HD (I click install to HD but they don't go there)

    Double-click the white Adobe Reader Icon to open a new windows.
    Double-Click the "Adobe Reader X Installer.pkg" file inside.
    If it has already been installed it will notify you and say that it has been installed already.
    If you no longer have those files go here to get the latest version of Adobe Reader.
    http://get.adobe.com/reader/
    Let me know how that all goes and if you have any hang ups.
    ON TO THE NEXT POINT OF INTEREST
    It sounds to me from researching the other white 'icon' you have that you are trying to install a copier by the brand of Rico Aficio.
    Possibly the Aficio 2090/2105.
    If so the install CD/Driver download for that copier must have also wanted you to install Adobe Reader to view the User Guides/ Documentation included.
    If you are trying to install said device then double click the white icon labeled Ricoh_Aficio...double click the installer file inside of that.
    It should run a setup/install window like Adobe Reader did then go from there. If it has already been install also you can go to your System Preferences -> Printers to see if it installed correctly and is working properly.
    You can get to system preferences by clicking the Apple icon very upper left on your screen and selecting it from the drop down.

  • Why does itunes get locked with last update after clicking on search button ?

    Why does itunes get locked with last update after clicking on search button ?

    Why does itunes get locked with last update after clicking on search button ?

  • I'm trying to update my software to iTunes 10.5.2.  I click on the install button, click the Accept button, the software checks for updates, and then I am back at the original download screen.  I can't seem to get past this loop.  Any suggestions?

    I'm trying to update my software to iTunes 10.5.2.  I click on the install button, click the Accept button, the software checks for updates, and then I am back at the original download screen.  I can't seem to get past this loop.  Any suggestions?

    If I go through the setup that you suggested, won't I screw up the existing software on my system?
    No. The iTunes installer will first uninstall the existing version of iTunes and then put in the new one. (That's actually also what happens when you use Apple Software Update to install a new version ... it just doesn't show the uninstall phase like the iTunes64Setup.exe or iTunesSetup.exe does.)

Maybe you are looking for

  • How can i hide object in line chart?

    In Webi XI R2, i am preparing a line chart for which on x-axis i have two objects like "month name" and "month ID". The purpose of "month ID" is to sort the month name. So sorting is applied on "month ID" column. Now how can i hide this "month ID" co

  • Choppy m4v audio?

    i just recently converted an avi file to an ipod compatible m4v format using Final Cut Pro HD (Export using Quicktime Conversion) and the audio is choppy. anyone have an idea why? i'm guessing it has something to do with the sampling rate but there i

  • How do I uninstall a pirated version and load a good version from your site.

    I thought that I was on an official Mozilla/Firefox website but apparently I was not. The FF I loaded immediately disabled pop-up control. Every second there were adds popping up from all sides. As fast as I got rid of them they reappeared. It looked

  • Error while connect SAP from Home

    Hi all Experts, I want to connect my SAP from HOME. When I connect from OFFICE, it got connected, then Why it should not connect from Home. Is there any particular settings to get connect from Home. & I'm getting an error while Logging to SAP System.

  • I can't find anything that will help me with windows 7 reinstallation

    i have already completely uninstaled i tunes and reinstalled it and i still get the messege that i tunes was not properly installed what am i supposed to do.  i really am getting tired of uninstalling and reinstalling this program and i would like to