Malloc fails after 3.8 GB when jvm is loaded on SunOS 11

All,
I have a very simple c++ program that dynamically loads the jvm and in a loop tries to allocate memory in chunks of 512K. The malloc fails after about 3.8 GB is consumed. I don't use the jvm in any way other than just loading it. If I specify a java max heap size of 4096 MB I can allocate up 29 GB and then the malloc fails. If I subsequently increase the max heap size to 32GB then I can allocate more than 100GB.
What is interesting is that this happens only on SunOS 11. Also it happens with java 1.6.0_26 and java 1.7 but not with java 1.6.0_22. If I don't load the jvm everything runs fine. This simple program runs without issues on SunOS 10, linux and windows with java 1.7.
I have used truss with this program and I get the following output
/1: nanosleep(0xFFFFFD7FFFDFF600, 0x00000000) = 0
/1: brk(0xEAAEC000) = 0
/1: nanosleep(0xFFFFFD7FFFDFF600, 0x00000000) = 0
/1: brk(0xEABED000) = 0
/1: nanosleep(0xFFFFFD7FFFDFF600, 0x00000000) = 0
/1: brk(0xEACEE000) Err#12 ENOMEM
This machine has 256GB of memory. I have been scratching my head for a while now and any help will be greatly appreciated.
Pauli
Edited by: 948514 on Jul 24, 2012 3:01 PM

Find below the complete code that is encountering this issue
#define MAX_MEMORY 10*1024*1024
#define ALLOC_SIZE 512
#define MAX_JAVA_HEAP "-Xmx256m"
#define REPORTING_INTERVAL 1000
#define USE_JAVA_VM 1
#ifdef _WIN32
#include <winsock2.h>
#include "win_dlfcn.h"
#else
#include <dlfcn.h>
#endif
#include <jni.h>
#include <stdio.h>
#include <stdlib.h>
#include <string.h>
#include <string>
#include <iostream>
#include <list>
using namespace std;
//On Windows the JNI_CreateJavaVM function is called with __stdcall convention
#ifdef _WIN32
typedef jint (__stdcall jniCreateJavaVM_t) (JavaVM *, void **, JavaVMInitArgs *);
typedef jint (__stdcall jniGetCreatedJavaVMs_t) (JavaVM *, jsize, jsize *);
#else
typedef jint (*jniCreateJavaVM_t) (JavaVM **, void **, JavaVMInitArgs *);
typedef jint (*jniGetCreatedJavaVMs_t) (JavaVM **, jsize, jsize *);
#endif
static void *s_jvmLibrary = NULL;
static JavaVMInitArgs s_vmArgs = {0};
static JavaVMOption *s_vmOptions = NULL;
string maxHeapSize = "-XmxMAX_JAVA_HEAP";
void *
GetJavaVMLibrary()
std::string jvmLibrary;
const char *pjvmLibrary = getenv("JAVA_HOME");
if (!pjvmLibrary || !*pjvmLibrary)
std::cerr << "JAVA_HOME has not been set" << std::endl;
exit(1);
jvmLibrary = std::string(pjvmLibrary) + "/";
#if defined(WIN64)
          jvmLibrary.append("bin/server/jvm.dll");
#elif defined(WIN32)
          jvmLibrary.append("bin/client/jvm.dll");
#elif defined(__sparc__) && defined(__sun__)
          jvmLibrary.append("lib/sparcv9/server/libjvm.so");
#elif defined(__x86_64__) && defined(__sun__)
          jvmLibrary.append("lib/amd64/server/libjvm.so");
#elif defined(__i386__) && defined(__linux__)
          jvmLibrary.append("lib/i386/server/libjvm.so");
#elif defined(__x86_64__) && defined(__linux__)
          jvmLibrary.append("lib/amd64/server/libjvm.so");
#else
          jvmLibrary = "./libjvm.so";
#endif
std::cout << "jvmlibrary is " << jvmLibrary << std::endl;
#ifndef RTLD_GLOBAL
#define RTLD_GLOBAL 0
#endif
void * s_jvmLibrary = dlopen(jvmLibrary.c_str(), RTLD_LAZY | RTLD_GLOBAL);
if( !s_jvmLibrary )
char * err = dlerror();
string error = (err == NULL) ? "could not open Java VM shared library" : err;
std::cerr << error << std::endl;
exit(1);
     return s_jvmLibrary;
JavaVM *
CreateJavaVM()
     JNIEnv *env = NULL;
     JavaVM *jvm = NULL;
     std::list<std::string> vmOptions;
     void *libraryHandle = GetJavaVMLibrary();
     jniCreateJavaVM_t createVMFunction = (jniCreateJavaVM_t)dlsym(libraryHandle, "JNI_CreateJavaVM");
     if( !createVMFunction )
          std::cerr << "could not find Java VM library function " << std::endl;
exit(1);
//Set the Java Max Heap Option
int noOfOptions = 1;
     s_vmOptions = (JavaVMOption *)malloc(noOfOptions * sizeof(JavaVMOption));
     s_vmOptions[0].optionString = strdup(maxHeapSize.c_str());
     s_vmArgs.version = JNI_VERSION_1_6;
     s_vmArgs.options = s_vmOptions;
     s_vmArgs.nOptions = noOfOptions;
     s_vmArgs.ignoreUnrecognized = JNI_TRUE;
     // Create the Java VM
     int ret = createVMFunction(&jvm, (void**)&env, &s_vmArgs);
     if( ret != 0 )
std::cerr << "Could not create jvm" << endl;
exit(1);
     return jvm;
int
main(int argc, char **argv)
int createJvm = USE_JAVA_VM;
long mSize = ALLOC_SIZE;
long maxSize = MAX_MEMORY;
if(argc > 1){
maxSize = (atol(argv[1]) * 1024);
cout << "maxSize is " << maxSize << endl;
if(argc > 2){
maxHeapSize = string("-Xmx").append(argv[2]);
if(argc > 3){
createJvm = atoi(argv[3]);
     if (createJvm)
          JavaVM *vm = CreateJavaVM();
          if (vm != NULL)
               printf("Sucessfully created Java VM\n");
          else
               printf("Failed to create Java VM\n");
               return 1;
     long memUsed = 0;
     long count = 0;
     printf("beginning mallocs\n");
     std::list<void *> memory;
     while (memUsed < maxSize)
          void ptr = malloc(mSize1024);
          memory.push_back(ptr);
          if (ptr == NULL)
               printf("malloc failed, count=%ld, size=%ld k\n", count, memUsed);
               return 1;
          memset(ptr, 0, mSize*1024);
          memUsed += mSize;
          count++;
          if (!(count % REPORTING_INTERVAL))
          printf("malloc count=%ld, size=%ld m\n", count, memUsed/1024);
     printf("finished mallocs\n");
     return 0;
}

Similar Messages

  • My Macbook pro processor is a 2.4 GHz intel Core i5 using Mac OS X. I go to the network diagnostics and it starts  to work. After about a minute the ISP and Server fail. Same thing happens when I try again. My desktop internet works fine.

    My Macbook pro processor is a 2.4 GHz intel Core i5 using Mac OS X. I go to the network diagnostics and it starts  to work. After about a minute the ISP and Server fail. Same thing happens when I try again. My desktop internet works fine.

    hello I am in Afghanistan i searched that in realtek but that told me you coulde not use this sit
    I writ again my problem 
    i installed win 7 32 bit in my mac pro 13-inch, Late 2011  Processor  2.4 GHz Intel Core i5   Software  Mac OS X Lion 10.7.2 (11C74)
    but there is no sound in windows 7  please send me a address sit for downoad driver that i can use in Afghanistan
    believe it is confus me and other friend that bought 5 mac's that are the same and i serched a lot of site without result

  • HT6196 When I try to "share" my movie project via "File" the process "fails after a short while.  I do not know why this is happening.  I want to send my movie file to IDVD so I can burn a DVD disc of my project.

    When I try to "share" my IMovie project via "File", the process "fails", after a short time.  I am following the instuctions;  Click share>file>next > except it hasn't download to save.  The blue circle never completes its circle before I says it failed.  What am I doing wrong?

    Are you trying to transfer it from the iPad to your desktop?  Have you tried AirDrop?

  • JVM crashed when applet is loaded in browser

    when applet is loaded in browser after some time JVM crashedwith hs error log.
    i am using
    JRE 1.6.0_10,
    1GB RAM,
    XP SP3,
    IE6
    Error log
    # An unexpected error has been detected by Java Runtime Environment:
    # EXCEPTION_ACCESS_VIOLATION (0xc0000005) at pc=0x6d02bd1d, pid=6032, tid=4772
    # Java VM: Java HotSpot(TM) Client VM (11.0-b15 mixed mode windows-x86)
    # Problematic frame:
    # C [awt.dll+0x2bd1d]
    # If you would like to submit a bug report, please visit:
    # http://java.sun.com/webapps/bugreport/crash.jsp
    # The crash happened outside the Java Virtual Machine in native code.
    # See problematic frame for where to report the bug.
    #

    It appears from the following statement that a native code process failed when called by the jvm.
    The crash happened outside the Java Virtual Machine in native code.Not much more can be said. The cause does not appear to Java code.

  • My app store is not working after installing mavericks. When I open app store it repeatedly asking me to login with apple ID and to provide User name and Password for proxy authentication in a loop.I am a newbie to mac,Please help me.

    My app store is not working after installing mavericks. When I open app store it repeatedly asking me to login with apple ID and to provide User name and Password for proxy authentication in a loop.I am a newbie to mac,Please help me.

    Hmmmm... would appear that you need to be actually logged in to enable the additional menu features.
    Have you tried deletting the plists for MAS?
    This page might help you out...
    http://www.macobserver.com/tmo/answers/how_to_identify_and_fix_problems_with_the _mac_app_store
    Failing that, I will have to throw this back to the forum to see if anyone else can advise further.
    Let me know how you get on?
    Thanks.

  • HP M8300f fails to start, shuts down when running

    I have to frequently use system restore because it fails to start properly.      When running, it frequently shuts down (blue or black screen).    From what I have learned researching on the net, there is a known issue with the motherboard on this computer.   
    I purchased two HP laptops that have also failed before their time.    Apparently a known issue with overheating.    I wish I had known before I bought them.    They both failed a year ago.     Now the desktop is failing.   
    Thank you, HP, for your not-so fine quality control.     
    I will never again purchase an HP computer or device of any kind.     Ever.      Nor will I recommend them to any of the people in my circle of friends or at the Fortune 100 company where I work.    

    The same problem to me. In just over a year, mine started with these freezing problems. After many tries with customer support, none of which provided me with a clue I gave up.Then I found the motherboard's capacitors were kind of bulged. Bad quality boards I guess.

  • IMac Display failing after 1 year of average use.

    I have a mid 2011 27" iMac (the one with thunderbolt)  and the display is starting to fail after 1 year of average use (an hour of use every day on average).  The display is now much dimmer on the left half of the display (the GPU sits underneath that portion) and also flickers the whole display now and then to a lower brightness.
    I am about 45 days out of warranty and basically will have to cough up $500 to have it fixed by Apple.  My questions are...  Has anyone else ever had this happen to them?  The genius bar employee thought that it was something he has seen happen to displays when exposed to heat over long periods of time.  So basically playing starcraft 2 and doing video encoding killed my display if you believe that to be the cause.
    Are there any conditions in which apple would recognize this as a manufacturing defect and fix it free of charge?  Otherwise it looks like im writing a check for $500 next week.

    Today a dark streak showed up on my display right in the middle. It is shaped like a zebra stripe but is dark grey and wont go away.
    I too have a mid 2011 27" 3.4GHz i7 iMac with a 2GB Graphics card . Im about 50 days out of warranty.
    Seems like its perfect coincidence  for apple that 50 days after my warranty runs out, the most expensive thing to repair breaks.
    After doing some research it seems like there is a lot of people with this model experiencing this problem.
    Pretty sad that my 2005 iMac is holding up better than my brand new iMac.
    Been saving up for it for like 4 years and I dont have the money to repair it.
    I tried everything, I knew none of the stuff i tried would work but i still tried resetting the PRAM repairing disk permissions all that good stuff. I even have an air purifer/dehumidifier in my room so i dont know what caused it.
    I didnt think i needed applcare because ive had my other imac since 2005  without a hiccup.
    Ive rendered out 3d animations using the cpu at 100% for days and it still runs fine.
    Havent even used my new imac for anything that would put stress on it.
    What i do notice is that it runs hot all the time. ever since I got it. Sometimes just doing basic stuff such as browsing safari it can get so hot where i cant touch it. my GPU normally stays at around 70C and the hottest its been was 80C which is still safe. The alluminum is supposed to transfer heat better but all it does is retain heat more and get super hot. the old plastic one i have is 10x cooler.
    What i did notice today tho when my screen problem happened, is that the GPU temperatue is at 50C and wont go above it. I monitor the temperature with istat  and never have seen it at 50C and below unless i am just doing a fresh boot.
    What really concerns me tho is how the screen went out so close to when my warranty expired.

  • IE failed after installing oracle forms

    Hello ,
    I have installed Oracle Forms10g,& DB then .After connecting to DB when I tried to run TEST.FMB(example form given by oracle), My IE(IE8,Windows7) dont show the form runtime,rather it shows a blank page with a url: http://<My_PC Namexxx-pc>:8889/forms/frmservlet. I came to know that I need to change formsweb.cfg,default.env and registry.dat,I have installed the my jinitiator also. Please help me out how can i run my form locally. I am giving the codes also of those files,if i need to change anything please let me know
    default.env*
    # $Id: default.env 14-apr-2005.13:22:43 pkuhn Exp $
    # default.env - default Forms environment file, Windows version
    # This file is used to set the Forms runtime environment parameters.
    # If a parameter is not defined here, the value in the Windows registry
    # will be used. If no value is found in the registry, the value used will
    # be that defined in the environment in which the servlet engine (OC4J
    # or JServ) was started.
    # NOTES
    # 1/ The Forms installation process should replace all occurrences of
    # <percent>FORMS_ORACLE_HOME<percent> with the correct ORACLE_HOME
    # setting, and all occurrences of <percent>O_JDK_HOME<percent> with
    # the location of the JDK (usually $ORACLE_HOME/jdk).
    # Please make these changes manually if not.
    # 2/ Some of the variables below may need to be changed to suite your needs.
    # Please refer to the Forms documentation for details.
    ORACLE_HOME=E:\ORACLE_INSTALLED\DevSuiteHome_1
    # Search path for Forms applications (.fmx files, PL/SQL libraries)
    # If you need to include more than one directory, they should be semi-colon
    # separated (e.g. c:\test\dir1;c:\test\dir2)
    FORMS_PATH=E:\ORACLE_INSTALLED\DevSuiteHome_1\forms
    # webutil config file path
    WEBUTIL_CONFIG=E:\ORACLE_INSTALLED\DevSuiteHome_1\forms\server\webutil.cfg
    # Disable/remove this variable if end-users need access to the query-where
    # functionality which potentially allows them to enter arbitrary SQL
    # statements when in enter-query mode.
    FORMS_REJECT_GO_DISABLED_ITEM=FALSE
    FORMS_RESTRICT_ENTER_QUERY=TRUE
    # The PATH setting is required in order to pick up the JVM (jvm.dll).
    # The Forms runtime executable and dll's are assumed to be in
    # E:\ORACLE_INSTALLED\DevSuiteHome_1\bin if they are not in the PATH.
    # In addition, if you are running Graphics applications, you will need
    # to append the following to the path (where <Graphics Oracle Home> should
    # be replaced with the actual location of your Graphics 6i oracle_home):
    # ;<Graphics Oracle Home>\bin;<Graphics Oracle Home>\jdk\bin
    PATH=E:\ORACLE_INSTALLED\DevSuiteHome_1\bin;E:\ORACLE_INSTALLED\DevSuiteHome_1\jdk\jre\bin\client
    # Settings for Graphics
    # NOTE: These settings are only needed if Graphics applications
    # are called from Forms applications. In addition, you will need to
    # modify the PATH variable above as described above.
    # Please uncomment the following and put the correct 6i
    # oracle_home value to use Graphics applications.
    #ORACLE_GRAPHICS6I_HOME=<your Graphics 6i oracle_home here>
    # Search path for Graphics applications
    #GRAPHICS60_PATH=
    # Settings for Forms tracing and logging
    # Note: This entry has to be uncommented to enable tracing and
    # logging.
    #FORMS_TRACE_PATH=<FORMS_ORACLE_HOME>\forms\server
    # System settings
    # You should not normally need to modify these settings
    FORMS=E:\ORACLE_INSTALLED\DevSuiteHome_1\forms
    # Java class path
    # This is required for the Forms debugger
    # You can append your own Java code here)
    # frmsrv.jar, repository.jar and ldapjclnt10.jar are required for
    # the password expiry feature to work(#2213140).
    CLASSPATH=E:\ORACLE_INSTALLED\DevSuiteHome_1\j2ee\OC4J_BI_Forms\applications\formsapp\formsweb\WEB-INF\lib\frmsrv.jar;E:\ORACLE_INSTALLED\DevSuiteHome_1\jlib\repository.jar;E:\ORACLE_INSTALLED\DevSuiteHome_1\jlib\ldapjclnt10.jar;E:\ORACLE_INSTALLED\DevSuiteHome_1\jlib\debugger.jar;E:\ORACLE_INSTALLED\DevSuiteHome_1\jlib\ewt3.jar;E:\ORACLE_INSTALLED\DevSuiteHome_1\jlib\share.jar;E:\ORACLE_INSTALLED\DevSuiteHome_1\jlib\utj.jar;E:\ORACLE_INSTALLED\DevSuiteHome_1\jlib\zrclient.jar;E:\ORACLE_INSTALLED\DevSuiteHome_1\reports\jlib\rwrun.jar;E:\ORACLE_INSTALLED\DevSuiteHome_1\forms\java\frmwebutil.jar
    formsweb.cfg_
    # $Id: formsweb.cfg 15-apr-2005.13:17:30 pkuhn Exp $
    # formsweb.cfg defines parameter values used by the FormsServlet (frmservlet)
    # This section defines the Default settings. Any of them may be overridden in the
    # following Named Configuration sections. If they are not overridden, then the
    # values here will be used.
    # The default settings comprise two types of parameters: System parameters,
    # which cannot be overridden in the URL, and User Parameters, which can.
    # Parameters which are not marked as System parameters are User parameters.
    # SYSTEM PARAMETERS
    # These have fixed names and give information required by the Forms
    # Servlet in order to function. They cannot be specified in the URL query
    # string. But they can be overridden in a named configuration (see below).
    # Some parameters specify file names: if the full path is not given,
    # they are assumed to be in the same directory as this file. If a path
    # is given, then it should be a physical path, not a URL.
    # USER PARAMETERS
    # These match variables (e.g. %form%) in the baseHTML file. Their values
    # may be overridden by specifying them in the URL query string
    # (e.g. "http://myhost.mydomain.com/forms/frmservlet?form=myform&width=700")
    # or by overriding them in a specific, named configuration (see below)
    [default]
    # System parameter: default base HTML file
    baseHTML=base.htm
    # System parameter: base HTML file for use with JInitiator client
    baseHTMLjinitiator=basejini.htm
    # System parameter: base HTML file for use with Sun's Java Plug-In
    baseHTMLjpi=basejpi.htm
    # System parameter: delimiter for parameters in the base HTML files
    HTMLdelimiter=%
    # System parameter: working directory for Forms runtime processes
    # WorkingDirectory defaults to <oracle_home>/forms if unset.
    workingDirectory=
    # System parameter: file setting environment variables for the Forms runtime processes
    envFile=default.env
    # Forms runtime argument: whether to escape certain special characters
    # in values extracted from the URL for other runtime arguments
    escapeparams=true
    # Forms runtime argument: which form module to run
    form=test.fmx
    # Forms runtime argument: database connection details
    userid=
    # Forms runtime argument: whether to run in debug mode
    debug=no
    # Forms runtime argument: host for debugging
    host=
    # Forms runtime argument: port for debugging
    port=
    # Other Forms runtime arguments: grouped together as one parameter.
    # These settings support running and debugging a form from the Builder:
    otherparams=buffer_records=%buffer% debug_messages=%debug_messages% array=%array% obr=%obr% query_only=%query_only% quiet=%quiet% render=%render% record=%record% tracegroup=%tracegroup% log=%log% term=%term%
    # Sub argument for otherparams
    buffer=no
    # Sub argument for otherparams
    debug_messages=no
    # Sub argument for otherparams
    array=no
    # Sub argument for otherparams
    obr=no
    # Sub argument for otherparams
    query_only=no
    # Sub argument for otherparams
    quiet=yes
    # Sub argument for otherparams
    render=no
    # Sub argument for otherparams
    record=
    # Sub argument for otherparams
    tracegroup=
    # Sub argument for otherparams
    log=
    # Sub argument for otherparams
    term=
    # HTML page title
    pageTitle=Oracle Application Server Forms Services
    # HTML attributes for the BODY tag
    HTMLbodyAttrs=
    # HTML to add before the form
    HTMLbeforeForm=
    # HTML to add after the form
    HTMLafterForm=
    # Forms applet parameter: URL path to Forms ListenerServlet
    serverURL=/forms/lservlet
    # Forms applet parameter
    codebase=/forms/java
    # Forms applet parameter
    imageBase=DocumentBase
    # Forms applet parameter
    width=750
    # Forms applet parameter
    height=600
    # Forms applet parameter
    separateFrame=false
    # Forms applet parameter
    splashScreen=
    # Forms applet parameter
    background=
    # Forms applet parameter
    lookAndFeel=Oracle
    # Forms applet parameter
    colorScheme=teal
    # Forms applet parameter
    logo=
    # Forms applet parameter
    restrictedURLparams=HTMLbodyAttrs,HTMLbeforeForm,pageTitle,HTMLafterForm,log,allow_debug,allowNewConnections
    # Forms applet parameter
    formsMessageListener=
    # Forms applet parameter
    recordFileName=
    # Forms applet parameter
    serverApp=default
    # Forms applet archive setting for JInitiator
    archive_jini=frmall_jinit.jar
    # Forms applet archive setting for other clients (Sun Java Plugin, Appletviewer, etc)
    archive=frmall.jar
    # Number of times client should retry if a network failure occurs. You should
    # only change this after reading the documentation.
    networkRetries=0
    # Page displayed to Netscape users to allow them to download Oracle JInitiator.
    # Oracle JInitiator is used with Windows clients.
    # If you create your own page, you should set this parameter to point to it.
    jinit_download_page=/forms/jinitiator/us/jinit_download.htm
    # Parameter related to the version of JInitiator
    jinit_classid=clsid:CAFECAFE-0013-0001-0022-ABCDEFABCDEF
    # Parameter related to the version of JInitiator
    jinit_exename=jinit.exe#Version=1,3,1,22
    # Parameter related to the version of JInitiator
    jinit_mimetype=application/x-jinit-applet;version=1.3.1.22
    # Page displayed to users to allow them to download Sun's Java Plugin.
    # Sun's Java Plugin is typically used for non-Windows clients.
    # (NOTE: you should check this page and possibly change the settings)
    jpi_download_page=http://java.sun.com/products/archive/j2se/1.4.2_06/index.html
    # Parameter related to the version of the Java Plugin
    jpi_classid=clsid:CAFEEFAC-0014-0002-0006-ABCDEFFEDCBA
    # Parameter related to the version of the Java Plugin
    jpi_codebase=http://java.sun.com/products/plugin/autodl/jinstall-1_4_2-windows-i586.cab#Version=1,4,2,06
    # Parameter related to the version of the Java Plugin
    jpi_mimetype=application/x-java-applet;jpi-version=1.4.2_06
    # EM config parameter
    # Set this to "1" to enable Enterprise Manager to track Forms processes
    em_mode=0
    # Single Sign-On OID configuration parameter
    oid_formsid=%OID_FORMSID%
    # Single Sign-On OID configuration parameter
    oracle_home=E:\ORACLE_INSTALLED\DevSuiteHome_1
    # Single Sign-On OID configuration parameter
    formsid_group_dn=%GROUP_DN%
    # Single Sign-On OID configuration parameter: indicates whether we allow
    # dynamic resource creation if the resource is not yet created in the OID.
    ssoDynamicResourceCreate=true
    # Single Sign-On parameter: URL to redirect to if ssoDynamicResourceCreate=false
    ssoErrorUrl=
    # Single Sign-On parameter: Cancel URL for the dynamic resource creation DAS page.
    ssoCancelUrl=
    # Single Sign-On parameter: indicates whether the url is protected in which
    # case mod_osso will be given control for authentication or continue in
    # the FormsServlet if not. It is false by default. Set it to true in an
    # application-specific section to enable Single Sign-On for that application.
    ssoMode=false
    # The parameter allow_debug determines whether debugging is permitted.
    # Administrators should set allow_debug to "true" if servlet
    # debugging is required, or to provide access to the Forms Trace Xlate utility.
    # Otherwise these activities will not be allowed (for security reasons).
    allow_debug=false
    # Parameter which determines whether new Forms sessions are allowed.
    # This is also read by the Forms EM Overview page to show the
    # current Forms status.
    allowNewConnections=true
    # EndUserMonitoring
    # EndUserMonitoringEnabled parameter
    # Indicates whether EUM/Chronos integration is enabled
    EndUserMonitoringEnabled=
    # EndUserMonitoringURL
    # indicates where to record EUM/Chronos data
    EndUserMonitoringURL=
    # Example Named Configuration Section
    # Example 1: configuration to run forms in a separate browser window with
    # "generic" look and feel (include "config=sepwin" in the URL)
    # You may define your own specific, named configurations (sets of parameters)
    # by adding special sections as illustrated in the following examples.
    # Note that you need only specify the parameters you want to change. The
    # default values (defined above) will be used for all other parameters.
    # Use of a specific configuration can be requested by including the text
    # "config=<your_config_name>" in the query string of the URL used to run
    # a form. For example, to use the sepwin configuration, your could issue
    # a URL like "http://myhost.mydomain.com/forms/frmservlet?config=sepwin".
    [sepwin]
    separateFrame=True
    lookandfeel=Generic
    # Example Named Configuration Section
    # Example 2: configuration forcing use of the Java Plugin in all cases (even if
    # the client browser is on Windows)
    [jpi]
    baseHTMLJInitiator=basejpi.htm
    # Example Named Configuration Section
    # Example 3: configuration running the Forms ListenerServlet in debug mode
    # (debug messages will be written to the servlet engine's log file).
    [debug]
    serverURL=/forms/lservlet/debug
    # Sample configuration for deploying WebUtil. Note that WebUtil is shipped with
    # DS but not AS and is also available for download from OTN.
    [webutil]
    WebUtilArchive=frmwebutil.jar,jacob.jar
    WebUtilLogging=off
    WebUtilLoggingDetail=normal
    WebUtilErrorMode=Alert
    WebUtilDispatchMonitorInterval=5
    WebUtilTrustInternal=true
    WebUtilMaxTransferSize=16384
    baseHTMLjinitiator=webutiljini.htm
    baseHTMLjpi=webutiljpi.htm
    archive_jini=frmall_jinit.jar
    archive=frmall.jar
    lookAndFeel=oracle

    I tried to run TEST.FMB(example form given by oracle), My IE(IE8,Windows7) dont show the, I have installed the my jinitiator also.Internet explorer (IE 8) doesn't support jinitiator. You have to upgrade JRE.
    Check this link. http://www.oracle.com/technetwork/middleware/ias/downloads/as-certification-r2-101202-095871.html#BABGCBHA
    Hope this will help you
    If someone's response is helpful or correct, please mark it accordingly.

  • Upload to Blurb fails after exactly 30 minutes (There was an error uploading your book's pages...)

    After exactly 30 minutes after the upload has started, I get this error:
    There was an error uploading your book's pages.  Would you like to try again?  The choices given are "Retry Upload" and :"Cancel"
    When I retry, the same thing happens - fails after exacly 30 minutes.  I am using a window 7 pc (with Service Pack 1) and using Lightroom 5.4.  I have turned off my firewall and antivirus programs, rebooted, and connected directly to my router (not wireless) and ensuring my pc does not go to sleep, but did nothing I try wil help. 
    Anyone else get this?  Any ideas?  Thanks!

    Hello,
    I had this problem as well - the upload to Blurb would not work. Creation of a PDF and export as JPEG in the book module worked.
    For me, the solution was to turn off the Windows Firewall while uploading. Now it works!
    Two-in-Love (Photographe de Mariage en Suisse Romande)
    http://www.two-in-love.ch

  • How to stop iphone 4s from putting a space after the second digit, when entering a text number from the keypad

    How do I stop the iphone 4s from putting a space after the second digit, when entering a text number from the keypad. Entering a text number on the key pad like 61998 comes out on the screen as 61 998 and the sms fails to go.

    The space (or lack thereof) should have no effect on whether or not the SMS goes through. The spacing is intended to make it easier for the human eye to comprehend the number. I'd start by resetting the network settings in General>Reset>Reset Network Settings.

  • Source system RFC fails after transport

    Hi all
    in our QA system any transport containing a process chain causes the RFC connection to the source ECC6 system to fail after too many logon attempts.
    This doesn't happen when we send the same transport to production.
    Any ideas?
    Regards
    Hayley

    Hi
    thanks, but I had already checked out this note.  This refers to the post processing of the transport on BW of client 000 logging onto the BW client to carry out changes, not the RFC connection to the BW ECC source system. 
    The transport goes through ok, and the process chain can be activated, however at this point we always notice that the ECC source system connection fails with an RFC error, as soon as we get the password reset and changed in SM59 it works ok.

  • Datasocket server seems to fail after continuous use.

    The Datasocket server seems to fail after continuous use.  (Labview 7.1 on XP)
    I have a data acquistion system that collects data and presents it to the operator.  Then I have from 1-3 remote units that can connect via DS to the acquistion unit to view the data.  As a general rule things work dandy!  I have the data published from the front panel of one VI and subscribed to by the remote VI(s).  However it seems that after some indeterminent time the DS just stops publishing data and my remote units go into alarm indicating that they can no longer get data.  If I shutdown and then restart the DS server then things seem to clear up and work again.
    Anyone seen this type of problem?  Unfortunately my app is pretty large and it acquires data from 26 field units so its not real practical to post the code!
    I wonder if using the DS VI's would change performance as opposed to the front panel publishing/subscribing that I currently do?  Or can DS just not handle the load, should I change to a TCP/IP handshaking?
    Thanks!
    ~Gold

    Here's the basic piece of code. The outer case structure was used because that program already had some DS related stuff and I wanted to wait before I start checking to avoid disturbing it. I added the array at the bottom for some logging so I could check when it happened, but I haven't been called for it since, so that array has proved unnecessary.
    Try to take over the world!
    Attachments:
    DSerror.JPG ‏56 KB

  • SoundBlaster X-Fi Driver Installation Fails After Moving Soundcard to New Slot

    NSoundBlaster X-Fi Driver Installation Fails After Moving Soundcard to New Slot4 I recently moved my X-Fi Elite Pro soundcard to a different PCI slot to accommodate my new large PCIE graphics card.
    Prior to moving the card, my?original SoundBlaster install went fine without any trouble. When I booted up after relocating the card,?it was not detected at all. So I uninstalled my SoundBlaster driver software and?rebooted the computer?thinking that was necessary to clear any hardware configuration settings from the old install. This made no difference. I then discovered my card was not seated properly and corrected it.
    Next I installed the SoundBlaster driver software. The installation proceeded and finished with a request to restart the computer. Once I did, the computer detects my card and starts the hardware installation wizard asking if I want Windows to search online for driver software. It does not recognize the just installed SoundBlaster driver installation. I have a dual boot setup and this happens in both WinXP Pro and Vista 32 Home Premium.
    What's wrong here?

    Forget it folks...couldn't wait for any suggestions so I just cleaned off my hard dri've and reinstalled everything. Works fine.

  • Remote fails after several days

    I'm running ZFD 3.2, on a Netware 5.1 (sp5) box with eDir 85.27c.
    When I
    import a workstation, it will work perfectly for a few days, but then
    it
    fails to respond to Remote Control. I can still do Chat, and pinging
    the
    agent gives perfect success. When I do attempt to connect it gives
    the
    message:
    The Remote management agent was unable to locate the workstation in
    NDS.
    I can delete the workstation and re-import it, and it will work again,
    but
    fail after a few days time. I applied all the ZenWorks support packs
    to the
    clients and the server, and I am running the latest snap-ins for
    ConsoleOne.
    This server is the master of the replica.
    Any tips would be appreciated. I went through everything on TID
    10013987
    and none of it has fixed the problem. Thanks.

    Running a mixed IP/IPX environment, all on static assigned IPs. We're
    also
    using SLP with a Scoped list.
    "Jared L Jennings" <[email protected]> wrote in
    message
    news:PaY5a.1250$[email protected]..
    > Are you running pure IP?
    > Is your network DHCP?
    >
    > --
    > Jared L Jennings, CNE 5,6
    > Using XanaNews 1.13.2.10

  • Mathematical Script fails after protecting & saving PDF

    Hello, we are creating a form which includes a small graph to calculate a difference in two portfolios' Risk and Return %'s.  We want to be able to protect and save the document.  We, also, would like to re-open the document at a later point and update the values. Our script works fine when we enter the values, protect and save it; however, it fails after we re-open it with the password and enter the value; eg. it will simply show the previous calculated value.  Thank you for any input on fixing this issue.

    Just a follow-up comment from my partner:
    "we are password protecting and the calculated value becomes static when removing password"
    - and here is a copy of our formula too if it helps:
    ROR_difference.rawValue = ((ROR_Proposed.rawValue - ROR_Current.rawValue) / ROR_Current.rawValue)
    Thanks!

Maybe you are looking for

  • Getting a Mini DisplayPort to VGA Adapter & Monitor to Work with an Xserve

    First let me say that I'm very new to Xserve's and OS X Server and any help is greatly appreciated. I have an Xserve with a connected Mini DisplayPort to VGA Adapter and a confirmed working VGA monitor. There is also a keyboard and mouse plugged into

  • Time Machine and Mail problems not fixed in 10.10.1

    Time Machine and Mail seem completely broken in Yosemite. If anything it got worse in 10.10.1. 1. If you see inboxes at all they are empty. 2. Even if you don't press any buttons, Time Machine changes your account descriptions, order of accounts and

  • File deleted from file manager

    By mistake I deleted a file from phone memory in the file manager. Is to important to have all the orgianal files in the file manager or do I reload the software. What do I do. i have a E 7.

  • ORA-01019: unable to allocate memory in the user side

    hi, I have a windows desktop with Win XP. It has a few Oracle software on it. Oracle 8i Oracle 9i DS Rel2 Oracle Pl/Sql Dev Oracle_Sid is set as the env variable. Now when i try to log into sqlplus from bin directory of the 8i database, i have no pro

  • B1 and SQL Server 2005 performance with 3.000.000 invoice-lines per year

    I would like to know if SAP Business One with SQL Server 2005 could work with the following information: - 40.000 Business Partners - 40.000 Invoices per month - Aprox. 3.000.000 invoice-lines per year Of course it will be necessary to change some fo