Update WebAs Java to SP13 - one doubt....

I have downloaded the four SP 13 sar files:
CTRLORA13_0-20000118.SAR, SAPINST13_0-20000118.SAR
J2EERT13_0-10001982.SAR, J2EERTOS13_0-20000118.SAR
When I untar these four I get two directories:
J2EE-RUNT-CD, SAPINST-CD
From SAPINST-CD I run the installer - all goes smooth and I can see SP13 now in the server info.
What is this other directory J2EE-RUNT-CD for, do I need to install something from there (e.g. to update IGS, SDM)? There is no installer in there.
Any hint would be appreciated.

Hello Frank,
J2EE-RUNT-CD directory contains the binaries used by sapinst during upgrade. You can find the deployed SDA/SCA in it. You do not need to install anything from there manually.
Kind Regards
Vyara

Similar Messages

  • I get pop ups about updating my Java version but my system says I do have the right version. Which version is the right one?

    I get pop ups about updating my Java version but my system says I do have the right version. Which version of Java is the right one?

    Most likely, you have a web plugin that depends on the Java runtime distributed by Apple, such as the Facebook video calling plugin or the "NexDef" plugin for watching baseball streams. If you no longer need the plugin, remove it. Otherwise, install Java.

  • More then one updates of java installed, can i remove them?

    Hello,
    i was cheking my software, when i came to a point that i saw like 5 updates of java and they take about 150mb.
    Now my question is, can i remove these and just leave the most recent version? or does java need the previous versions too?
    Thanks in adnvace.

    Most (recent) Java programs are written so that they will run with any recent Java version. Some program authors require that a specific version be used, for whatever reason.
    Each Java version is independent and does not depend on the presence of other versions.
    Probably, you only need the most recent released version.

  • Error trying to update web.xml

    I'm trying to update  web.xml via these instructions:
    https://www.sdn.sap.com/irj/sdn/go/portal/prtroot/docs/library/uuid/d0eb8120-b66c-2910-5795-894f384fc054
    The upload fails, and I see this excetpion in the log:
    Caused by: java.rmi.RemoteException: Error occurred during single file update of
           application sap.com/irj. Reason: Updating the security information in the
           deployment descriptors is not allowed in this operation.; nested exception is:
         com.sap.engine.services.servlets_jsp.server.exceptions.WebDeploymentException:
           Updating the security information in the deployment descriptors is not
           allowed in this operation.
    Ideas?  I'm signing in as Administrator, so why would the operation not be allowed?
    This is a 7.0 system, and the instructions are for a nw2004 system.  We've successfully uploaded the web.xml file before, so I'm thinking that something has changed in 7.0 that's preventing the upload.

    This page of the documentation indicates that the technique is the correct case:
    http://help.sap.com/saphelp_nw70/helpdata/en/6e/8590f1d6d349c9adc34c6a8085189b/frameset.htm
    So, one of two things has happened:
    1. The documentation is in error, or
    2. A bug has been introduced.
    I'm hoping it's #2....

  • How do I run multiple java apps in one JVM to reduce memory use?

    Hi all,
    I saw an article either on the web or in a magazine not too long ago about how to "detect" if the app is already running, and if so, it hands off the new instance to the already running JVM, which then creates a thread to run the Java app in. As it turns out, my app will be used in an ASP environment, through Citrix. We may have as many as 50 to 100 users running the same app, each with their own unique user ID, but all using the same one server to run it on. Each instance eats up 25MB of memory right now. So the question is if anybody knows of a URL or an app like this that can handle the process of running the same (or even different Java) apps in one JVM as separate threads, instead of requring several instances of the JVM to run? I know this article presented a fully working example, and I believe I know enough to do it but I wanted ot use the article as a reference to make sure it is done right. I know that each app basically would use the same one "launcher" program that would on first launch "listen" to a port, as well as send a message through the port to see if an existing launcher was running. If it does, it hands off the Java app to be run to the existing luancher application and shuts down the 2nd launching app. By using this method, the JVM eats up its normal memory, but each Java app only consumes its necessary memory as well and doesn't use up more JVM instance memory.
    Thanks.

    <pre>
    import java.util.Properties;
    import java.io.FileInputStream;
    import java.io.IOException;
    import java.lang.reflect.Method;
    import java.lang.reflect.InvocationTargetException;
    import java.util.Enumeration;
    import java.util.NoSuchElementException;
    public class RunProg implements Runnable, Cloneable
    private String iProg;
    private String iArgs[];
    public static void main(String args[])
    new RunProg().main();
    // first step is to start main program itself
    private void main()
    Properties properties = System.getProperties();
    try
    properties.load(new FileInputStream("RunProg.properties"));
    catch(IOException e)
    System.setProperties(properties);
    int i = 0;
    System.out.println("enter main, activeCount=" + Thread.activeCount());
    while(true)
    String program = properties.getProperty("Prog" + i);
    if(program == null)
    break;
    StringTokenizer st = new StringTokenizer(program);
    String[] args = new String[st.countTokens() - 1];
    try
    RunProg rp = (RunProg)this.clone();
    rp.iProg = st.nextToken();
    for(int j = 0; st.hasMoreTokens(); j++)
         args[j] = st.nextToken();
    rp.iArgs = args;
    Thread th = new Thread(rp);
    th.setName("prog" + i + "=" + program);
    th.start();
    System.out.println("prog" + i + "=" + program + ", started");
    catch(CloneNotSupportedException e)
    System.out.println("prog" + i + "=" + program + ", can't start");
    i++;
         System.out.println("end of main, activeCount=" + Thread.activeCount());
    // next step is to start all others one by one
    public void run()
    try
    Class c = Class.forName(iProg);
    Class p[] = new Class[1];
    p[0] = String[].class;
    Method m = c.getMethod("main", p);
    Object o[] = new Object[1];
    o[0] = iArgs;
    m.invoke(null, o);
    catch(ClassNotFoundException e)
    System.out.println(iProg + "ClassNotFoundException");
    catch(NoSuchMethodException e)
    System.out.println(iProg + "NoSuchMethodException");
    catch(InvocationTargetException e)
    System.out.println(iProg + "NoSuchMethodException");
    catch(IllegalAccessException e)
    System.out.println(iProg + "NoSuchMethodException");
    System.out.println(Thread.currentThread().getName() + ", ended");
    System.out.println("exit run, activeCount=" + Thread.activeCount());
    // setup SecurityManager to disable method System.exit()
    public RunProg()
         SecurityManager sm = new mySecurityManager();
         System.setSecurityManager(sm);
    // inner-class to disable method System.exit()
    protected class mySecurityManager extends SecurityManager
         public void checkExit(int status)
              super.checkExit(status);
              Thread.currentThread().stop();
              throw new SecurityException();
    * inner-class to analyze StringTokenizer. This class is enhanced to check double Quotation marks
    protected class StringTokenizer implements Enumeration
    private int currentPosition;
    private int maxPosition;
    private String str;
    private String delimiters;
    private boolean retTokens;
    * Constructs a string tokenizer for the specified string. All
    * characters in the <code>delim</code> argument are the delimiters
    * for separating tokens.
    * <p>
    * If the <code>returnTokens</code> flag is <code>true</code>, then
    * the delimiter characters are also returned as tokens. Each
    * delimiter is returned as a string of length one. If the flag is
    * <code>false</code>, the delimiter characters are skipped and only
    * serve as separators between tokens.
    * @param str a string to be parsed.
    * @param delim the delimiters.
    * @param returnTokens flag indicating whether to return the delimiters
    * as tokens.
    public StringTokenizer(String str, String delim, boolean returnTokens)
    currentPosition = 0;
    this.str = str;
    maxPosition = str.length();
    delimiters = delim;
    retTokens = returnTokens;
    * Constructs a string tokenizer for the specified string. The
    * characters in the <code>delim</code> argument are the delimiters
    * for separating tokens. Delimiter characters themselves will not
    * be treated as tokens.
    * @param str a string to be parsed.
    * @param delim the delimiters.
    public StringTokenizer(String str, String delim)
    this(str, delim, false);
    * Constructs a string tokenizer for the specified string. The
    * tokenizer uses the default delimiter set, which is
    * <code>"&#92;t&#92;n&#92;r&#92;f"</code>: the space character, the tab
    * character, the newline character, the carriage-return character,
    * and the form-feed character. Delimiter characters themselves will
    * not be treated as tokens.
    * @param str a string to be parsed.
    public StringTokenizer(String str)
    this(str, " \t\n\r\f", false);
    * Skips delimiters.
    protected void skipDelimiters()
    while(!retTokens &&
    (currentPosition < maxPosition) &&
    (delimiters.indexOf(str.charAt(currentPosition)) >= 0))
    currentPosition++;
    * Tests if there are more tokens available from this tokenizer's string.
    * If this method returns <tt>true</tt>, then a subsequent call to
    * <tt>nextToken</tt> with no argument will successfully return a token.
    * @return <code>true</code> if and only if there is at least one token
    * in the string after the current position; <code>false</code>
    * otherwise.
    public boolean hasMoreTokens()
    skipDelimiters();
    return(currentPosition < maxPosition);
    * Returns the next token from this string tokenizer.
    * @return the next token from this string tokenizer.
    * @exception NoSuchElementException if there are no more tokens in this
    * tokenizer's string.
    public String nextToken()
    skipDelimiters();
    if(currentPosition >= maxPosition)
    throw new NoSuchElementException();
    int start = currentPosition;
    boolean inQuotation = false;
    while((currentPosition < maxPosition) &&
    (delimiters.indexOf(str.charAt(currentPosition)) < 0 || inQuotation))
    if(str.charAt(currentPosition) == '"')
    inQuotation = !inQuotation;
    currentPosition++;
    if(retTokens && (start == currentPosition) &&
    (delimiters.indexOf(str.charAt(currentPosition)) >= 0))
    currentPosition++;
    String s = str.substring(start, currentPosition);
    if(s.charAt(0) == '"')
    s = s.substring(1);
    if(s.charAt(s.length() - 1) == '"')
    s = s.substring(0, s.length() - 1);
    return s;
    * Returns the next token in this string tokenizer's string. First,
    * the set of characters considered to be delimiters by this
    * <tt>StringTokenizer</tt> object is changed to be the characters in
    * the string <tt>delim</tt>. Then the next token in the string
    * after the current position is returned. The current position is
    * advanced beyond the recognized token. The new delimiter set
    * remains the default after this call.
    * @param delim the new delimiters.
    * @return the next token, after switching to the new delimiter set.
    * @exception NoSuchElementException if there are no more tokens in this
    * tokenizer's string.
    public String nextToken(String delim)
    delimiters = delim;
    return nextToken();
    * Returns the same value as the <code>hasMoreTokens</code>
    * method. It exists so that this class can implement the
    * <code>Enumeration</code> interface.
    * @return <code>true</code> if there are more tokens;
    * <code>false</code> otherwise.
    * @see java.util.Enumeration
    * @see java.util.StringTokenizer#hasMoreTokens()
    public boolean hasMoreElements()
    return hasMoreTokens();
    * Returns the same value as the <code>nextToken</code> method,
    * except that its declared return value is <code>Object</code> rather than
    * <code>String</code>. It exists so that this class can implement the
    * <code>Enumeration</code> interface.
    * @return the next token in the string.
    * @exception NoSuchElementException if there are no more tokens in this
    * tokenizer's string.
    * @see java.util.Enumeration
    * @see java.util.StringTokenizer#nextToken()
    public Object nextElement()
    return nextToken();
    * Calculates the number of times that this tokenizer's
    * <code>nextToken</code> method can be called before it generates an
    * exception. The current position is not advanced.
    * @return the number of tokens remaining in the string using the current
    * delimiter set.
    * @see java.util.StringTokenizer#nextToken()
    public int countTokens()
    int count = 0;
    int currpos = currentPosition;
    while(currpos < maxPosition)
    * This is just skipDelimiters(); but it does not affect
    * currentPosition.
    while(!retTokens &&
    (currpos < maxPosition) &&
    (delimiters.indexOf(str.charAt(currpos)) >= 0))
    currpos++;
    if(currpos >= maxPosition)
    break;
    int start = currpos;
    boolean inQuotation = false;
    while((currpos < maxPosition) &&
    (delimiters.indexOf(str.charAt(currpos)) < 0 || inQuotation))
    if(str.charAt(currpos) == '"')
    inQuotation = !inQuotation;
    currpos++;
    if(retTokens && (start == currpos) &&
    (delimiters.indexOf(str.charAt(currpos)) >= 0))
    currpos++;
    count++;
    return count;
    </pre>
    RunProg.properties like this:
    Prog1=GetEnv 47838 837489 892374 839274
    Prog0=GetEnv "djkfds dfkljsd" dsklfj

  • On YouTube, I can't play playlists there. It says I need to update my Java and it is updated already. When I go to different sites like Yahoo! the links and images are all distorted. This is the second time this has happened to me now

    Hello Firefox,
    I am having problems with my Firefox's image processor I believe. My web browser is fine but then a few minutes later I get some weird look on my page. It then just stays here and I can't fix it. When I go to Yahoo all the links and images do not look normal. I really cannot explain this and wish I could send a picture instead. When I go to the Log in page for Facebook I do not see the image of the small faces networking around the world. It's blank and the links are widely spread apart. With YouTube the page is also distorted. Nothing is arranged properly. I can watch videos. However when I go to someone's profile or a playlist videos cannot play or show up. It says I need to update my Java player and it is already updated. It still happens when I uninstall and re install back. I was only able to fix this problem by uninstalling everything related to Firefox. I do not know how to solve this any other way. I don't like it when all my information is lost such as saved passwords and bookmarks. If there is any way to solve this thanks. I don't want to uninstall this again.

    Your above posted list of installed plugins doesn't show the Flash plugin for Firefox.<br />
    See [[Managing the Flash plugin]] and [[Installing the Flash plugin]]
    You can check the Adobe welcome and test page: http://www.adobe.com/software/flash/about/
    You can use this manual download link:
    *http://kb2.adobe.com/cps/191/tn_19166.html#main_ManualInstaller

  • I just ran a software update for Java and MacBook Pro SMC, now my Mini Display Port to HDMI TV is not working. The TV is flickering. The Mac Display is fine.

    I was just watching / streaming TV off Safari on my actual TV.
    I'm using a Mini-Display Port to HDMI cable for the connection to the external display.
    Software update popped-up and said there was an update for Java and for SMC.
    I ran the update and upon the computer restarting, my external display (my TV) is no longer working. It is now flickering.
    It won't work in Mirroring or set up as an extended display.
    I've reset SMC / PRAM / Safe Mode / Even restored from a Time Machine backup (From before the updates were done).
    What could it be?!

    I keep saying this over and over, in the hope that people who do a search will find it.  Apple cannot possibly test for or be reponsible for the bazillion combinations of adapter, cables, and TV's out there.  The only monitors that are 100% guaranteed to work with the MacBook Pro are the Cinema Displays and Thunderbolt Displays, because, they're made by Apple.  They're expensive, but they work perfectly.
    My guess is that you bought a cheap MDP to HDMI cable, or have a defective one.  From my reading of these boards over the past few months, cheap cables have a high failure rate.  And the regular priced ones have only a slightly less of one.  Try a new one.  Make sure you do not damage the Thunderbolt port.

  • Deploying a web application on Sun One app server 7

    Hi,
    I am not able to deploy a web application on sun one server using Sun java studio.
    I have created Jsp, Servlet, Session bean and entity bean.
    When I am creating a web_module in the directory where JSP are kept, it is giving me error "directory is already mounted.
    I have already created EJB modules for both the Session and entity bean.
    Can some one tell me the cause / solution of this problem.

    Hi Amol,
    Thank you very much for replying my question. The contents in my application.xml are:
    <?xml version="1.0" encoding="UTF-8"?>
    <!DOCTYPE application PUBLIC "-//Sun Microsystems, Inc.//DTD J2EE Application 1.3//EN" "http://java.sun.com/dtd/application_1_3.dtd">
    <application>
    <display-name>testwsapp</display-name>
    <description>J2EE Application testwsapp</description>
    <module>
    <web>
    <web-uri>testws_War.war</web-uri>
    <context-root>testws</context-root>
    </web>
    <alt-dd>testws_War.xml</alt-dd>
    </module>
    </application>
    The contents in jaxrpc-ri-runtime.xml are:
    <?xml version="1.0" encoding="UTF-8"?>
    <endpoints xmlns='http://java.sun.com/xml/ns/jax-rpc/ri/runtime' version='1.0'>
    <endpoint
    name='testws'
    interface='contactws.testwsGenServer.testwsRPC'
    implementation='contactws.testwsGenServer.testwsRPCBean'
    tie='contactws.testwsGenServer.testwsRPC_Tie'
    model='null'
    wsdl='/WEB-INF/testws.wsdl'
    service='{urn:testws/wsdl}Testws'
    port='{urn:testws/wsdl}testwsRPCPort'
    urlpattern='/testws'
    </endpoint></endpoints>
    I tried to access and check the web service using:
    http://servername:port/testws/testws
    The first testws is contextroot named and the second testws is url pattern, which was exactly like what you mentioned but I got "404 Not Found" error.
    By the way, using the same ear to deploy to Windows Sun ONE App. Server 7 env. and then using the same url, I can access the web service. I am wondering if there is any special for deploying Web Service on Unix Sun ONE app. Server 7 env. or I missed something?
    I hope I can hear from you soon.
    Thank you again,
    Jackie

  • HT1338 i can't update my java

    i tried to updat my java software but i cant. i have already pressed the apple icon then software upadate but it poped out said your software is up to date, so what can i do to update my java???

    You should be able to upgrade to OS X Mavericks (10.9.1). If you want OS X Lion (10.7.5) or Mountain Lion (10.8.5), you will need to call Apple Sales/Support and purchase it.
    Have you gone to the App Store and tried to download/install Mavericks?
    To install Mavericks, you need one of these Macs:
    iMac (Mid-2007 or later)
    MacBook (13-inch Aluminum, Late 2008), (13-inch, Early 2009 or later)
    MacBook Pro (13-inch, Mid-2009 or later),
    MacBook Pro (15-inch or 17-inch, Mid/Late 2007 or later)
    MacBook Air (Late 2008 or later)
    Mac mini (Early 2009 or later)
    Mac Pro (Early 2008 or later)
    Xserve (Early 2009)
    Your Mac also needs: 
    OS X Mountain Lion, Lion, or Snow Leopard v10.6.8 already installed
    2 GB or more of memory
    8 GB or more of available space

  • IWeb not updating web site.

    iWeb started out working okay. I kept a blog and updated it. Then I went on a trip. Even though I had wireless internet the whole time, updating kept failing. No error message, but the update clock would stop after being about one-quarter filled. When I came home, there was no difference.
    Although this started months ago (before the whole .Mac to MobileMe changeover), I do believe my recent inability to update my web site is related to it. The reason is that although I can access the last updated version of my web site at "web.me.com/myaccountname", when I go to my current iDisk and open the "sites" folder, it's empty!
    Is it possible that my account has not yet been changed over to MobileMe yet? I have already installed all OS updates, including the MobileMe update. My account logs in fine.
    Any ideas?????

    Hey maybe you need to replace only the page that was updated, do not change all the published site, try I just did it and it work I have change a page and a file to be downloaded from the web site, now I can see the changes live on the web. this is what I wrote to others.
    Hey I have found not a solution but a way to publish without iWeb, Just did it and I have seen the changes on the web site. If you guys want to try:
    I have published my updated web site to a folder on my desktop. then open iDisk from the web (where my web sites files are stored for everyone else to see) then open both windows side by side and only replace the files of the updated pages from the desktop folder to the iDisk folder, there is always a file and a folder with the same name. I just replace them, I then checked on the web and Woalah! changes were made. Well... it did work for now without iWeb, not sure if is the right thing to do but if you are brave enough to follow this go ahead and go to bed as I will until the bug is fixed (hopefully tomorrow) then we can go back to normal. Hope is clear and it help! Rog

  • Firefox will not start, even in Safe Mode. Evidence suggests that this is due to an incompatibility with the latest update of Java.

    Firefox will not start in WinXP. (I am sending this from an alternate browser.)
    I believe that this is due to some incompatibility with the latest update of Java. I believe that one of the tabs from my previous session included a Java application, and this is causing the difficulty. In recent days, since the last update of Java, I have had difficulty in loading linked pages with Java applications into Firefox, and have needed to switch to a different browser to do this.
    Now I cannot even start the browser, presumably due to the presence of a Java application on one of the restored tabs.
    When I now try to start Firefox, my ZoneAlarm security s/w presents the message "Java(TM) Quick Starter binary is trying to access the Internet." I click "Allow", but Firefox will not start. If I click "Deny", the same result. The same thing happens when I try to start Firefox in Safe Mode, I cannot even start Firefox in Safe mode.
    == This happened ==
    Every time Firefox opened
    == after recent update of Java

    You can try to disable the Java Quick starter and the Java Console extension in the Control Panel > Java.
    Control Panel > Java > Advanced tab > Miscellaneous >Java Quick Starter (disable)
    You can also disable the Java plugin in Firefox: Tools > Add-ons > Plugins
    See [[Troubleshooting extensions and themes]]
    See [[Troubleshooting plugins]]

  • JCO Error with CMC on SAP NetWeaver WebAS Java 7.0 Server

    Hi, all
    We just installed our BO Enterprise XI 3.1 system, when we attempt to import SAP roles in the Central Management Console (CMC), the result is the following error: "An error occurred: com/sap/mw/jco/JCO$Function".
    I have checked note 1274700 and 1292144, but in these two notes it use tomcat as the Java web application server to hold BO web applications like CMC. In our case, we use the SAP WebAS Java 7.0 Server.
    Below is our system info:
    Server 1: Windows 2003 SP2 32bit, Install BO Enterprise XI3.1, Crystal Reports 2008 and Business Objects Integration Kit for SAP. We did't choose install tomcat option.
    Server 2: Windows 2003 SP2 x64, SAP NetWeaver WebAS Java 7.0 to run BO Web Applications.
    Below is our whole installation process:
    On Server1, Install BO Enterprise XI3.1, Crystal Reports 2008 and Business Objects Integration Kit for SAP. We choose "I will delpoy the web components after installation" option when install the BO Enterprise XI3.1 and Business Objects Integration Kit for SAP. We didn't choose the install tomcat option.
    After the BOE XI3.1 and Business Objects Integration Kit for SAP installation, we user wdeploy tool to generate the ear files, copy the 19 web components ear files to Server2, manually deploy all the total 19 web components packages on our SAP NetWeaver WebAS Java 7.0 System on Server 2.
    All the instalation processes above finished successfully.The web componnets are also successfully deployed on SAP NetWeaver WebAS Java 7.0 system.
    When we start to configure the Business Objects Integration Kit for SAP, We logon to CMC, choose Authentication, double click SAP, fill info on tab "Entitled System" when we click tab "Role Import", we get the error info "com/sap/mw/jco/JCO$Function".
    Then we download the SAPJCO 2.18 package 32bit for Server1, x64 version for Server2, and did following task on both Server1 and Server2:
    1. Put the librfc.dll and jcorfc.dll file to C:\Windows:\System32
    2. Add CLASSPATH, point to sapjco.jar file.
    But still don't work.
    Does anyone use the SAP NetWeaver WebAS as the web application server for BO?
    Also I want to know does SAP officially support tomcat for production use now? I mean if some web error occurs about tomcat, will SAP support it?
    Please advise.
    Thanks,
    Daniel

    Hi Ingo,
    Yes - Ive tried every possible combination and here is my findings...
    I don't think the 32-bit version of the SAP Java Connector (2.1.8) works on a Windows 2003 x64 SAP J2EE 7.0, i.e. the sapjco.jar file. I created a directory and added it to the CLASSPATH of the J2EE server (server and instance) and I also added it to the Java classpath using: java -jar <path+sapjco.jar> -classpath. Executing this command brings up a SAP Java connector window where it displays information of the version, location of the sapjcorfc.dll file etc. This windows opens, but is not able to display the information. If I do exactly the same with the x64 bit version of the SAP Java connector (2.1.8) it displays the information correctly in the SAP Java connector popup. I've tried copying the sapjcorfc.dll and the librfc32.dll to both the /system32 and the SYSWOW64 directory on the server.
    HOWEVER, in CMC the Role Import tab still does not work - I just get the text null (in red). Before adding the sapjco.jar to the java classpath I got another error on the Role import tab - something like /com/sap/mw/jco/$JCOFunction. So it seems like it is now able to find the sapjco.jar file, but can not use it properly.
    The big question is now: Should the sapjco.jar file actually be on the Application server or on the BOE Server? I know it says on the application server in all documentation, but that generally assumes Tomcat and all installed on one server.
    BOE uses the sapjco.jar file to connect to the BW system to import the roles and that must be the BOE server doing that job and not the Application server???
    Just my thoughts - maybe we can discuss this at Teched in Phoenix? :o)
    Best regards,
    Jacob

  • Can iMac be updated or just get new one? On iMac with OSX10.5.8, 2Ghz Intel Core 2 Duo--it's so much slower than iPad. It hasn't had cache cleaned or "First aid". I'm wondering if a computer store/techie can clean/update it or better to put $$ towards new

    Can iMac be updated or just get new one? On iMac with OSX10.5.8, 2Ghz Intel Core 2 Duo--it's so much slower than iPad. It hasn't had cache cleaned or "First aid". I'm wondering if a computer store/techie can clean/update it or better to put $$ towards new?

    If you want to clean up your hard drive some, here are some of my tips, also.
    Hard drive getting full or near full?
    Do a search for and downlaod and install OmniDisk Sweeper and OnyX.
    Here are some of my tips for deleting or archiving data off of your internal hard
    Have you emptied your iMac's Trash icon in the Dock?
    If you use iPhoto, iPhoto has its own trash that needs to be emptied, also.
    If you use Apple Mail app, Apple Mail also has its own trash area that needs to be emptied, too!
    Other things you can do to gain space.
    Delete any old or no longer needed emails and/or archive older emails you want to save to disc, Flash drive/s or to ext. hard drive.
    Look through your Documents folder and delete any type of old useless type files like "Read Me" type files.
    Again, archive to disc, Flash drive or ext. hard drive and/or delete any old documents you no longer use or immediately need.
    Uninstall apps that you no longer use. If the app has a dedicated uninstaller, use it to completely uninstall the app. If the app has no uninstaller, then just drag it to the OS X Trash icon  and empty the Trash.
    Also, if you save old downloaded  .dmg application installer  files, you can either archive and delete these or just delete the ones you think you'll never install, again.
    Download an app called OnyX for your version of OS X.
    When you install and launch it, let it do its thing initially, then go to the cleaning and maintenance tabs and run all of the processes in the tabs. Let OnyX clean out all web browser cache files, web browser histories, system cache files, delete old error log files.
    Typically, iTunes and iPhoto libraries are the biggest users of HD space.
    If you have any other large folders of personal data or projects, these should be thinned out, moved, also, to the external hard drive and then either archived to disc, Flash drive or ext. hard drive and/or deleted off your internal hard drive.
    Good Luck!

  • After LION update web Cam is no longer being detected at all. Does anyone have a fix? Thank you

    After LION update web Cam is no longer being detected at all. Does anyone have a fix? Thank you

    Thank you, Rod!
    While researching frame rate I came across this helpful blog posting: Crazy about Captivate: Lessons Learned: Video and Resolution in Adobe Captivate
    This is the line that caught my attention: "I discovered, after several experiments, that if you publish a course in Captivate as SCALABLE with a video inserted, no matter what the resolution, it makes the video look pixelated."
    When I unclick the "scalable HTML content" button before publishing, the video is fine!
    Big sigh of relief! Now I just need to figure out why audio won't play on one of the slides (it has an accordian widget, if that's relevant) and why I can no longer use Effects (I get the message, "Effect file is not valid")

  • Webas JAVA in SLD

    hi friends,
    one month back i have created webas java technical system.it's working fine..but right now it's not working...how would we find out the error and  how to test that particular technical system...plz give me answer ASAP..
    regards,
    venu

    Hi  Venu,
    For SLD error .
    First check ur admin password ,if it expired create new password and give the new password in visaul admin,SLD supplier.
    and test the connection .
    Sld errors r related to admin password expirations.
    Surekha.

Maybe you are looking for

  • CS3 Won't Run, Uninstall or Deactivate, Can't Reinstall; Junked.

    Windows XP Pro SP2 2GB Ram Adobe CS3 Production Premium Thanks to Adobe's new licensing system I have a $1700 production suite that is completely useless. After a few weeks of working fine, it suddenly decided, for reasons unknown, to cease working.

  • My non-stock apps will not open on my iPhone 3G. Help?

    The non-stock apps such as Facebook and any games won't open on my iPhone 3G. I have searched all through the discussion board and have tried a number of things. I'm a little desperate. Things I have tried that have failed: Turn iPhone off and then o

  • Unreadable text in Safari after installing Lion

    After installing Lion, some web pages in Safari are impossible to read, all letters appear as capital A in a frame. What is that?

  • Apple TV to my regular home TV help

    Just installed Apple TV. Now I don't get how to go back to watching my regular TV. What do I press to get back to normal TV ? Cheers, Penni

  • Bluetooth Gone Missing

    Some way or another, bluetooth has gone missing from my System Preferences pane. I restarted my computer a few days ago and noticed that it was gone. In the past I have used the OS X installation CD and Pacifist to fix problems like this but I'm not