Out of memory error for large recordings:

Hi,
  My workflow process takes input as a list. It loops through the workflow for all the items in the list. If my list contain 4 items, there will be 3*7= 21 steps when I invoke the process. I can able to check my recordings for debugging.
If I give 5 inputs, It takes around 5*7 = 35 steps in the workflow. If I try to play the recording, i see the error: java heap space: Out of memory exception. I changed my space to Xmx1024m in workbench.ini. I also did: java -Xms<initial heap size> -Xmx<maximum heap size> (Q1: do we need to restart the JBoss after we do the second step? ).
Q2: My system is Windows7 with 4GB RAM. I have liveCycle 8.2 with SP2. JBoss & MySql. Do I need to set this java RAM size in any of our JBoss server files?
Q3: Is there any file to set the maximum permissible steps for a process recording? If so, please let me know. It would be a great help.
Thanks,
Chaitanya

If the size of the documents you are adding as input are very large this could result in OOM errors so that is something to consider. 
Some other things to try are as follows:
1. Increase memory allocated by JBoss by another 200 - 300 M as per the following documentation on the web:
http://help.adobe.com/en_US/livecycle/9.0/workbenchHelp/help.html?topic=000097&topic=00183 7
2. Read the following sections of the Workbench Help which can be found on the web and describes how to limit your recording storage space used:  http://help.adobe.com/en_US/livecycle/9.0/workbenchHelp/help.html?topic=000097&topic=00106 0
I would suggest increasing your maxNumberOfRecordingEntries to about 200.
Heather

Similar Messages

  • Out of Memory Error and large video files

    I created a simple page that links a few large video files (2.5 gig) total size. On Preview or FTP upload Mues crashes and gives a Out of Memory error. How should we handle very large files like this?

    Upload the files to your host using an FTP client (i.e. Filezilla) and hyperlink to them from within your Muse site.
    Muse is currently not designed to upload files this large. The upload functionality takes the simple approach of reading an entire linked file into RAM and then uploading it. Given Muse is currently a 32-bit application, it's limited to using 2Gb of RAM (or less) at any given time regardless of how much RAM you have physically installed. We should add a check to the "Link to File..." feature so it rejects files larger than a few hundred megs and puts up a explanation alert. (We're also hard at work on the move to being a 64-bit app, but that's not a small change.)
    In general your site visitor will have a much better experience viewing such videos if you upload them to a service like YouTube or Vimeo rather than hosting them yourself. Video hosting services provide a huge amount of optimization of the delivery of video that's not present for a file hosted on standard hosting (i.e. automatic resizing of the video to the appropriate resolution for the visitor's device (rather than potentially downloading a huge amount of unneeded data), transcoding to the video format required by the visitor's browser (rather than either having to due so yourself or have some visitors unable to view your video), automatic distribution of a highly viewed video to multiple data centers for better performance in multiple geographies, and no doubt tons of other stuff I'm not thinking of or am ignorant of.

  • Uploading large files from applet to servlet throws out of memory error

    I have a java applet that needs to upload files from a client machine
    to a web server using a servlet. the problem i am having is that in
    the current scheme, files larger than 17-20MB throw an out of memory
    error. is there any way we can get around this problem? i will post
    the client and server side code for reference.
    Client Side Code:
    import java.io.*;
    import java.net.*;
    // this class is a client that enables transfer of files from client
    // to server. This client connects to a servlet running on the server
    // and transmits the file.
    public class fileTransferClient
    private static final String FILENAME_HEADER = "fileName";
    private static final String FILELASTMOD_HEADER = "fileLastMod";
    // this method transfers the prescribed file to the server.
    // if the destination directory is "", it transfers the file to
    "d:\\".
    //11-21-02 Changes : This method now has a new parameter that
    references the item
    //that is being transferred in the import list.
    public static String transferFile(String srcFileName, String
    destFileName,
    String destDir, int itemID)
    if (destDir.equals(""))
    destDir = "E:\\FTP\\incoming\\";
    // get the fully qualified filename and the mere filename.
    String fqfn = srcFileName;
    String fname =
    fqfn.substring(fqfn.lastIndexOf(File.separator)+1);
    try
    //importTable importer = jbInit.getImportTable();
    // create the file to be uploaded and a connection to
    servlet.
    File fileToUpload = new File(fqfn);
    long fileSize = fileToUpload.length();
    // get last mod of this file.
    // The last mod is sent to the servlet as a header.
    long lastMod = fileToUpload.lastModified();
    String strLastMod = String.valueOf(lastMod);
    URL serverURL = new URL(webadminApplet.strServletURL);
    URLConnection serverCon = serverURL.openConnection();
    // a bunch of connection setup related things.
    serverCon.setDoInput(true);
    serverCon.setDoOutput(true);
    // Don't use a cached version of URL connection.
    serverCon.setUseCaches (false);
    serverCon.setDefaultUseCaches (false);
    // set headers and their values.
    serverCon.setRequestProperty("Content-Type",
    "application/octet-stream");
    serverCon.setRequestProperty("Content-Length",
    Long.toString(fileToUpload.length()));
    serverCon.setRequestProperty(FILENAME_HEADER, destDir +
    destFileName);
    serverCon.setRequestProperty(FILELASTMOD_HEADER, strLastMod);
    if (webadminApplet.DEBUG) System.out.println("Connection with
    FTP server established");
    // create file stream and write stream to write file data.
    FileInputStream fis = new FileInputStream(fileToUpload);
    OutputStream os = serverCon.getOutputStream();
    try
    // transfer the file in 4K chunks.
    byte[] buffer = new byte[4096];
    long byteCnt = 0;
    //long percent = 0;
    int newPercent = 0;
    int oldPercent = 0;
    while (true)
    int bytes = fis.read(buffer);
    byteCnt += bytes;
    //11-21-02 :
    //If itemID is greater than -1 this is an import file
    transfer
    //otherwise this is a header graphic file transfer.
    if (itemID > -1)
    newPercent = (int) ((double) byteCnt/ (double)
    fileSize * 100.0);
    int diff = newPercent - oldPercent;
    if (newPercent == 0 || diff >= 20)
    oldPercent = newPercent;
    jbInit.getImportTable().displayFileTransferStatus
    (itemID,
    newPercent);
    if (bytes < 0) break;
    os.write(buffer, 0, bytes);
    os.flush();
    if (webadminApplet.DEBUG) System.out.println("No of bytes
    sent: " + byteCnt);
    finally
    // close related streams.
    os.close();
    fis.close();
    if (webadminApplet.DEBUG) System.out.println("File
    Transmission complete");
    // find out what the servlet has got to say in response.
    BufferedReader reader = new BufferedReader(
    new
    InputStreamReader(serverCon.getInputStream()));
    try
    String line;
    while ((line = reader.readLine()) != null)
    if (webadminApplet.DEBUG) System.out.println(line);
    finally
    // close the reader stream from servlet.
    reader.close();
    } // end of the big try block.
    catch (Exception e)
    System.out.println("Exception during file transfer:\n" + e);
    e.printStackTrace();
    return("FTP failed. See Java Console for Errors.");
    } // end of catch block.
    return("File: " + fname + " successfully transferred.");
    } // end of method transferFile().
    } // end of class fileTransferClient
    Server side code:
    import java.io.*;
    import javax.servlet.*;
    import javax.servlet.http.*;
    import java.util.*;
    import java.net.*;
    // This servlet class acts as an FTP server to enable transfer of
    files
    // from client side.
    public class FtpServerServlet extends HttpServlet
    String ftpDir = "D:\\pub\\FTP\\";
    private static final String FILENAME_HEADER = "fileName";
    private static final String FILELASTMOD_HEADER = "fileLastMod";
    public void doGet(HttpServletRequest req, HttpServletResponse resp)
    throws ServletException,
    IOException
    doPost(req, resp);
    public void doPost(HttpServletRequest req, HttpServletResponse
    resp)
    throws ServletException,
    IOException
    // ### for now enable overwrite by default.
    boolean overwrite = true;
    // get the fileName for this transmission.
    String fileName = req.getHeader(FILENAME_HEADER);
    // also get the last mod of this file.
    String strLastMod = req.getHeader(FILELASTMOD_HEADER);
    String message = "Filename: " + fileName + " saved
    successfully.";
    int status = HttpServletResponse.SC_OK;
    System.out.println("fileName from client: " + fileName);
    // if filename is not specified, complain.
    if (fileName == null)
    message = "Filename not specified";
    status = HttpServletResponse.SC_INTERNAL_SERVER_ERROR;
    else
    // open the file stream for the file about to be transferred.
    File uploadedFile = new File(fileName);
    // check if file already exists - and overwrite if necessary.
    if (uploadedFile.exists())
    if (overwrite)
    // delete the file.
    uploadedFile.delete();
    // ensure the directory is writable - and a new file may be
    created.
    if (!uploadedFile.createNewFile())
    message = "Unable to create file on server. FTP failed.";
    status = HttpServletResponse.SC_INTERNAL_SERVER_ERROR;
    else
    // get the necessary streams for file creation.
    FileOutputStream fos = new FileOutputStream(uploadedFile);
    InputStream is = req.getInputStream();
    try
    // create a buffer. 4K!
    byte[] buffer = new byte[4096];
    // read from input stream and write to file stream.
    int byteCnt = 0;
    while (true)
    int bytes = is.read(buffer);
    if (bytes < 0) break;
    byteCnt += bytes;
    // System.out.println(buffer);
    fos.write(buffer, 0, bytes);
    // flush the stream.
    fos.flush();
    } // end of try block.
    finally
    is.close();
    fos.close();
    // set last mod date for this file.
    uploadedFile.setLastModified((new
    Long(strLastMod)).longValue());
    } // end of finally block.
    } // end - the new file may be created on server.
    } // end - we have a valid filename.
    // set response headers.
    resp.setContentType("text/plain");
    resp.setStatus(status);
    if (status != HttpServletResponse.SC_OK)
    getServletContext().log("ERROR: " + message);
    // get output stream.
    PrintWriter out = resp.getWriter();
    out.println(message);
    } // end of doPost().
    } // end of class FtpServerServlet

    OK - the problem you describe is definitely what's giving you grief.
    The workaround is to use a socket connection and send your own request headers, with the content length filled in. You may have to multi-part mime encode the stream on its way out as well (I'm not about that...).
    You can use the following:
    http://porsche.cis.udel.edu:8080/cis479/lectures/slides-04/slide-02.html
    on your server to get a feel for the format that the request headers need to take.
    - Kevin
    I get the out of Memory Error on the client side. I
    was told that this might be a bug in the URLConnection
    class implementation that basically it wont know the
    content length until all the data has been written to
    the output stream, so it uses an in memory buffer to
    store the data which basically causes memory issues..
    do you think there might be a workaround of any kind..
    or maybe a way that the buffer might be flushed after
    a certain size of file has been uploaded.. ?? do you
    have any ideas?

  • Out of memory error - large project

    I'm consulting on a feature doc edit, and the primary editor (Avid guy) is having serious problems accessing anything from the original project.
    It's an hour and 15 minute show, with probably close to 100 hours of footage.
    The box is a D2.3 G5 with 1.5 g of RAM, and the media is on two G-Tech drives: a G-RAID and a G-Drive. Plenty of headroom on both (now) and the system drive is brand new, having been replaced after the original died, and there's nothing loaded on it but FC Studio. The FCP version is 5.1.4. The project file is well over 100 MB.
    We started getting Out of Memory errors with this large project, and I checked all of the usual suspects: CMYK graphics, hard drive space, sufficient RAM... all checked out okay, except possibly the less-than-ideal amount of RAM.
    I copied the important sequences and a couple of select bins to a new project, and everything seems workable for now. The project is still 90 MB, and I've suggested breaking it up into separate projects and work on it as reels, but we can edit and trims work efficiently at the moment. However, the other editor has gotten to a point now where he can't even open bins in the old, big project. He keeps getting the OOM error whenever he tries to do anything.
    I have no similar problems opening the same project on my G5, which is essentially identical except I have 2.5 G RAM (1 G extra). Can this difference in RAM really make this big a deal? Is there something else I'm missing? Why can't this editor access even bins from the other project?
    G4   Mac OS X (10.2.x)  

    Shane's spot on.
    What I often do with large projects is pare down, just what you have done. But 90 out of 100 is not a big paredown by any stretch. In the new copy throw away EVERYTHING that's outdated: old sequences are the big culprit. Also toss any render files and re-render.
    Remember that, to be effective fcp keeps EVERYTHING in ram, so that it can instantly access anything in your project. The more there is to keep track of the slower you get.

  • Out of Memory error while builng HTML String from a Large HashMap.

    Hi,
    I am building an HTML string from a large map oject that consits of about 32000 objects using the Transformer class in java. As this HTML string needs to be displayed in the JSP page, the reponse time was too high and also some times it is throwing out of memory error.
    Please let me know how i can implement the concept of building the library tree(folder structure) HTML string for the first set of say 1000 entries and then display in the web page and then detect an onScroll event and handle it in java Script functions and come back and build the tree for the next set of entries in the map and append this string to the previous one and accordingly display it.
    please let me know whether
    1. the suggested solution was the advisable one.
    2. how to build tree(HTML String) for a set of entries in the map while iterating over the map.
    3. How to detect a onScroll event and handle it.
    Note : Handling the events in the JavaScript functions and displaying the tree is now being done using AJAX.
    Thanks for help in Advance,
    Kartheek

    Hi
    Sorry,
    I haven't seen any error in the browser as this may be Out of memory error which was not handled. I got the the following error from the web logic console
    org.apache.struts.actions.DispatchAction">Dispatch[serviceCenterHome] to method 'getUserLibraryTree' returned an exceptionjava.lang.reflect.InvocationTargetException
         at sun.reflect.NativeMethodAccessorImpl.invoke0(Native Method)
         at sun.reflect.NativeMethodAccessorImpl.invoke(NativeMethodAccessorImpl.java:39)
         at sun.reflect.DelegatingMethodAccessorImpl.invoke(DelegatingMethodAccessorImpl.java:25)
         at java.lang.reflect.Method.invoke(Method.java:324)
         at org.apache.struts.actions.DispatchAction.dispatchMethod(DispatchAction.java:276)
         at org.apache.struts.actions.DispatchAction.execute(DispatchAction.java:196)
         at org.apache.struts.action.RequestProcessor.processActionPerform(RequestProcessor.java:421)
         at org.apache.struts.action.RequestProcessor.process(RequestProcessor.java:226)
         at org.apache.struts.action.ActionServlet.process(ActionServlet.java:1164)
         at org.apache.struts.action.ActionServlet.doPost(ActionServlet.java:415)
         at javax.servlet.http.HttpServlet.service(HttpServlet.java:760)
         at javax.servlet.http.HttpServlet.service(HttpServlet.java:853)
         at weblogic.servlet.internal.ServletStubImpl$ServletInvocationAction.run(ServletStubImpl.java:996)
         at weblogic.servlet.internal.ServletStubImpl.invokeServlet(ServletStubImpl.java:419)
         at weblogic.servlet.internal.ServletStubImpl.invokeServlet(ServletStubImpl.java:315)
         at weblogic.servlet.internal.WebAppServletContext$ServletInvocationAction.run(WebAppServletContext.java:6452)
         at weblogic.security.acl.internal.AuthenticatedSubject.doAs(AuthenticatedSubject.java:321)
         at weblogic.security.service.SecurityManager.runAs(SecurityManager.java:118)
         at weblogic.servlet.internal.WebAppServletContext.invokeServlet(WebAppServletContext.java:3661)
         at weblogic.servlet.internal.ServletRequestImpl.execute(ServletRequestImpl.java:2630)
         at weblogic.kernel.ExecuteThread.execute(ExecuteThread.java:219)
         at weblogic.kernel.ExecuteThread.run(ExecuteThread.java:178)
    Caused by: java.lang.OutOfMemoryError
    </L_MSG>
    <L_MSG MN="ILHD-1109" PID="adminserver" TID="ExecuteThread: '14' for queue: 'weblogic.kernel.Default'" DT="2012/04/18 7:56:17:146" PT="WARN" AP="" DN="" SN="" SR="org.apache.struts.action.RequestProcessor">Unhandled Exception thrown: class javax.servlet.ServletException</L_MSG>
    <Apr 18, 2012 7:56:17 AM CDT> <Error> <HTTP> <BEA-101017> <[ServletContext(id=26367546,name=fcsi,context-path=/fcsi)] Root cause of ServletException.
    *java.lang.OutOfMemoryError*
    Please Advise.
    Thanks for your help in advance,
    Kartheek

  • Out of memory error when writing large file

    I have the piece of code below which works fine for writing small files, but when it encounters much larger files (>80M), the jvm throws an out of memory error.
    I believe it has something to do with the Stream classes. If I were to replace my PrintStream reference with the System.out object (which is commented out below), then it runs fine.
    Anyone else encountered this before?
         print = new PrintStream(new FileOutputStream(new File(a_persistDir, getCacheFilename()),
                                                                false));
    //      print = System.out;
              for(Iterator strings = m_lookupTable.keySet().iterator(); strings.hasNext(); ) {
                   StringBuffer sb = new StringBuffer();
                   String string = (String) strings.next();
                   String id = string;
                   sb.append(string).append(KEY_VALUE_SEPARATOR);
                   Collection ids = (Collection) m_lookupTable.get(id);
                   for(Iterator idsIter = ids.iterator(); idsIter.hasNext();) {
                        IBlockingResult blockingResult = (IBlockingResult) idsIter.next();
                        sb.append(blockingResult.getId()).append(VALUE_SEPARATOR);
                   print.println(sb.toString());
                   print.flush();
    } catch (IOException e) {
    } finally {
         if( print != null )
              print.close();
    }

    Yes, my first code would just print the strings as I got them. But it was running out of memory then as well. I thought of constructing a StringBuffer first because I was afraid that the PrintStream wasn't allocating the memory correctly.
    I've also tried flushing the PrintStream after every line is written but I still run into trouble.

  • Large Pdf using XML XSL - Out of Memory Error

    Hi Friends.
    I am trying to generate a PDF from XML, XSL and FO in java. It works fine if the PDF to be generated is small.
    But if the PDF to be generated is big, then it throws "Out of Memory" error. Can some one please give me some pointers about the possible reasons for this errors. Thanks for your help.
    RM
    Code:
    import java.io.*;
    import javax.servlet.*;
    import javax.servlet.http.*;
    import org.xml.sax.InputSource;
    import org.xml.sax.XMLReader;
    import org.apache.fop.apps.Driver;
    import org.apache.fop.apps.Version;
    import org.apache.fop.apps.XSLTInputHandler;
    import org.apache.fop.messaging.MessageHandler;
    import org.apache.avalon.framework.logger.ConsoleLogger;
    import org.apache.avalon.framework.logger.Logger;
    public class PdfServlet extends HttpServlet {
    public static final String FO_REQUEST_PARAM = "fo";
    public static final String XML_REQUEST_PARAM = "xml";
    public static final String XSL_REQUEST_PARAM = "xsl";
    Logger log = null;
         Com_BUtil myBu = new Com_BUtil();
    public void doGet(HttpServletRequest request,
    HttpServletResponse response) throws ServletException {
    if(log == null) {
         log = new ConsoleLogger(ConsoleLogger.LEVEL_WARN);
         MessageHandler.setScreenLogger(log);
    try {
    String foParam = request.getParameter(FO_REQUEST_PARAM);
    String xmlParam = myBu.getConfigVal("filePath") +"/"+request.getParameter(XML_REQUEST_PARAM);
    String xslParam = myBu.SERVERROOT + "/jsp/servlet/"+request.getParameter(XSL_REQUEST_PARAM)+".xsl";
         if((xmlParam != null) && (xslParam != null)) {
    XSLTInputHandler input = new XSLTInputHandler(new File(xmlParam), new File(xslParam));
    renderXML(input, response);
    } else {
    PrintWriter out = response.getWriter();
    out.println("<html><head><title>Error</title></head>\n"+
    "<body><h1>PdfServlet Error</h1><h3>No 'fo' "+
    "request param given.</body></html>");
    } catch (ServletException ex) {
    throw ex;
    catch (Exception ex) {
    throw new ServletException(ex);
    public void renderXML(XSLTInputHandler input,
    HttpServletResponse response) throws ServletException {
    try {
    ByteArrayOutputStream out = new ByteArrayOutputStream();
    response.setContentType("application/pdf");
    Driver driver = new Driver();
    driver.setLogger(log);
    driver.setRenderer(Driver.RENDER_PDF);
    driver.setOutputStream(out);
    driver.render(input.getParser(), input.getInputSource());
    byte[] content = out.toByteArray();
    response.setContentLength(content.length);
    response.getOutputStream().write(content);
    response.getOutputStream().flush();
    } catch (Exception ex) {
    throw new ServletException(ex);
    * creates a SAX parser, using the value of org.xml.sax.parser
    * defaulting to org.apache.xerces.parsers.SAXParser
    * @return the created SAX parser
    static XMLReader createParser() throws ServletException {
    String parserClassName = System.getProperty("org.xml.sax.parser");
    if (parserClassName == null) {
    parserClassName = "org.apache.xerces.parsers.SAXParser";
    try {
    return (XMLReader) Class.forName(
    parserClassName).newInstance();
    } catch (Exception e) {
    throw new ServletException(e);

    Hi,
    I did try that initially. After executing the command I get this message.
    C:\>java -Xms128M -Xmx256M
    Usage: java [-options] class [args...]
    (to execute a class)
    or java -jar [-options] jarfile [args...]
    (to execute a jar file)
    where options include:
    -cp -classpath <directories and zip/jar files separated by ;>
    set search path for application classes and resources
    -D<name>=<value>
    set a system property
    -verbose[:class|gc|jni]
    enable verbose output
    -version print product version and exit
    -showversion print product version and continue
    -? -help print this help message
    -X print help on non-standard options
    Thanks for your help.
    RM

  • Oracle Service Bus For loop getting out of memory error

    I have a business service that is based on a JCA adapter to fetch an undertimed amout of records from a database.  I then need to upload those to another system using a webservice designed by an external source.  This web service will only accept upto to x amount of records.
    The process:
    for each object in the Jca Response
          Insert object into Service callout Request body
          if object index = number of objects in jca response or object index = next batch index
               Invoke service callout
               Append service callout Response to a total response object (xquery transform)
               increase next batch index by Batch size
               reset service callout to empty body
           endif
    end for
    replace body  with total response object.
    If I use the data set that only has 5 records  and use a batch size of 2 the process works fine.
    If I use  a data set with 89 records  and a batch size of 2 I get the below out of memory error  after about 10 service callouts
    the quantity of data in the objects is pretty small, less than 1kB for each JCA Object
    Server Name:
    AdminServer
    Log Name:
    ServerLog
    Message:
    Failed to process response message for service ProxyService Sa/Proxy Services/DataSync:
    java.lang.OutOfMemoryError: allocLargeObjectOrArray:
    [C, size 67108880 java.lang.OutOfMemoryError: allocLargeObjectOrArray:
    [C, size 67108880 at org.apache.xmlbeans.impl.store.Saver$TextSaver.resize(Saver.java:1700)
    at org.apache.xmlbeans.impl.store.Saver$TextSaver.preEmit(Saver.java:1303) at
    org.apache.xmlbeans.impl.store.Saver$TextSaver.emit(Saver.java:1234)
    at org.apache.xmlbeans.impl.store.Saver$TextSaver.emitXmlns(Saver.java:1003)
    at org.apache.xmlbeans.impl.store.Saver$TextSaver.emitNamespacesHelper(Saver.java:1021)
    at org.apache.xmlbeans.impl.store.Saver$TextSaver.emitElement(Saver.java:972)
    at org.apache.xmlbeans.impl.store.Saver.processElement(Saver.java:476)
    at org.apache.xmlbeans.impl.store.Saver.process(Saver.java:307)
    at org.apache.xmlbeans.impl.store.Saver$TextSaver.saveToString(Saver.java:1864)
    at org.apache.xmlbeans.impl.store.Cursor._xmlText(Cursor.java:546)
    at org.apache.xmlbeans.impl.store.Cursor.xmlText(Cursor.java:2436)
    at org.apache.xmlbeans.impl.values.XmlObjectBase.xmlText(XmlObjectBase.java:1500)
    at com.bea.wli.sb.test.service.ServiceTracer.getXmlData(ServiceTracer.java:968)
    at com.bea.wli.sb.test.service.ServiceTracer.addDataType(ServiceTracer.java:944)
    at com.bea.wli.sb.test.service.ServiceTracer.addDataType(ServiceTracer.java:924)
    at com.bea.wli.sb.test.service.ServiceTracer.addContextChanges(ServiceTracer.java:814)
    at com.bea.wli.sb.test.service.ServiceTracer.traceExit(ServiceTracer.java:398)
    at com.bea.wli.sb.pipeline.debug.DebuggerTracingStep.traceExit(DebuggerTracingStep.java:156)
    at com.bea.wli.sb.pipeline.PipelineContextImpl.exitComponent(PipelineContextImpl.java:1292)
    at com.bea.wli.sb.pipeline.MessageProcessor.finishProcessing(MessageProcessor.java:371)
    at com.bea.wli.sb.pipeline.RouterCallback.onReceiveResponse(RouterCallback.java:108)
    at com.bea.wli.sb.pipeline.RouterCallback.run(RouterCallback.java:183)
    at weblogic.work.ContextWrap.run(ContextWrap.java:41)
    at weblogic.work.SelfTuningWorkManagerImpl$WorkAdapterImpl.run(SelfTuningWorkManagerImpl.java:545)
    at weblogic.work.ExecuteThread.execute(ExecuteThread.java:256) at weblogic.work.ExecuteThread.run(ExecuteThread.java:221)
    Subsystem:
    OSB Kernel
    Message ID:
    BEA-382005
    It appears to be the service callout that is the problem (it calls another OSB service that logins and performs the data upload to the External service)  because If I change the batch size up to 100  the loop will load all the 89 records into the callout request and execute it fine.  If I have a small batch size then I run out of memory.
    Is there some settings I need to change?  Is there a better way in OSB (less memory intensive than service callout in a for loop)?
    Thanks.

    hi,
    Could you please let me know if you get rid off this issue as we are also facing the same issue.
    Thanks,
    SV

  • Z420 bios error 110 out of memory space for option roms

    Hi,
    I want to attach a SCSI RAID drive to the PC to copy the contents off onto a new drive, but when I do I receive this message:
    10—Out of memory space for option ROMs   Option ROM for a device could not run because of memory constraints.
    I know that under the Setup Menu/Advanced/Power On Options you are supposed to set the ACPI/USB Buffers @ Top of Memory setting to Enable, but unfortunately my version of BIOS doesn't contain this option.
    Can anyone tell me what I can turn off in my system to allow it to operate with the ATTO card?
    I also have a NVIDIA K4000 card installed and an AJA Io Express PCI card installed.  These both work fine without the ATTO card inserted into the machine.
    Thanks in advance!

    Hi,
    You might get better assistance on the HP Enterprise Business Forum since you have a business class PC.
    HP DV9700, t9300, Nvidia 8600, 4GB, Crucial C300 128GB SSD
    HP Photosmart Premium C309G, HP Photosmart 6520
    HP Touchpad, HP Chromebook 11
    Custom i7-4770k,Z-87, 8GB, Vertex 3 SSD, Samsung EVO SSD, Corsair HX650,GTX 760
    Custom i7-4790k,Z-97, 16GB, Vertex 3 SSD, Plextor M.2 SSD, Samsung EVO SSD, Corsair HX650, GTX 660TI
    Windows 7/8 UEFI/Legacy mode, MBR/GPT

  • Acrobat XI Pro "Out of Memory" Error.

    We just received a new Dell T7600 workstation (Win7, 64-bit, 64GB RAM, 8TB disk storage, and more processors than you can shake a stick at). We installed the Adobe CS6 Master Collection which had Acrobat Pro X. Each time we open a PDF of size greater than roughly 4MB, the program returns an "out of memory" error. After running updates, uninstalling and reinstalling (several times), I bought a copy of Acrobat XI Pro hoping this would solve the problem. Same problem still exists upon opening the larger PDFs. Our business depends on opening very large PDF files and we've paid for the Master Collection, so I'd rather not use an freeware PDF reader. Any help, thoughts, and/or suggestions are greatly appreciated.
    Regards,
    Chris

    As mentioned, the TEMP folder is typically the problem. MS limits the size of this folder and you have 2 choices: 1. empty it or 2. increase the size limit. I am not positive this is the issue, but it does crop up at times. It does not matter how big your harddrive is, it is a matter of the amount of space that MS has allocated for virtual memory. I am surprised that there is an issue with 64GB of RAM, but MS is real good at letting you know you can't have it all for use because you might want to open up something else. That is why a lot of big packages turn off some of the limits of Windows or use Linux.

  • Out of memory error - JS Runtime: How many users can one connect?

    Not talking video here.  Talking interactive apps, like chat.  Ours crashes at about 500 connected users.  When I report this I'm told "make sure you're not creating too many objects serverside" or "increase the JSRuntimeSize setting in your application.xml file to the max".
    Have now done both of those things but still get this out of memory error.  Let's say I optomized my app and got 100% more connection capacity.  That would be 1,000 connected users - still nowhere near enough.
    Are my dreams of 6,000 or 10,000 connected users enjoying all of the fruits of the FMS interactivity pipe dreams?  Is it not meant for sessions of that size?  Where does one find documentation or advice or application assistance on this issue?
    How do large social media applications connect so many people concurrently.
    Thoughts appreciated.
    Thanks

    Yes.  I'm using the max.
    <RuntimeSize>51200</RuntimeSize>
    See:
    http://help.adobe.com/en_US/FlashMediaServer/3.5_AdminGuide/WS5b3ccc516d4fbf351e63e3d119f2 926bcf-7ff0.html#WS5b3ccc516d4fbf351e63e3d119f2926bcf-7ed2
    Don't think 100MB or 200MB would be valid settings.

  • Out of memory error - from parsing a "fixed width file"

    This may be fairly simple for someone out there but I am trying to write a simple program that can go through a "fixed width" flat txt file and parse it to be comma dilmeted.
    I use a xml file with data dictionary specifications to do the work. I do this because there are over 430 fields that need to be parsed from a fixed width with close to 250,000 lines I can read the xml file fine to get the width dimensions but when I try to apply the parsing instructions, I get an out of memory error.
    I am hoping it is an error with code and not the large files. If it is the latter, does anyone out there know some techniques for getting at this data?
    Here is the code
       import java.io.*;
       import org.w3c.dom.Document;
       import org.w3c.dom.*;
       import javax.xml.parsers.DocumentBuilderFactory;
       import javax.xml.parsers.DocumentBuilder;
       import org.xml.sax.SAXException;
       import org.xml.sax.SAXParseException;
        public class FixedWidthConverter{
          String[] fieldNameArray;
          String[] fieldTypeArray;
          String[] fieldSizeArray;      
           public static void main(String args []){
             FixedWidthConverter fwc = new FixedWidthConverter();
             fwc.go();
             fwc.loadFixedWidthFile();
            //System.exit (0);
          }//end of main
           public void go(){
             try {
                DocumentBuilderFactory docBuilderFactory = DocumentBuilderFactory.newInstance();
                DocumentBuilder docBuilder = docBuilderFactory.newDocumentBuilder();
                Document doc = docBuilder.parse (new File("files/dic.xml"));
                // normalize text representation            doc.getDocumentElement ().normalize ();
                System.out.println ("Root element of the doc is " +
                     doc.getDocumentElement().getNodeName());
                NodeList listOfFields = doc.getElementsByTagName("FIELD");
                int totalFields = listOfFields.getLength();
                System.out.println("Total no of fields : " + totalFields);
                String[] fldNameArray = new String[totalFields];
                String[] fldTypeArray = new String[totalFields];
                String[] fldSizeArray = new String[totalFields];
                for(int s=0; s<listOfFields.getLength() ; s++){
                   Node firstFieldNode = listOfFields.item(s);
                   if(firstFieldNode.getNodeType() == Node.ELEMENT_NODE){
                      Element firstFieldElement = (Element)firstFieldNode;
                      NodeList firstFieldNMList = firstFieldElement.getElementsByTagName("FIELD_NM");
                      Element firstFieldNMElement = (Element)firstFieldNMList.item(0);
                      NodeList textFNList = firstFieldNMElement.getChildNodes();
                      //System.out.println("Field Name : " +
                               //((Node)textFNList.item(0)).getNodeValue().trim());
                      //loads values into an array
                      //fldNameArray[s] = ((Node)textFNList.item(0)).getNodeValue().trim();
                      NodeList typeList = firstFieldElement.getElementsByTagName("TYPE");
                      Element typeElement = (Element)typeList.item(0);
                      NodeList textTypList = typeElement.getChildNodes();
                      //System.out.println("Field Type : " +
                               //((Node)textTypList.item(0)).getNodeValue().trim());
                      //loads values into an array
                      //fldTypeArray[s] = ((Node)textTypList.item(0)).getNodeValue().trim(); 
                      NodeList sizeList = firstFieldElement.getElementsByTagName("SIZE");
                      Element sizeElement = (Element)sizeList.item(0);
                      NodeList textSizeList = sizeElement.getChildNodes();
                      //System.out.println("Field Size : " +
                               //((Node)textSizeList.item(0)).getNodeValue().trim());
                      //loads values into an array
                      fldSizeArray[s] = ((Node)textSizeList.item(0)).getNodeValue().trim();   
                   }//end of if clause
                }//end of for loop with s var
                //setFldNameArray(fldNameArray);
                //setFldTypeArray(fldTypeArray);
                setFldSizeArray(fldSizeArray);
                 catch (SAXParseException err) {
                   System.out.println ("** Parsing error" + ", line "
                      + err.getLineNumber () + ", uri " + err.getSystemId ());
                   System.out.println(" " + err.getMessage ());
                 catch (SAXException e) {
                   Exception x = e.getException ();
                   ((x == null) ? e : x).printStackTrace ();
                 catch (Throwable t) {
                   t.printStackTrace ();
          }//end go();
           public void setFldNameArray(String[] s){
             fieldNameArray = s;
          }//end setFldNameArray
           public void setFldTypeArray(String[] s){
             fieldTypeArray = s;
          }//end setFldTypeArray
           public void setFldSizeArray(String[] s){
             fieldSizeArray = s;
          }//end setFldSizeArray
           public String[] getFldNameArray(){
             return fieldNameArray;
          }//end setFldNameArray
           public String[] getFldTypeArray(){
             return fieldTypeArray;
          }//end setFldTypeArray
           public String[] getFldSizeArray(){
             return fieldSizeArray;
          }//end setFldSizeArray 
           public int getNumLines(){
             int countLines = 0;
             try {
                    //File must be in same director and be the name of the string below
                BufferedReader in = new BufferedReader(new FileReader("files/FLAT.txt"));
                String str;
                while ((str = in.readLine()) != null) {
                   countLines++;
                in.close();
                 catch (IOException e) {}    
             return countLines;
          }//end of getNumLines
           public void loadFixedWidthFile(){
             int c = getNumLines();
             int i = 0;
             String[] lineProcessed = new String[c];
             String chars;
             try {
                    //File must be in same director and be the name of the string below
                BufferedReader in = new BufferedReader(new FileReader("files/FLAT.txt"));
                String str;
                while ((str = in.readLine()) != null) {
                   //System.out.println(str.length());
                   lineProcessed[i] = parseThatLine(str);
                   i++;
                in.close();
                 catch (IOException e) {}     
                //write out the lineProcess[] array to another file
             writeThatFile(lineProcessed);
          }//end loadFixedWidthFile()
           public void writeThatFile(String[] s){
             try {
                BufferedWriter out = new BufferedWriter(new FileWriter("files/outfilename.txt"));
                for(int i = 0; i < s.length -1; i++){
                   out.write(s);
    }//end for loop
    out.close();
    catch (IOException e) {}
    }//end writeThatFile
    public String parseThatLine(String s){
    int start = 0;
    int end = 0;
    String parsedLine = "";
    int numChars = getFldSizeArray().length;
    //Print number of lines for testing
    //System.out.println(numChars);
    String[] oArray = getFldSizeArray();
    //String chars = oArray[0];
    //System.out.println(chars.length());
    //oArray
    for(int i = 0; i < numChars -1; i++ ){
    if(i == 0){
    start = 0;
    end = end + Integer.parseInt(oArray[i])-1;
    else
    start = end;
    end = end + Integer.parseInt(oArray[i]);
    parsedLine = parsedLine + s.substring(start, end) + "~";
    }//end for loop
    return parsedLine;
    }//End of parseThatLine
    I have tried to illeminate as many arrays as I can thinking that was chewing up the memory but to no avail.
    Any thoughts or ideas?
    Message was edited by:
    SaipanMan2005

    You should not keep a String array of all the lines of the file read.
    Instead for each line read, parse it, then write the parsed line in the other file:      public void loadFixedWidthFile() {
             BufferedReader in = null;
             BufferedWriter out = null;
             try {
                //File must be in same director and be the name of the string below
                in = new BufferedReader(new FileReader("files/FLAT.txt"));
                out = new BufferedWriter(new FileWriter("files/outfilename.txt"));
                String str;
                while ((str = in.readLine()) != null) {
                   //System.out.println(str.length());
                   str = parseThatLine(str);
                   //write out the parsed str to another file
                   out.write(str);
             catch (IOException e) {
                e.printStackTrace(); // At least print the exception - never swallow an exception
             finally { // Use a finally block to be sure of closing the files even when exception occurs
                try { in.close(); }
                catch (Exception e) {}
                try { out.close(); }
                catch (Exception e) {}
          }//end loadFixedWidthFile()Regards

  • Why do I get a Track out of memory error while running open loop frequency response?

    MatrixX Build 61mx1411: I get a "Track out of memory" error when I run the Open Loop Frequency Response from the MatrixX pull down tools. What can I do to prevent this? We are running on an HP B1000 with 768 MB of RAM under HP-UX 10.2.

    In the old days of Mx say Version 5 and prior the user actually selected the amount of memory that would be allocated. Depending on the size of the model etc. you would have to allocate memory. In version 6.0 and going forward there is no need for the user to manually allocate the memory.
    Build {rstack=50000,istack=200000,sstack=50000,cstack=50​0 000}
    If this is a command in a script file that you are running and the error is resulting from that then I would try commenting out everything after the letter d in the word build and then starting it back up.
    i.e. only use Build
    I don't believe that there is a way to manually allocate the initial SystemBuild Stack size.
    I believe initially the stack size is set to 10010.
    However, one way
    you can manually set the initial SystemBuild stack size,is to create a large StateSpace as soon as you start up SystemBuild. This will prevent piece-meal reallocs while using SystemBuild.
    You can created a new SuperBlock in SystemBuild and then drop down a StateSpace Block with 199 inputs and 199 Outputs and 1 State and entered ones(200,200)as the StateSpace Matrix without any problems. This would resize this internal stack to at least 40000.
    You really should not have to do this but if that helps then you might think about doing this in your startup.ms file you could use SBA or load the file then you could delete the superblock and begin working.
    "Bob" gave me this little tid bit.
    Please let me know if any of this is of use.
    Garrett
    Garrett Thurston
    [email protected]
    Phone: 781.993.5540

  • Out of Memory Error!! in DOMParser

    There must be a limit on the amount of memory the Oracle DOM parser allocate when parsing.
    When using the sample XSLSample program in the XDK, I get out of memory errors when attempting to parse large files (around 24M).
    Does anyone know a work around??? Is this a known bug???

    The DOM Model keeps everything in memory.
    Parsing a 24 Megabyte XML file (will requirement creating tons of objects in memory).
    If your file is 24 Megabytes because it is comprised of tons of repeating subdocuments, you might be able to combine processing the document using SAX and DOM to use your result.
    See O'Reilly's Building Oracle XML Applications for fully worked and explained examples of this combination approach.

  • ORA-27102 Out of Memory Error

    Hi, I am installing Oracle 11g 64 bit in my server which is having windows server 2008 R2, and 64GB RAM. The software is installed successfully but while database creation it hangs at 2% progress copying database files. At this moment the full 64 GB memory gets consumed by Oracle installer and out of memory error flashed.
    Also i got some memory error report on oracle website as follows, but I am unable to find how to solve this problem
    *5.2.4 ORA-27102 Out of Memory Error*
    When creating a database on a computer with large physical memory, Oracle Universal Installer or Database Configuration may display an out of memory error.
    Workaround:
    Select the Advanced Installation type during installation, or run Database Configuration Assistant after a software only installation and reduce the memory allocated for Oracle based on the shared memory settings for your operating system.
    This issue is tracked with Oracle bug 9811726.
    Please help me.

    This is the dbca log file->
    [AWT-EventQueue-0] [ 2012-09-27 13:30:00.781 IST ] [Utils.getLocalHost:356] Hostname retrieved: MIPAS-SERVER, returned: MIPAS-SERVER
    [AWT-EventQueue-0] [ 2012-09-27 13:30:00.781 IST ] [WindowsSystem.dorunRemoteExecCmd:2061] WS: Calling windowsNative with cmd: C:\Windows\system32\acfsutil.exe
    [AWT-EventQueue-0] [ 2012-09-27 13:30:00.797 IST ] [WindowsSystem.dorunRemoteExecCmd:2064] WS: WinNative returned: false
    [AWT-EventQueue-0] [ 2012-09-27 13:30:00.812 IST ] [CmdToolUtil.doexecute:374] nativeSystem.runRemoteExecCmd failed. Command = C:\Windows\system32\acfsutil.exe arguments = [info, fs, /o, ismountpoint, Y:\] env = null error = PRKN-1014 : Failed to execute remote command "C:\Windows\system32\acfsutil.exe" on node "MIPAS-SERVER".executable doesn't exist
    [AWT-EventQueue-0] [ 2012-09-27 13:30:00.812 IST ] [OFSUtil.doIsACFSPartition:298] CmdToolUtil execute failed. boolean result = false
    PRCT-1114 : Execution of acfsutil command failed on node localnode for location Y:\
    PRCT-1011 : Failed to run {0}, PRKN-1014 : Failed to execute remote command "C:\Windows\system32\acfsutil.exe" on node "MIPAS-SERVER".executable doesn't exist
         at oracle.cluster.deployment.ClusterwareInfo.do1_isOFSPartition(ClusterwareInfo.java:1646)
         at oracle.cluster.deployment.ClusterwareInfo.do_isOFSPartition(ClusterwareInfo.java:1540)
         at oracle.cluster.deployment.ClusterwareInfo.isOFSPartition(ClusterwareInfo.java:1505)
         at oracle.sysman.assistants.util.hasi.HAUtils.isACFSFileSystem(HAUtils.java:1961)
         at oracle.sysman.assistants.dbca.backend.Verifier.checkIfACFS(Verifier.java:1948)
         at oracle.sysman.assistants.dbca.ui.DatabaseAreaPage.validateStorageDest(DatabaseAreaPage.java:675)
         at oracle.sysman.assistants.dbca.ui.DatabaseAreaPage.validate(DatabaseAreaPage.java:1187)
         at oracle.sysman.assistants.util.wizard.WizardPageExt.wizardValidatePage(WizardPageExt.java:214)
         at oracle.ewt.wizard.WizardPage.processWizardValidateEvent(Unknown Source)
         at oracle.ewt.wizard.WizardPage.validatePage(Unknown Source)
         at oracle.ewt.wizard.BaseWizard.validateSelectedPage(Unknown Source)
         at oracle.ewt.wizard.BaseWizard.doNext(Unknown Source)
         at oracle.sysman.assistants.util.wizard.WizardExt.doNext(WizardExt.java:265)
         at oracle.ewt.wizard.BaseWizard$Action.actionPerformed(Unknown Source)
         at oracle.ewt.button.PushButton.processActionEvent(Unknown Source)
         at oracle.ewt.button.PushButton.processEventImpl(Unknown Source)
         at oracle.ewt.lwAWT.LWComponent.redispatchEvent(Unknown Source)
         at oracle.ewt.lwAWT.LWComponent.processEvent(Unknown Source)
         at oracle.ewt.button.PushButton.activate(Unknown Source)
         at oracle.ewt.lwAWT.AbstractButton.processMouseReleased(Unknown Source)
         at oracle.ewt.lwAWT.AbstractButton.processMouseEvent(Unknown Source)
         at java.awt.Component.processEvent(Component.java:5282)
         at java.awt.Container.processEvent(Container.java:1966)
         at oracle.ewt.lwAWT.LWComponent.processEventImpl(Unknown Source)
         at oracle.ewt.button.PushButton.processEventImpl(Unknown Source)
         at oracle.ewt.lwAWT.LWComponent.redispatchEvent(Unknown Source)
         at oracle.ewt.event.tracking.GlassMouseGrabProvider$Disp._redispatchEvent(Unknown Source)
         at oracle.ewt.event.tracking.GlassMouseGrabProvider$Disp._redispatchEvent(Unknown Source)
         at oracle.ewt.event.tracking.GlassMouseGrabProvider$Disp.mouseReleased(Unknown Source)
         at java.awt.Component.processMouseEvent(Component.java:5517)
         at oracle.ewt.lwAWT.LWComponent.processMouseEvent(Unknown Source)
         at java.awt.Component.processEvent(Component.java:5282)
         at java.awt.Container.processEvent(Container.java:1966)
         at oracle.ewt.lwAWT.LWComponent.processEventImpl(Unknown Source)
         at oracle.ewt.event.tracking.GlassMouseGrabProvider$Proxy.processEventImpl(Unknown Source)
         at oracle.ewt.lwAWT.LWComponent.redispatchEvent(Unknown Source)
         at oracle.ewt.lwAWT.LWComponent.processEvent(Unknown Source)
         at java.awt.Component.dispatchEventImpl(Component.java:3984)
         at java.awt.Container.dispatchEventImpl(Container.java:2024)
         at java.awt.Component.dispatchEvent(Component.java:3819)
         at java.awt.LightweightDispatcher.retargetMouseEvent(Container.java:4212)
         at java.awt.LightweightDispatcher.processMouseEvent(Container.java:3892)
         at java.awt.LightweightDispatcher.dispatchEvent(Container.java:3822)
         at java.awt.Container.dispatchEventImpl(Container.java:2010)
         at java.awt.Window.dispatchEventImpl(Window.java:1791)
         at java.awt.Component.dispatchEvent(Component.java:3819)
         at java.awt.EventQueue.dispatchEvent(EventQueue.java:463)
         at java.awt.EventDispatchThread.pumpOneEventForHierarchy(EventDispatchThread.java:242)
         at java.awt.EventDispatchThread.pumpEventsForHierarchy(EventDispatchThread.java:163)
         at java.awt.EventDispatchThread.pumpEvents(EventDispatchThread.java:157)
         at java.awt.EventDispatchThread.pumpEvents(EventDispatchThread.java:149)
         at java.awt.EventDispatchThread.run(EventDispatchThread.java:110)
    Caused by: PRCT-1114 : Execution of acfsutil command failed on node localnode for location Y:\
    PRCT-1011 : Failed to run {0}, PRKN-1014 : Failed to execute remote command "C:\Windows\system32\acfsutil.exe" on node "MIPAS-SERVER".executable doesn't exist
         at oracle.cluster.cmdtools.OFSUtil.doIsACFSPartition(OFSUtil.java:300)
         at oracle.cluster.cmdtools.OFSUtil.isOFSPartition(OFSUtil.java:260)
         at oracle.cluster.cmdtools.OFSUtil.isOFSPartition(OFSUtil.java:236)
         at oracle.cluster.deployment.ClusterwareInfo.do1_isOFSPartition(ClusterwareInfo.java:1642)
         ... 51 more
    Caused by: PRCT-1011 : Failed to run {0}, PRKN-1014 : Failed to execute remote command "C:\Windows\system32\acfsutil.exe" on node "MIPAS-SERVER".executable doesn't exist
         at oracle.cluster.cmdtools.CmdToolUtil.doexecute(CmdToolUtil.java:379)
         at oracle.cluster.cmdtools.CmdToolUtil.execute(CmdToolUtil.java:339)
         at oracle.cluster.cmdtools.CmdToolUtil.doexecute(CmdToolUtil.java:271)
         at oracle.cluster.cmdtools.CmdToolUtil.execute(CmdToolUtil.java:233)
         at oracle.cluster.cmdtools.OFSUtil.doIsACFSPartition(OFSUtil.java:294)
         ... 54 more
    [AWT-EventQueue-0] [ 2012-09-27 13:30:00.812 IST ] [Verifier.checkIfACFS:1955] Y:\orcl1 is ACFS :false
    [AWT-EventQueue-0] [ 2012-09-27 13:30:00.844 IST ] [Verifier.setOradataDest:4897] setOradataDest:dfDest=Y:\orcl1
    [AWT-EventQueue-0] [ 2012-09-27 13:30:00.844 IST ] [TemplateManager.updateDatafileDestination:2081] updateDatafiles:datafileDir=Y:\orcl1
    [AWT-EventQueue-0] [ 2012-09-27 13:30:00.953 IST ] [TemplateManager.updateDatafileDestination:2225] From template, RedoLogGrName=1
    [AWT-EventQueue-0] [ 2012-09-27 13:30:00.968 IST ] [TemplateManager.updateDatafileDestination:2240] new file name redo01.log
    [AWT-EventQueue-0] [ 2012-09-27 13:30:00.968 IST ] [TemplateManager.updateDatafileDestination:2225] From template, RedoLogGrName=2
    [AWT-EventQueue-0] [ 2012-09-27 13:30:00.968 IST ] [TemplateManager.updateDatafileDestination:2240] new file name redo02.log
    [AWT-EventQueue-0] [ 2012-09-27 13:30:00.968 IST ] [TemplateManager.updateDatafileDestination:2225] From template, RedoLogGrName=3
    [AWT-EventQueue-0] [ 2012-09-27 13:30:00.984 IST ] [TemplateManager.updateDatafileDestination:2240] new file name redo03.log
    [AWT-EventQueue-0] [ 2012-09-27 13:30:00.984 IST ] [DatabaseAreaPage.validate:1295] Storage Attribute OMF Mode false
    [AWT-EventQueue-0] [ 2012-09-27 13:30:00.984 IST ] [DatabaseAreaPage.validate:1296] Storage Attribute OSM Mode false
    [AWT-EventQueue-0] [ 2012-09-27 13:30:00.984 IST ] [DatabaseAreaPage.validate:1297] set omf param false
    [AWT-EventQueue-0] [ 2012-09-27 13:31:37.564 IST ] [DatabaseRecoveryAreaPage.invokeFileDialog:569] after setDrives
    [AWT-EventQueue-0] [ 2012-09-27 13:31:37.564 IST ] [DatabaseRecoveryAreaPage.invokeFileDialog:595] Before runDialog
    [AWT-EventQueue-0] [ 2012-09-27 13:32:37.670 IST ] [TemplateManager.isInstallTemplate:2300] Selected Template by user:=General Purpose
    [AWT-EventQueue-0] [ 2012-09-27 13:32:37.670 IST ] [TemplateManager.isInstallTemplate:2307] The Message Id to be searched:=GENERAL_PURPOSE
    [AWT-EventQueue-0] [ 2012-09-27 13:32:37.670 IST ] [TemplateManager.isInstallTemplate:2300] Selected Template by user:=General Purpose
    [AWT-EventQueue-0] [ 2012-09-27 13:32:37.670 IST ] [TemplateManager.isInstallTemplate:2307] The Message Id to be searched:=GENERAL_PURPOSE
    [AWT-EventQueue-0] [ 2012-09-27 13:32:37.670 IST ] [PluggableTablespacesTabPage.configureSampleSchema:256] PluggableTablespaceTabPage::->configureSampleSchema()
    [AWT-EventQueue-0] [ 2012-09-27 13:32:37.686 IST ] [TemplateManager.isInstallTemplate:2300] Selected Template by user:=General Purpose
    [AWT-EventQueue-0] [ 2012-09-27 13:32:37.686 IST ] [TemplateManager.isInstallTemplate:2307] The Message Id to be searched:=GENERAL_PURPOSE
    [AWT-EventQueue-0] [ 2012-09-27 13:32:37.686 IST ] [TemplateManager.isInstallTemplate:2300] Selected Template by user:=General Purpose
    [AWT-EventQueue-0] [ 2012-09-27 13:32:37.686 IST ] [TemplateManager.isInstallTemplate:2307] The Message Id to be searched:=GENERAL_PURPOSE
    [AWT-EventQueue-0] [ 2012-09-27 13:33:00.035 IST ] [TemplateManager.isInstallTemplate:2300] Selected Template by user:=General Purpose
    [AWT-EventQueue-0] [ 2012-09-27 13:33:00.035 IST ] [TemplateManager.isInstallTemplate:2307] The Message Id to be searched:=GENERAL_PURPOSE
    [AWT-EventQueue-0] [ 2012-09-27 13:33:00.035 IST ] [PluggableTablespacesTabPage.onSampleSchemaStateChange:277] Tbs Name: EXAMPLE
    [AWT-EventQueue-0] [ 2012-09-27 13:33:00.035 IST ] [PluggableTablespacesTabPage.onSampleSchemaStateChange:278] Datafile Name: example01.dbf
    [AWT-EventQueue-0] [ 2012-09-27 13:33:00.035 IST ] [PluggableTablespacesTabPage.addTransportableDatafiles:230] PluggableTablespaceTabPage::->addTransportableDatafiles()
    [AWT-EventQueue-0] [ 2012-09-27 13:33:00.035 IST ] [PluggableTablespacesTabPage.configureSampleSchema:256] PluggableTablespaceTabPage::->configureSampleSchema()
    [AWT-EventQueue-0] [ 2012-09-27 13:33:00.847 IST ] [TemplateManager.isInstallTemplate:2300] Selected Template by user:=General Purpose
    [AWT-EventQueue-0] [ 2012-09-27 13:33:00.847 IST ] [TemplateManager.isInstallTemplate:2307] The Message Id to be searched:=GENERAL_PURPOSE
    [AWT-EventQueue-0] [ 2012-09-27 13:33:00.847 IST ] [PluggableTablespacesTabPage.configureSampleSchema:256] PluggableTablespaceTabPage::->configureSampleSchema()
    [AWT-EventQueue-0] [ 2012-09-27 13:33:27.289 IST ] [Verifier.processRawConfigFile:4031] StorageType == 0
    [AWT-EventQueue-0] [ 2012-09-27 13:33:27.289 IST ] [DatabaseOptionPage.doNext:273] processRawConfigFile=false
    [AWT-EventQueue-0] [ 2012-09-27 13:33:27.320 IST ] [OsUtilsBase.getTotalPhysicalMemory:375] Total Physical Memory in MB: 65525
    [AWT-EventQueue-0] [ 2012-09-27 13:33:27.320 IST ] [OsUtilsBase.is64Bit:359] architecture is 64 bit: true
    [AWT-EventQueue-0] [ 2012-09-27 13:33:27.320 IST ] [MemoryCalculator.calculateMemory:215] Setting SGA to MAX_SGA 1610612736
    [AWT-EventQueue-0] [ 2012-09-27 13:33:29.145 IST ] [InitParametersPage.validate:228] InitParametersPage->validate: in SPFile condition
    [AWT-EventQueue-0] [ 2012-09-27 13:33:29.145 IST ] [InitParametersPage.validate:232] original spFileName with variables ={ORACLE_HOME}\database\spfile{SID}.ora
    [AWT-EventQueue-0] [ 2012-09-27 13:33:29.145 IST ] [Verifier.validateSPFile:5233] The SPFILE={ORACLE_HOME}\database\spfile{SID}.ora
    [AWT-EventQueue-0] [ 2012-09-27 13:33:29.145 IST ] [ClusterUtils.validateRawDevice:760] Inside validateRawDevice
    [AWT-EventQueue-0] [ 2012-09-27 13:33:29.145 IST ] [ClusterUtils.validateRawDevice:772] Device Exception
    [AWT-EventQueue-0] [ 2012-09-27 13:33:29.145 IST ] [ClusterUtils.isRaw:738] The handle is invalid.
    [AWT-EventQueue-0] [ 2012-09-27 13:33:29.145 IST ] [InitParametersPage.validate:340] InitParametersPage->validate: calling createUndoAttributes
    [AWT-EventQueue-0] [ 2012-09-27 13:33:32.411 IST ] [Verifier.processRawConfigFile:4031] StorageType == 0
    [AWT-EventQueue-0] [ 2012-09-27 13:33:32.411 IST ] [DatabaseOptionPage.doNext:273] processRawConfigFile=false
    [AWT-EventQueue-0] [ 2012-09-27 13:35:00.941 IST ] [OsUtilsBase.getTotalPhysicalMemory:375] Total Physical Memory in MB: 65525
    [AWT-EventQueue-0] [ 2012-09-27 13:35:00.956 IST ] [OsUtilsBase.is64Bit:359] architecture is 64 bit: true
    [AWT-EventQueue-0] [ 2012-09-27 13:35:00.956 IST ] [MemoryCalculator.calculateMemory:215] Setting SGA to MAX_SGA 1610612736
    [AWT-EventQueue-0] [ 2012-09-27 13:35:01.050 IST ] [OsUtilsBase.getTotalPhysicalMemory:375] Total Physical Memory in MB: 65525
    [AWT-EventQueue-0] [ 2012-09-27 13:35:01.050 IST ] [OsUtilsBase.is64Bit:359] architecture is 64 bit: true
    [AWT-EventQueue-0] [ 2012-09-27 13:35:01.050 IST ] [MemoryCalculator.calculateMemory:215] Setting SGA to MAX_SGA 1610612736
    [AWT-EventQueue-0] [ 2012-09-27 13:35:01.175 IST ] [OsUtilsBase.getTotalPhysicalMemory:375] Total Physical Memory in MB: 65525
    [AWT-EventQueue-0] [ 2012-09-27 13:35:01.175 IST ] [OsUtilsBase.is64Bit:359] architecture is 64 bit: true
    [AWT-EventQueue-0] [ 2012-09-27 13:35:01.175 IST ] [MemoryCalculator.calculateMemory:215] Setting SGA to MAX_SGA 1610612736
    [AWT-EventQueue-0] [ 2012-09-27 13:35:01.284 IST ] [OsUtilsBase.getTotalPhysicalMemory:375] Total Physical Memory in MB: 65525
    [AWT-EventQueue-0] [ 2012-09-27 13:35:01.284 IST ] [OsUtilsBase.is64Bit:359] architecture is 64 bit: true
    [AWT-EventQueue-0] [ 2012-09-27 13:35:01.284 IST ] [MemoryCalculator.calculateMemory:215] Setting SGA to MAX_SGA 1610612736
    [AWT-EventQueue-0] [ 2012-09-27 13:35:01.986 IST ] [OsUtilsBase.getTotalPhysicalMemory:375] Total Physical Memory in MB: 65525
    [AWT-EventQueue-0] [ 2012-09-27 13:35:01.986 IST ] [OsUtilsBase.is64Bit:359] architecture is 64 bit: true
    [AWT-EventQueue-0] [ 2012-09-27 13:35:01.986 IST ] [MemoryCalculator.calculateMemory:215] Setting SGA to MAX_SGA 1610612736
    [AWT-EventQueue-0] [ 2012-09-27 13:35:02.079 IST ] [OsUtilsBase.getTotalPhysicalMemory:375] Total Physical Memory in MB: 65525
    [AWT-EventQueue-0] [ 2012-09-27 13:35:02.079 IST ] [OsUtilsBase.is64Bit:359] architecture is 64 bit: true
    [AWT-EventQueue-0] [ 2012-09-27 13:35:02.079 IST ] [MemoryCalculator.calculateMemory:215] Setting SGA to MAX_SGA 1610612736
    [AWT-EventQueue-0] [ 2012-09-27 13:35:02.189 IST ] [OsUtilsBase.getTotalPhysicalMemory:375] Total Physical Memory in MB: 65525
    [AWT-EventQueue-0] [ 2012-09-27 13:35:02.204 IST ] [OsUtilsBase.is64Bit:359] architecture is 64 bit: true
    [AWT-EventQueue-0] [ 2012-09-27 13:35:02.204 IST ] [MemoryCalculator.calculateMemory:215] Setting SGA to MAX_SGA 1610612736
    [AWT-EventQueue-0] [ 2012-09-27 13:35:02.329 IST ] [OsUtilsBase.getTotalPhysicalMemory:375] Total Physical Memory in MB: 65525
    [AWT-EventQueue-0] [ 2012-09-27 13:35:02.329 IST ] [OsUtilsBase.is64Bit:359] architecture is 64 bit: true
    [AWT-EventQueue-0] [ 2012-09-27 13:35:02.329 IST ] [MemoryCalculator.calculateMemory:215] Setting SGA to MAX_SGA 1610612736
    [AWT-EventQueue-0] [ 2012-09-27 13:35:02.469 IST ] [OsUtilsBase.getTotalPhysicalMemory:375] Total Physical Memory in MB: 65525
    [AWT-EventQueue-0] [ 2012-09-27 13:35:02.469 IST ] [OsUtilsBase.is64Bit:359] architecture is 64 bit: true
    [AWT-EventQueue-0] [ 2012-09-27 13:35:02.469 IST ] [MemoryCalculator.calculateMemory:215] Setting SGA to MAX_SGA 1610612736
    [AWT-EventQueue-0] [ 2012-09-27 13:35:02.859 IST ] [OsUtilsBase.getTotalPhysicalMemory:375] Total Physical Memory in MB: 65525
    [AWT-EventQueue-0] [ 2012-09-27 13:35:02.859 IST ] [OsUtilsBase.is64Bit:359] architecture is 64 bit: true
    [AWT-EventQueue-0] [ 2012-09-27 13:35:02.859 IST ] [MemoryCalculator.calculateMemory:215] Setting SGA to MAX_SGA 1610612736
    [AWT-EventQueue-0] [ 2012-09-27 13:35:03.000 IST ] [OsUtilsBase.getTotalPhysicalMemory:375] Total Physical Memory in MB: 65525
    [AWT-EventQueue-0] [ 2012-09-27 13:35:03.000 IST ] [OsUtilsBase.is64Bit:359] architecture is 64 bit: true
    [AWT-EventQueue-0] [ 2012-09-27 13:35:03.000 IST ] [MemoryCalculator.calculateMemory:215] Setting SGA to MAX_SGA 1610612736
    [AWT-EventQueue-0] [ 2012-09-27 13:35:03.109 IST ] [OsUtilsBase.getTotalPhysicalMemory:375] Total Physical Memory in MB: 65525
    [AWT-EventQueue-0] [ 2012-09-27 13:35:03.109 IST ] [OsUtilsBase.is64Bit:359] architecture is 64 bit: true
    [AWT-EventQueue-0] [ 2012-09-27 13:35:03.125 IST ] [MemoryCalculator.calculateMemory:215] Setting SGA to MAX_SGA 1610612736
    [AWT-EventQueue-0] [ 2012-09-27 13:35:03.218 IST ] [OsUtilsBase.getTotalPhysicalMemory:375] Total Physical Memory in MB: 65525
    [AWT-EventQueue-0] [ 2012-09-27 13:35:03.218 IST ] [OsUtilsBase.is64Bit:359] architecture is 64 bit: true
    [AWT-EventQueue-0] [ 2012-09-27 13:35:03.218 IST ] [MemoryCalculator.calculateMemory:215] Setting SGA to MAX_SGA 1610612736
    [AWT-EventQueue-0] [ 2012-09-27 13:35:03.374 IST ] [OsUtilsBase.getTotalPhysicalMemory:375] Total Physical Memory in MB: 65525
    [AWT-EventQueue-0] [ 2012-09-27 13:35:03.374 IST ] [OsUtilsBase.is64Bit:359] architecture is 64 bit: true
    [AWT-EventQueue-0] [ 2012-09-27 13:35:03.374 IST ] [MemoryCalculator.calculateMemory:215] Setting SGA to MAX_SGA 1610612736
    [AWT-EventQueue-0] [ 2012-09-27 13:35:03.483 IST ] [OsUtilsBase.getTotalPhysicalMemory:375] Total Physical Memory in MB: 65525
    [AWT-EventQueue-0] [ 2012-09-27 13:35:03.483 IST ] [OsUtilsBase.is64Bit:359] architecture is 64 bit: true
    [AWT-EventQueue-0] [ 2012-09-27 13:35:03.483 IST ] [MemoryCalculator.calculateMemory:215] Setting SGA to MAX_SGA 1610612736
    [AWT-EventQueue-0] [ 2012-09-27 13:35:03.967 IST ] [OsUtilsBase.getTotalPhysicalMemory:375] Total Physical Memory in MB: 65525
    [AWT-EventQueue-0] [ 2012-09-27 13:35:03.967 IST ] [OsUtilsBase.is64Bit:359] architecture is 64 bit: true
    [AWT-EventQueue-0] [ 2012-09-27 13:35:03.967 IST ] [MemoryCalculator.calculateMemory:215] Setting SGA to MAX_SGA 1610612736
    [AWT-EventQueue-0] [ 2012-09-27 13:35:04.185 IST ] [OsUtilsBase.getTotalPhysicalMemory:375] Total Physical Memory in MB: 65525
    [AWT-EventQueue-0] [ 2012-09-27 13:35:04.185 IST ] [OsUtilsBase.is64Bit:359] architecture is 64 bit: true
    [AWT-EventQueue-0] [ 2012-09-27 13:35:04.185 IST ] [MemoryCalculator.calculateMemory:215] Setting SGA to MAX_SGA 1610612736
    [AWT-EventQueue-0] [ 2012-09-27 13:35:04.310 IST ] [OsUtilsBase.getTotalPhysicalMemory:375] Total Physical Memory in MB: 65525
    [AWT-EventQueue-0] [ 2012-09-27 13:35:04.310 IST ] [OsUtilsBase.is64Bit:359] architecture is 64 bit: true
    [AWT-EventQueue-0] [ 2012-09-27 13:35:04.310 IST ] [MemoryCalculator.calculateMemory:215] Setting SGA to MAX_SGA 1610612736
    [AWT-EventQueue-0] [ 2012-09-27 13:35:04.419 IST ] [OsUtilsBase.getTotalPhysicalMemory:375] Total Physical Memory in MB: 65525
    [AWT-EventQueue-0] [ 2012-09-27 13:35:04.419 IST ] [OsUtilsBase.is64Bit:359] architecture is 64 bit: true
    [AWT-EventQueue-0] [ 2012-09-27 13:35:04.419 IST ] [MemoryCalculator.calculateMemory:215] Setting SGA to MAX_SGA 1610612736
    [AWT-EventQueue-0] [ 2012-09-27 13:35:04.607 IST ] [OsUtilsBase.getTotalPhysicalMemory:375] Total Physical Memory in MB: 65525
    [AWT-EventQueue-0] [ 2012-09-27 13:35:04.607 IST ] [OsUtilsBase.is64Bit:359] architecture is 64 bit: true
    [AWT-EventQueue-0] [ 2012-09-27 13:35:04.607 IST ] [MemoryCalculator.calculateMemory:215] Setting SGA to MAX_SGA 1610612736
    [AWT-EventQueue-0] [ 2012-09-27 13:35:26.308 IST ] [OsUtilsBase.getTotalPhysicalMemory:375] Total Physical Memory in MB: 65525
    [AWT-EventQueue-0] [ 2012-09-27 13:35:26.308 IST ] [OsUtilsBase.is64Bit:359] architecture is 64 bit: true
    [AWT-EventQueue-0] [ 2012-09-27 13:35:26.308 IST ] [MemoryCalculator.calculateMemory:215] Setting SGA to MAX_SGA 1610612736
    [AWT-EventQueue-0] [ 2012-09-27 13:35:28.710 IST ] [MemoryCalculator.calculateMemory:215] Setting SGA to MAX_SGA 1610612736
    [AWT-EventQueue-0] [ 2012-09-27 13:35:47.399 IST ] [InitParametersPage.validate:228] InitParametersPage->validate: in SPFile condition
    [AWT-EventQueue-0] [ 2012-09-27 13:35:47.399 IST ] [InitParametersPage.validate:232] original spFileName with variables ={ORACLE_HOME}\database\spfile{SID}.ora
    [AWT-EventQueue-0] [ 2012-09-27 13:35:47.399 IST ] [Verifier.validateSPFile:5233] The SPFILE={ORACLE_HOME}\database\spfile{SID}.ora
    [AWT-EventQueue-0] [ 2012-09-27 13:35:47.399 IST ] [ClusterUtils.validateRawDevice:760] Inside validateRawDevice
    [AWT-EventQueue-0] [ 2012-09-27 13:35:47.399 IST ] [ClusterUtils.validateRawDevice:772] Device Exception
    [AWT-EventQueue-0] [ 2012-09-27 13:35:47.399 IST ] [ClusterUtils.isRaw:738] The handle is invalid.
    [AWT-EventQueue-0] [ 2012-09-27 13:35:47.399 IST ] [InitParametersPage.validate:340] InitParametersPage->validate: calling createUndoAttributes
    [AWT-EventQueue-0] [ 2012-09-27 13:35:47.524 IST ] [StoragePage.selectAndExpandItem:353] item=oracle.sysman.emSDK.client.dataComponent.dataDrivenTree.TreeParentNode[label=Storage,index=0]
    [AWT-EventQueue-0] [ 2012-09-27 13:35:47.602 IST ] [StoragePage.selectAndExpandItem:362] item.isExpanded=true
    [AWT-EventQueue-0] [ 2012-09-27 13:35:47.602 IST ] [StoragePage.selectAndExpandItem:373] selection.isSelected(item)=false
    [AWT-EventQueue-0] [ 2012-09-27 13:36:00.130 IST ] [RedoLogGroupsComparator.compare:73] val1=1 val2=2
    [AWT-EventQueue-0] [ 2012-09-27 13:36:00.130 IST ] [RedoLogGroupsComparator.compare:93] result=-1
    [AWT-EventQueue-0] [ 2012-09-27 13:36:00.130 IST ] [RedoLogGroupsComparator.compare:73] val1=2 val2=3
    [AWT-EventQueue-0] [ 2012-09-27 13:36:00.130 IST ] [RedoLogGroupsComparator.compare:93] result=-1
    [AWT-EventQueue-0] [ 2012-09-27 13:36:04.576 IST ] [RedoLogGroupsComparator.compare:73] val1=1 val2=2
    [AWT-EventQueue-0] [ 2012-09-27 13:36:04.576 IST ] [RedoLogGroupsComparator.compare:93] result=-1
    [AWT-EventQueue-0] [ 2012-09-27 13:36:04.576 IST ] [RedoLogGroupsComparator.compare:73] val1=2 val2=3
    [AWT-EventQueue-0] [ 2012-09-27 13:36:04.576 IST ] [RedoLogGroupsComparator.compare:93] result=-1
    [AWT-EventQueue-0] [ 2012-09-27 13:36:27.761 IST ] [DBCAVttgControlfileProxy.getVtoObject:123] DBCAVttgControlfileProxy: In getVtoObject function
    [AWT-EventQueue-0] [ 2012-09-27 13:37:51.243 IST ] [RedoLogGroupsComparator.compare:73] val1=1 val2=2
    [AWT-EventQueue-0] [ 2012-09-27 13:37:51.243 IST ] [RedoLogGroupsComparator.compare:93] result=-1
    [AWT-EventQueue-0] [ 2012-09-27 13:37:51.243 IST ] [RedoLogGroupsComparator.compare:73] val1=2 val2=3
    [AWT-EventQueue-0] [ 2012-09-27 13:37:51.243 IST ] [RedoLogGroupsComparator.compare:93] result=-1
    [TaskScheduler timer] [ 2012-09-27 13:37:52.232 IST ] [DBCAVbogRedoLogGroupImpl.getDefaultLogfilePath:327] defaultPath=Y:\orcl1\orcl1\
    [TaskScheduler timer] [ 2012-09-27 13:37:53.489 IST ] [DBCAVbogRedoLogGroupImpl.getDefaultLogfilePath:327] defaultPath=Y:\orcl1\orcl1\
    [TaskScheduler timer] [ 2012-09-27 13:37:54.536 IST ] [DBCAVbogRedoLogGroupImpl.getDefaultLogfilePath:327] defaultPath=Y:\orcl1\orcl1\
    [TaskScheduler timer] [ 2012-09-27 13:37:55.800 IST ] [DBCAVbogRedoLogGroupImpl.getDefaultLogfilePath:327] defaultPath=Y:\orcl1\orcl1\
    [TaskScheduler timer] [ 2012-09-27 13:37:56.206 IST ] [DBCAVbogRedoLogGroupImpl.getDefaultLogfilePath:327] defaultPath=Y:\orcl1\orcl1\
    [AWT-EventQueue-0] [ 2012-09-27 13:37:58.499 IST ] [StoragePage.validate:995] StoragePage: In validate function
    [AWT-EventQueue-0] [ 2012-09-27 13:37:58.499 IST ] [Verifier.validateTemplate:2019] StorageType == 0
    [AWT-EventQueue-0] [ 2012-09-27 13:37:58.514 IST ] [CreationOptionPage.setSaveTemplateVisible:467] Setting save template visible = true
    [AWT-EventQueue-0] [ 2012-09-27 13:38:18.155 IST ] [DBCAWizard.onFinish:1134] m_bFinishClicked: false
    [TaskScheduler timer] [ 2012-09-27 13:38:18.170 IST ] [OsUtilsBase.getRegistryEntry:1021] hklmKey while getting registry entryHKEY_LOCAL_MACHINE
    [TaskScheduler timer] [ 2012-09-27 13:38:18.170 IST ] [OsUtilsBase.getRegistryEntry:1022] keyToSet while getting registry entrySYSTEM\CurrentControlSet\Services\OracleServiceORCL
    [TaskScheduler timer] [ 2012-09-27 13:38:18.170 IST ] [OsUtilsWindows.enumerateSIDs:428] imagepath c:\users\administrator\documents\product\11.2.0\dbhome_1\bin\ORACLE.EXE ORCL\bin
    [TaskScheduler timer] [ 2012-09-27 13:38:18.170 IST ] [Verifier.validateTemplate:2019] StorageType == 0
    [TaskScheduler timer] [ 2012-09-27 13:38:18.186 IST ] [Verifier.calculateCloneDatafilePathsAndSizes:3460] canonicalPath=Y:\orcl1\
    [TaskScheduler timer] [ 2012-09-27 13:38:18.233 IST ] [Verifier.calculateCloneDatafilePathsAndSizes:3460] canonicalPath=Y:\orcl1\
    [TaskScheduler timer] [ 2012-09-27 13:38:18.248 IST ] [Verifier.calculateCloneDatafilePathsAndSizes:3460] canonicalPath=Y:\orcl1\
    [TaskScheduler timer] [ 2012-09-27 13:38:18.248 IST ] [Verifier.calculateCloneDatafilePathsAndSizes:3460] canonicalPath=Y:\orcl1\
    [TaskScheduler timer] [ 2012-09-27 13:38:18.248 IST ] [Verifier.calculateCloneDatafilePathsAndSizes:3460] canonicalPath=Y:\orcl1\
    [TaskScheduler timer] [ 2012-09-27 13:38:18.264 IST ] [Verifier.calculateRedoLogGroupFileSizes:3591] canonicalPath=Y:\orcl1\
    [TaskScheduler timer] [ 2012-09-27 13:38:18.264 IST ] [Verifier.calculateRedoLogGroupFileSizes:3591] canonicalPath=Y:\orcl1\
    [TaskScheduler timer] [ 2012-09-27 13:38:18.264 IST ] [Verifier.calculateRedoLogGroupFileSizes:3591] canonicalPath=Y:\orcl1\
    [TaskScheduler timer] [ 2012-09-27 13:38:18.264 IST ] [Verifier.getControlfFileSizes:3510] No. of Control files:=2
    [Thread-35] [ 2012-09-27 13:38:18.326 IST ] [UIHost.getHtmlSummary:1081] UIHost:getHtmlSummary: running createTemplateDocument NOT for SHOW_TEMPLATE condition
    [Thread-35] [ 2012-09-27 13:38:18.342 IST ] [UIHost.getHtmlSummary:1087] UIHost:getHtmlSummary: after running createTemplateDocument NOT for SHOW_TEMPLATE condition
    [Thread-35] [ 2012-09-27 13:38:18.342 IST ] [XSLConst.generateHeaderXSL:214] NLS:Template Name:= null
    [Thread-35] [ 2012-09-27 13:38:18.342 IST ] [XSLConst.generateHeaderXSL:219] Template Description:= Use this database template to create a pre-configured database optimized for general purpose or transaction processing usage.
    [Thread-35] [ 2012-09-27 13:38:18.404 IST ] [UIHost.getHtmlSummary:1117] UIHost->getHtmlSummary: start printing of transformed document
    [TaskScheduler timer] [ 2012-09-27 13:38:51.814 IST ] [Host.executeSteps:5039] Executing steps....
    [TaskScheduler timer] [ 2012-09-27 13:38:51.814 IST ] [Host.setUpForOperation:3625] setUpForOperation: Mode = 128
    [TaskScheduler timer] [ 2012-09-27 13:38:51.814 IST ] [OsUtilsBase.getBaseFromOrabase:602] oraBaseUtility D:\app\Administrator\product\11.2.0\dbhome_3\bin\orabase.exe
    [TaskScheduler timer] [ 2012-09-27 13:38:51.814 IST ] [OsUtilsBase.getBaseFromOrabase:611] cmds: D:\app\Administrator\product\11.2.0\dbhome_3\bin\orabase.exe
    [TaskScheduler timer] [ 2012-09-27 13:38:51.892 IST ] [OsUtilsBase.getBaseFromOrabase:616] baseLocation from orabase
    Oracle home environment variable not set
    [TaskScheduler timer] [ 2012-09-27 13:38:51.892 IST ] [OsUtilsBase.getBaseFromOrabase:641] orabaseLocation= null
    [TaskScheduler timer] [ 2012-09-27 13:38:51.907 IST ] [InventoryUtil.getOUIInvSession:347] setting OUI READ level to ACCESSLEVEL_READ_LOCKLESS
    [TaskScheduler timer] [ 2012-09-27 13:38:51.907 IST ] [InventoryUtil.getHomeName:111] homeName = OraDb11g_home4
    [TaskScheduler timer] [ 2012-09-27 13:38:51.907 IST ] [OsUtilsBase.getOracleHomeKeyImpl:979] getting home key for home name: OraDb11g_home4
    [TaskScheduler timer] [ 2012-09-27 13:38:51.907 IST ] [OsUtilsBase.getRegistryEntry:1021] hklmKey while getting registry entryHKEY_LOCAL_MACHINE
    [TaskScheduler timer] [ 2012-09-27 13:38:51.907 IST ] [OsUtilsBase.getRegistryEntry:1022] keyToSet while getting registry entrySOFTWARE\ORACLE\KEY_OraDb11g_home4
    [TaskScheduler timer] [ 2012-09-27 13:38:51.907 IST ] [OsUtilsBase.getBaseFromOrabase:602] oraBaseUtility D:\app\Administrator\product\11.2.0\dbhome_3\bin\orabase.exe
    [TaskScheduler timer] [ 2012-09-27 13:38:51.907 IST ] [OsUtilsBase.getBaseFromOrabase:611] cmds: D:\app\Administrator\product\11.2.0\dbhome_3\bin\orabase.exe
    [TaskScheduler timer] [ 2012-09-27 13:38:51.985 IST ] [OsUtilsBase.getBaseFromOrabase:616] baseLocation from orabase
    Oracle home environment variable not set
    [TaskScheduler timer] [ 2012-09-27 13:38:51.985 IST ] [OsUtilsBase.getBaseFromOrabase:641] orabaseLocation= null
    [TaskScheduler timer] [ 2012-09-27 13:38:51.985 IST ] [InventoryUtil.getOUIInvSession:347] setting OUI READ level to ACCESSLEVEL_READ_LOCKLESS
    [TaskScheduler timer] [ 2012-09-27 13:38:51.985 IST ] [InventoryUtil.getHomeName:111] homeName = OraDb11g_home4
    [TaskScheduler timer] [ 2012-09-27 13:38:51.985 IST ] [OsUtilsBase.getOracleHomeKeyImpl:979] getting home key for home name: OraDb11g_home4
    [TaskScheduler timer] [ 2012-09-27 13:38:51.985 IST ] [OsUtilsBase.getRegistryEntry:1021] hklmKey while getting registry entryHKEY_LOCAL_MACHINE
    [TaskScheduler timer] [ 2012-09-27 13:38:51.985 IST ] [OsUtilsBase.getRegistryEntry:1022] keyToSet while getting registry entrySOFTWARE\ORACLE\KEY_OraDb11g_home4
    [TaskScheduler timer] [ 2012-09-27 13:38:51.985 IST ] [OsUtilsBase.copyFile:1499] OsUtilsBase.copyFile:
    [TaskScheduler timer] [ 2012-09-27 13:38:52.001 IST ] [OsUtilsBase.copyFile:1547] **write of file at destination complete...
    [TaskScheduler timer] [ 2012-09-27 13:38:52.001 IST ] [OsUtilsBase.copyFile:1582] **file copy status:= true

Maybe you are looking for