Java App for 8520

Hello,
I have a BB 8520 and I was wondering if it is possible to install a java application via Desktop Software.
Thanks in advance,
Ionut

Hi and Welcome to the Forums!
See this KB:
 KB15172How to install applications using the application loader tool in BlackBerry Desktop Manager
You need to obtain the alx and cod files from wherever the app is developed.
Good luck!
Occam's Razor nearly always applies when troubleshooting technology issues!
If anyone has been helpful to you, please show your appreciation by clicking the button inside of their post. Please click here and read, along with the threads to which it links, for helpful information to guide you as you proceed. I always recommend that you treat your BlackBerry like any other computing device, including using a regular backup schedule...click here for an article with instructions.
Join our BBM Channels
BSCF General Channel
PIN: C0001B7B4   Display/Scan Bar Code
Knowledge Base Updates
PIN: C0005A9AA   Display/Scan Bar Code

Similar Messages

  • Can I create a java app for my palm zire 71 that uses floating point calc

    I am an eclipse user that is looking at studio creator 2 and was wondering if I could create a java app for my palm zire 71. I have read alot about no floating point support in midp... is that true for java on the palm? If so, how does one calculate with floats and doubles to do sqrt functions etc?
    Thanks in advance for your time
    Dean-O

    I looked at netbeans and it does not support floating points in midlets. Not good for palm app if no floating point ability. J2ME supports floating point but in netbeans... is uses midlets and there are no floating points. Now what does one do? Not that dreaded C++
    THanks in advance
    Dean-O

  • Automatic (time based) profile switch app for 8520?

    I remember using an app called "Best Profiles" on my Nokia E71. It switches between profiles (e.g. Silent to General or Outdoor etc) according to pre-set times. e.g. it would switch to Silent profile (all alerts off) at my bed time (2330 hrs) automatically. And switch back to Normal profile when I get to work (at 0930 hrs).
    Does there exist any similar app for BlackBerry Curve 8520 OS 5?

    WOW!  Nice find Rob Rocket.  I just went in to use profile manager and was hit with the error.  Followed your directions and back to normal. 

  • Designing Java Apps for Users Without a JRE Installed Yet

    Hi, sorry if this post is in the wrong place, but here goes:
    I'm designing a Swing Java application for a client. My client intends to distribute/sell this application.
    I'm concerned because, chances are that at least one of the people he distributes this application to will not have the JRE installed and will thus be unable to run the application.
    Can anyone give me some suggestions on ways I can make my application more convenient for users without the JRE currently installed? Even some kind of error message that would direct the user to the JRE download site would be okay.
    kwikness
    Edited by: kwikness on Dec 2, 2009 5:56 PM

    Use NSIS and package your application with JRE.
    Add your jar files to lib/ext of the JRE package.
    NSIS can create a short cut (desktop/start menu) to launch java class/jar file
    I would not use webstart unless you are sure that clients will have access to the internet, the bandwidth is not an issue and installing the new JRE is allowed (permissions, SLA, etc.)
    Best regards.

  • Need help with Java app for user input 5 numbers, remove dups, etc.

    I'm new to Java (only a few weeks under my belt) and struggling with an application. The project is to write an app that inputs 5 numbers between 10 and 100, not allowing duplicates, and displaying each correct number entered, using the smallest possible array to solve the problem. Output example:
    Please enter a number: 45
    Number stored.
    45
    Please enter a number: 54
    Number stored.
    45 54
    Please enter a number: 33
    Number stored.
    45 54 33
    etc.
    I've been working on this project for days, re-read the book chapter multiple times (unfortunately, the book doesn't have this type of problem as an example to steer you in the relatively general direction) and am proud that I've gotten this far. My problems are 1) I can only get one item number to input rather than a running list of the 5 values, 2) I can't figure out how to check for duplicate numbers. Any help is appreciated.
    My code is as follows:
    import java.util.Scanner; // program uses class Scanner
    public class Array
         public static void main( String args[] )
          // create Scanner to obtain input from command window
              Scanner input = new Scanner( System.in);
          // declare variables
             int array[] = new int[ 5 ]; // declare array named array
             int inputNumbers = 0; // numbers entered
          while( inputNumbers < array.length )
              // prompt for user to input a number
                System.out.print( "Please enter a number: " );
                      int numberInput = input.nextInt();
              // validate the input
                 if (numberInput >=10 && numberInput <=100)
                       System.out.println("Number stored.");
                     else
                       System.out.println("Invalid number.  Please enter a number within range.");
              // checks to see if this number already exists
                    boolean number = false;
              // display array values
              for ( int counter = 0; counter < array.length; counter++ )
                 array[ counter ] = numberInput;
              // display array values
                 System.out.printf( "%d\n", array[ inputNumbers ] );
                   // increment number of entered numbers
                inputNumbers++;
    } // end close Array

    Yikes, there is a much better way to go about this that is probably within what you have already learned, but since you are a student and this is how you started, let's just concentrate on fixing what you got.
    First, as already noted by another poster, your formatting is really bad. Formatting is really important because it makes the code much more readable for you and anyone who comes along to help you or use your code. And I second that posters comment that brackets should always be used, especially for beginner programmers. Unfortunately beginner programmers often get stuck thinking that less lines of code equals better program, this is not true; even though better programmers often use far less lines of code.
                             // validate the input
       if (numberInput >=10 && numberInput <=100)
              System.out.println("Number stored.");
      else
                   System.out.println("Invalid number.  Please enter a number within range."); Note the above as you have it.
                         // validate the input
                         if (numberInput >=10 && numberInput <=100)
                              System.out.println("Number stored.");
                         else
                              System.out.println("Invalid number.  Please enter a number within range."); Note how much more readable just correct indentation makes.
                         // validate the input
                         if (numberInput >=10 && numberInput <=100) {
                              System.out.println("Number stored.");
                         else {
                              System.out.println("Invalid number.  Please enter a number within range.");
                         } Note how it should be coded for a beginner coder.
    Now that it is readable, exam your code and think about what you are doing here. Do you really want to print "Number Stored" before you checked to ensure it is not a dupe? That could lead to some really confused and frustrated users, and since the main user of your program will be your teacher, that could be unhealthy for your GPA.
    Since I am not here to do your homework for you, I will just give you some advice, you only need one if statement to do this correctly, you must drop the else and fix the if. I tell you this, because as a former educator i know the first thing running through beginners minds in this situation is to just make the if statement empty, but this is a big no no and even if you do trick it into working your teacher will not be fooled nor impressed and again your GPA will suffer.
    As for the rest, you do need a for loop inside your while loop, but not where or how you have it. Inside the while loop the for loop should be used for checking for dupes, not for overwriting every entry in the array as you currently have it set up to do. And certainly not for printing every element of the array each time a new element is added as your comments lead me to suspect you were trying to do, that would get real annoying really fast again resulting in abuse of your GPA. Printing the array should be in its own for loop after the while loop, or even better in its own method.
    As for how to check for dupes, well, you obviously at least somewhat understand loops and if statements, thus you have all the tools needed, so where is the problem?
    JSG

  • Fonts in java apps for win and linux

    Hi everyone.
    i need to build an application mult-plataform, to run in windows and linux...
    but i don�t know waht font i must use...the default font that java takes doesn�t exist in linux (dialog)...
    waht font should i use in my app??
    thanx

    For going multi-platform it is easiest to stick to the logical fonts: Fonts named "Serif", "SansSerif", "Monospaced", "Dialog", and "DialogInput".
    These fonts are guaranteed to exist on any platform, although their implementations may be different. If you use others then you'll have to figure out how to deal with cross platform issues.
    Jeff

  • Deploying Java Apps for All patforms?

    Ok, I have my appilcation running in windows by a simple cmd file, what do I need to do so the user can acivate it on linux and Macs,
    I know this is a deployment question, where are the java deployment tricks and tips / documentation/ tutorial?
    Thanks

    Either use:
    Webstart: Multiplatform, creates desktop & start menu icons ( on Windows, prob. the same on UNIX & MacOS ) autoupdates applications, REQUIRES JRE 1.2+ to be installed - part of Java 2 1.4, might be part of 1.3 as well, can update the JVM if needed.
    http://java.sun.com/products/javawebstart/
    Install Anywhere: Multiplatform, can install the JVM if needed, does not require ANY JRE to be installed, could end up with the user having multiple JRE's installed.
    http://www.zerog.com
    JARs: Multiplatform (double clickable on Win & MacOS, can be on UNIX if setup correctly), no install required - like a single EXE, Requires JRE to be installed
    http://java.sun.com/docs/books/tutorial/jar/index.html
    Hack.sh: Not Multiplatform, create shell scripts or small applications to launch, EVIL, don't use.

  • Pre verify tool for wireless Java apps - HPUX

    Hi wireless gurus,
    1. Does Oracle ships a pre verify tool for wireless Java apps for HPUX platform with any of it's products.
    2. Please let me know any such tool for HPUX, preferably with a free demo version

    Hi wireless gurus,
    1. Does Oracle ships a pre verify tool for wireless Java apps for HPUX platform with any of it's products.What kind of pre-verify tools are you referring to?
    If you are looking something to verify Java code in general, then Jdeveloper has some features built-in for this purpose.
    The Oracle9IAS Wireless service designer allows you test, try, and debug wireless apps.
    2. Please let me know any such tool for HPUX, preferably with a free demo version

  • Open java app and insert text

    Hello All!
    I'm looking for a little help on an exact problem that seems to have been solved here before (but doesn't work for me).
    Here's the original archived thread:
    https://discussions.apple.com/thread/2631967?start=0&tstart=0
    The question asked is exactly the same....
    I have a java app for a Speco Technologies DVR. After opening the app, you must type in a rather long url and then click connect. If you enter the url, then quit the app, when you relaunch it, it does not remember the url that had been entered the previous time.
    I would like to create a script that will launch the Java app and then input the url (text string). I cannot get this to work.
    I've gotten as far as this:
    on run
    tell application "Finder" to activate open document file "DVRVIEWER(DO_NOT_DELETE).jar" of folder "Applications" of startup disk
    delay 5
    set myString to "192.168.0.118"
    repeat with currentCharacter in every character of myString
    tell application "system events"
    keystroke currentCharacter
    end tell
    delay 0.25
    end repeat
    tell application "system events"
    keystroke return
    end run
    AppleScript has a Syntax Error of "Expected end of line, etc. but found command name."
    Does anyone ( taylor.henderson where are you! ) have a fix, or even a better way to do this? Can I edit the existing .jar to have the info directly in there?
    I would actually love to add another section in there that fills in the username and password after entering in the IP address!
    Just for clarification on how this goes:
    Launch .jar.
    Window Launches and prompts for IP address
    Enter in IP address
    Press RETURN
    Windows disappears and new window appears and prompts for username and password
    Enter Username
    Press TAB
    Enter Password
    Press RETURN
    Thank you guys, I'm sure it's easy, but hey, for me Photoshop and Illustrator are a breeze :-0
    -AndyTheFiredog

    Hi
    andythefiredog wrote:
    Is it possible to use similar commands to maximize the java window?
    Yes.
    You must enable the checkbox labeled "Enable access for assistive devices" in the Universal Access System Preference pane
    Add these lines after the last line wich contains "keystroke return"
      delay 2
      tell (first process whose frontmost is true) to click button 2 of window 1 -- zoom
    Here's my test script ( the Speco camera demo), that works without problems here, I use the application "DVRJavaView4.1.jar", this script checks the existence of ui element (more reliable) rather than any delay.
    on run
         do shell script "/usr/bin/open '/Applications/DVRJavaView4.1.jar'"
         tell application "System Events" to tell (first process whose frontmost is true)
              repeat until exists window "Please Input DVR address"
                   delay 1
              end repeat
              keystroke "millapt.ddns.specoddns.net"
              keystroke return
              repeat until exists button "OK" of window 1
                   delay 1 -- wait until the login window is frontmost
              end repeat
              keystroke "user"
              keystroke tab
              delay 0.1
              keystroke "4321"
              delay 0.1
              keystroke return
              repeat until name of window 1 starts with "DVRJavaView"
                   delay 1 --wait while the login window is frontmost
              end repeat
              click button 2 of window 1 -- zoom
         end tell
    end run

  • Problem running my Java apps in my LG phone. Please help!

    Hi all!!
    I am quite new to the world of J2me, altough I've been coding Java for quite a few years now.
    Recently I bought a LG u 8120 phone with Java-support so I decided it was time to step into the mobile Java-world.
    Now I have written my first small app, a simple timer application which my phone (strangely enough) does not already have.
    So what happens is this : I create my app on my PC and package it with the WTK into a jar -file and a jad-file which i transfer to the phone.
    After this I can see the name of my app in the list of available programs in the phone. But when I try to run it: Nothing. The Java logo shows up for a few seconds and then I am tossed back to the menu.
    I have thought of the following as possible problems:
    1. the 8120 does not support MIDP2.0
    2. I am doing something wrong transfering the files
    3. I have missed out on one or several necessary steps in the process
    Anyone who have developed Java apps for LG phones who can give me some hints?
    I've used the Sun J2ME Wireless Toolkit 2.2 with MIDP2.0 and CLDC1.1 .
    The apps works fine in the emulator. The problem starts when I want to run it in the phone. The phone I've tried is an LG u8120. LG apparently does not want to make life easy for its customers, so there is no support for transfering Java apps in the vendor-supplied software. I suppose that's because they want you to only download stuff from their site. However, after surfing around on some discussion forums for a while I found a program called G-thing which can be used to upload Java apps to LG-phones via USB.
    Any help is very appreciated!
    Thanks,
    Sarah

    Thanks,
    I have tried this and ruled out some of the possible causes.
    When I added some more exception handling, I could see that a "java.lang.IllegalArguenException" is thrown.
    When I ran the AudioDemo package that came with WTK2.2 I noticed that the examples that uses WAV-files do not work while the rest works fine.
    My new theory is now that the u8120 does not support the WAV-format, so I will try with an mp3 instead and see what happens.
    Anyone who knows if LG-phones support WAV-format?
    /Sarah

  • [AwesomeWM] mouse cursor precision in java apps

    My mouse cursor isn't really precise in java apps, for example IntelliJ IDEA. The highlighted (and clicked) item is always below the cursor.
    In this case https://docs.google.com/file/d/0B594FZm … sp=sharing (Screenshot) the mouse cursor actually hightlights the row above, but the row below is selected and clicked).
    Last edited by Leandros (2013-04-12 11:59:43)

    I am having the same issue with RubyMine 6 and Oracle JDK 1.7.0_45. Apparently, we are not the only ones. http://unix.stackexchange.com/questions … 454afd0e69 However I have not been able to find any solutions yet.

  • Java Server unavailable (in yellow )- status "starting apps for a long time

    Hi Gurus,
    J2ee Server unavailable in the NWDS instance and the dispatcher is running but the status of the Java Server is "Starting Apps " for a long time( in yellow).can anyone help me out in this ,solutions rewarded
    We are having the 2 server nodes
    Trace of node o:
    stdout/stderr redirect
    node name : server0
    pid : 4168
    system name : KDS
    system nr. : 00
    started at : Thu Dec 20 14:27:26 2007
    Reserved 1610612736 (0x60000000) bytes before loading DLLs.
    Thr 2904 MtxInit: -2 0 0
    CompilerOracle: exclude com/sapportals/portal/pb/layout/taglib/ContainerTag addIviewResources
    CompilerOracle: exclude com/sap/engine/services/keystore/impl/security/CodeBasedSecurityConnector getApplicationDomain
    CompilerOracle: exclude com/sap/engine/services/rmi_p4/P4StubSkeletonGenerator generateStub
    CompilerOracle: exclude com/sapportals/portal/prt/util/StringUtils escapeToJS
    CompilerOracle: exclude com/sapportals/portal/prt/core/broker/PortalServiceItem startServices
    CompilerOracle: exclude com/sap/engine/services/webservices/server/deploy/WSConfigurationHandler downloadFile
    CompilerOracle: exclude com/sapportals/portal/prt/jndisupport/util/AbstractHierarchicalContext lookup
    CompilerOracle: exclude com/sapportals/portal/navigation/cache/CacheNavigationNode getAttributeValue
    CompilerOracle: exclude com/sapportals/portal/navigation/TopLevelNavigationiView PrintNode
    CompilerOracle: exclude com/sapportals/wcm/service/ice/wcm/ICEPropertiesCoder encode
    CompilerOracle: exclude com/sap/lcr/pers/delta/importing/ObjectLoader loadObjects
    CompilerOracle: exclude com/sap/engine/services/webservices/jaxrpc/encoding/InstanceBuilder readElement
    CompilerOracle: exclude com/sap/engine/services/webservices/jaxrpc/encoding/InstanceBuilder readSequence
    CompilerOracle: exclude com/sap/engine/services/webservices/jaxrpc/encoding/TypeMappingImpl initializeRelations
    CompilerOracle: exclude com/sap/engine/services/webservices/jaxrpc/encoding/GeneratedComplexType _loadInto
    SAP J2EE Engine Version 7.00 PatchLevel 108458.44 is starting...
    Loading: LogManager ... 3190 ms.
    Loading: PoolManager ... 16 ms.
    Loading: ApplicationThreadManager ... 265 ms.
    Loading: ThreadManager ... 47 ms.
    Loading: IpVerificationManager ... 32 ms.
    Loading: ClassLoaderManager ... 31 ms.
    Loading: ClusterManager ... 719 ms.
    Loading: LockingManager ... 125 ms.
    Loading: ConfigurationManager ... 12946 ms.
    Loading: LicensingManager ... 47 ms.
    Loading: CacheManager ... 469 ms.
    Loading: ServiceManager ...
    Loading services.:
    Service cafeuodi~mnuacc started. (0 ms).
    Service cross started. (16 ms).
    Service memory started. (16 ms).
    Service file started. (16 ms).
    Service DQE started. (0 ms).
    Service cafeucc~api started. (16 ms).
    Service userstore started. (15 ms).
    Service runtimeinfo started. (266 ms).
    Service jmx_notification started. (188 ms).
    Service timeout started. (360 ms).
    Service trex.service started. (313 ms).
    Service p4 started. (954 ms).
    Service classpath_resolver started. (15 ms).
    Service log_configurator started. (22420 ms).
    Service locking started. (16 ms).
    Service http started. (1141 ms).
    Service naming started. (1329 ms).
    Service failover started. (109 ms).
    Service appclient started. (266 ms).
    Service jmsconnector started. (329 ms).
    Service javamail started. (798 ms).
    Service ts started. (375 ms).
    Service licensing started. (15 ms).
    Service connector started. (548 ms).
    Service webservices started. (1219 ms).
    Service iiop started. (766 ms).
    Service deploy started. (71073 ms).
    Service MigrationService started. (1110 ms).
    Service configuration started. (141 ms).
    Service bimmrdeployer started. (203 ms).
    service MobileSetupGeneration ================= ERROR =================
    Service MobileArchiveContainer started. (31 ms).
    Service dbpool started. (3924 ms).
    Service cafeugpmailcf started. (78 ms).
    Service com.sap.security.core.ume.service started. (8364 ms).
    Service tcdisdic~srv started. (1297 ms).
    Service security started. (6926 ms).
    Service classload started. (266 ms).
    Service applocking started. (281 ms).
    Service ejb started. (656 ms).
    Service shell started. (563 ms).
    Service tceCATTPingservice started. (125 ms).
    Service telnet started. (1266 ms).
    Service cafummetadata~imp started. (2204 ms).
    Service webdynpro started. (1782 ms).
    Service developmentserver started. (2579 ms).
    Service servlet_jsp started. (3846 ms).
    Service dsr started. (3283 ms).
    Service keystore started. (3330 ms).
    Service ssl started. (0 ms).
    Service tcseccertrevoc~service started. (391 ms).
    Service tcsecsecurestorage~service started. (516 ms).
    Service cafeugp~model started. (32 ms).
    Service cafeuer~service started. (0 ms).
    Service tceujwfuiwizsvc started. (0 ms).
    Service cafruntimeconnectivity~impl started. (98747 ms).
    Service cafumrelgroups~imp started. (3815 ms).
    Service jmx started. (4080 ms).
    Service tclmctcconfsservice_sda started. (1048 ms).
    Service CUL started. (1126 ms).
    Service rfcengine started. (3143 ms).
    Service basicadmin started. (5065 ms).
    Service com.adobe~LicenseService started. (954 ms).
    Service tcsecwssec~service started. (10319 ms).
    Service com.adobe~DocumentServicesBinaries2 started. (5518 ms).
    Service com.adobe~PDFManipulation started. (3236 ms).
    Service com.adobe~DocumentServicesLicenseSupportService started. (3251 ms).
    Service com.adobe~DataManagerService started. (5550 ms).
    Service com.adobe~FontManagerService started. (5612 ms).
    Service adminadapter started. (1626 ms).
    Service com.sap.portal.pcd.gl started. (16 ms).
    Service apptracing started. (2846 ms).
    Service monitor started. (1298 ms).
    Service tcsecdestinations~service started. (13054 ms).
    Service sld started. (13492 ms).
    Service com.sap.portal.prt.sapj2ee started. (1923 ms).
    Service pmi started. (1610 ms).
    Service com.adobe~XMLFormService started. (8302 ms).
    Service prtbridge started. (11335 ms).
    Service com.adobe~DocumentServicesDestProtoService started. (1767 ms).
    Service tcsecvsi~service started. (6300 ms).
    Service jms_provider started. (15931 ms).
    Service com.adobe~DocumentServicesConfiguration started. (12366 ms).
    Service com.adobe~TrustManagerService started. (188 ms).
    Service tc.monitoring.logviewer started. (23701 ms).
    ServiceManager started for 142475 ms.
    Framework started for 161863 ms.
    SAP J2EE Engine Version 7.00 PatchLevel 108458.44 is running!
    PatchLevel 108458.44 May 05, 2007 14:23 GMT
    Trace of Node 1:
    stdout/stderr redirect
    node name : server1
    pid : 4168
    system name : KDS
    system nr. : 00
    started at : Thu Dec 20 14:27:26 2007
    Reserved 1610612736 (0x60000000) bytes before loading DLLs.
    Thr 6244 MtxInit: -2 0 0
    CompilerOracle: exclude com/sapportals/portal/pb/layout/taglib/ContainerTag addIviewResources
    CompilerOracle: exclude com/sap/engine/services/keystore/impl/security/CodeBasedSecurityConnector getApplicationDomain
    CompilerOracle: exclude com/sap/engine/services/rmi_p4/P4StubSkeletonGenerator generateStub
    CompilerOracle: exclude com/sapportals/portal/prt/util/StringUtils escapeToJS
    CompilerOracle: exclude com/sapportals/portal/prt/core/broker/PortalServiceItem startServices
    CompilerOracle: exclude com/sap/engine/services/webservices/server/deploy/WSConfigurationHandler downloadFile
    CompilerOracle: exclude com/sapportals/portal/prt/jndisupport/util/AbstractHierarchicalContext lookup
    CompilerOracle: exclude com/sapportals/portal/navigation/cache/CacheNavigationNode getAttributeValue
    CompilerOracle: exclude com/sapportals/portal/navigation/TopLevelNavigationiView PrintNode
    CompilerOracle: exclude com/sapportals/wcm/service/ice/wcm/ICEPropertiesCoder encode
    CompilerOracle: exclude com/sap/lcr/pers/delta/importing/ObjectLoader loadObjects
    CompilerOracle: exclude com/sap/engine/services/webservices/jaxrpc/encoding/InstanceBuilder readElement
    CompilerOracle: exclude com/sap/engine/services/webservices/jaxrpc/encoding/InstanceBuilder readSequence
    CompilerOracle: exclude com/sap/engine/services/webservices/jaxrpc/encoding/TypeMappingImpl initializeRelations
    CompilerOracle: exclude com/sap/engine/services/webservices/jaxrpc/encoding/GeneratedComplexType _loadInto
    SAP J2EE Engine Version 7.00 PatchLevel 108458.44 is starting...
    Loading: LogManager ... 1720 ms.
    Loading: PoolManager ... 16 ms.
    Loading: ApplicationThreadManager ... 250 ms.
    Loading: ThreadManager ... 78 ms.
    Loading: IpVerificationManager ... 31 ms.
    Loading: ClassLoaderManager ... 16 ms.
    Loading: ClusterManager ... 500 ms.
    Loading: LockingManager ... 704 ms.
    Loading: ConfigurationManager ... 10491 ms.
    Loading: LicensingManager ... 31 ms.
    Loading: CacheManager ... 235 ms.
    Loading: ServiceManager ...
    Loading services.:
    0.000: [GC 0.000: DefNew: 87040K->8111K(130560K), 0.0858880 secs] 87040K->8111K(1005056K), 0.0860550 secs
    Service cafeuodi~mnuacc started. (0 ms).
    Service DQE started. (297 ms).
    Service cafeucc~api started. (109 ms).
    Service cross started. (390 ms).
    Service file started. (390 ms).
    Service runtimeinfo started. (422 ms).
    Service userstore started. (376 ms).
    Service memory started. (673 ms).
    Service jmx_notification started. (453 ms).
    Service timeout started. (875 ms).
    Service trex.service started. (704 ms).
    Service p4 started. (656 ms).
    Service classpath_resolver started. (46 ms).
    14.066: [GC 14.066: DefNew: 95151K->10393K(130560K), 0.0932969 secs] 95151K->10393K(1005056K), 0.0934684 secs
    19.895: [GC 19.896: DefNew: 97433K->11125K(130560K), 0.0509232 secs] 97433K->11125K(1005056K), 0.0511944 secs
    Service log_configurator started. (24420 ms).
    Service locking started. (16 ms).
    25.557: [GC 25.557: DefNew: 98165K->13919K(130560K), 0.0770372 secs] 98165K->13919K(1005056K), 0.0771960 secs
    Service http started. (1282 ms).
    Service naming started. (1392 ms).
    Service failover started. (1235 ms).
    Service appclient started. (1485 ms).
    Service javamail started. (1829 ms).
    Service ts started. (1767 ms).
    Service jmsconnector started. (1876 ms).
    Service licensing started. (110 ms).
    Service connector started. (907 ms).
    Service iiop started. (532 ms).
    Service webservices started. (2438 ms).
    48.200: [GC 48.200: DefNew: 100959K->25542K(130560K), 0.1360955 secs] 100959K->25542K(1005056K), 0.1363436 secs
    54.474: [GC 54.474: DefNew: 112582K->20164K(130560K), 0.1008394 secs] 112582K->20164K(1005056K), 0.1009996 secs
    69.199: [GC 69.200: DefNew: 107204K->22875K(130560K), 0.1197005 secs] 107204K->22875K(1005056K), 0.1200568 secs
    Service deploy started. (72543 ms).
    Service configuration started. (140 ms).
    Service bimmrdeployer started. (31 ms).
    Service MigrationService started. (562 ms).
    Service MobileArchiveContainer started. (1516 ms).
    Service MobileSetupGeneration started. (1595 ms).
    Service dbpool started. (5206 ms).
    Service cafeugpmailcf started. (63 ms).
    Service com.sap.security.core.ume.service started. (8161 ms).
    87.782: [GC 87.782: DefNew: 109911K->29413K(130560K), 0.1891978 secs] 109911K->29413K(1005056K), 0.1893808 secs
    Service tcdisdic~srv started. (1282 ms).
    Service security started. (3033 ms).
    Service classload started. (156 ms).
    Service applocking started. (157 ms).
    Service shell started. (313 ms).
    Service tceCATTPingservice started. (94 ms).
    Service telnet started. (312 ms).
    Service ejb started. (922 ms).
    Service developmentserver started. (453 ms).
    Service webdynpro started. (547 ms).
    Service servlet_jsp started. (1173 ms).
    Service dsr started. (1063 ms).
    Service keystore started. (1344 ms).
    Service ssl started. (16 ms).
    Service tcseccertrevoc~service started. (578 ms).
    Service jmx started. (1110 ms).
    Service tcsecsecurestorage~service started. (1047 ms).
    94.120: [GC 94.120: DefNew: 116453K->43520K(130560K), 0.2516995 secs] 116453K->55613K(1005056K), 0.2519682 secs
    Service tclmctcconfsservice_sda started. (2580 ms).
    Service CUL started. (3549 ms).
    Service cafummetadata~imp started. (6254 ms).
    Service cafeugp~model started. (1329 ms).
    Service rfcengine started. (3737 ms).
    Service cafeuer~service started. (0 ms).
    Service tceujwfuiwizsvc started. (16 ms).
    Service com.adobe~DocumentServicesLicenseSupportService started. (4300 ms).
    Service com.adobe~FontManagerService started. (5425 ms).
    Service com.adobe~DataManagerService started. (5582 ms).
    Service com.adobe~DocumentServicesBinaries2 started. (5910 ms).
    Service com.adobe~PDFManipulation started. (4315 ms).
    Service basicadmin started. (7254 ms).
    Service cafruntimeconnectivity~impl started. (100294 ms).
    Service com.adobe~LicenseService started. (297 ms).
    Service prtbridge started. (8098 ms).
    Service apptracing started. (3643 ms).
    Service tcsecwssec~service started. (8208 ms).
    Service adminadapter started. (1532 ms).
    Service cafumrelgroups~imp started. (5613 ms).
    Service com.sap.portal.pcd.gl started. (438 ms).
    104.035: [GC 104.036: DefNew: 130560K->43520K(130560K), 0.4183386 secs] 142653K->62215K(1005056K), 0.4185225 secs
    Service com.adobe~XMLFormService started. (9162 ms).
    Service monitor started. (3268 ms).
    Service sld started. (12382 ms).
    Service com.sap.portal.prt.sapj2ee started. (125 ms).
    106.513: [GC 106.513: DefNew: 130545K->40021K(130560K), 0.2210693 secs] 149241K->63511K(1005056K), 0.2212475 secs
    Service com.adobe~DocumentServicesConfiguration started. (7645 ms).
    Service com.adobe~TrustManagerService started. (94 ms).
    Service tcsecdestinations~service started. (14790 ms).
    110.328: [GC 110.329: DefNew: 126991K->37367K(130560K), 0.1896564 secs] 150481K->64176K(1005056K), 0.1898111 secs
    Service pmi started. (1939 ms).
    Service com.adobe~DocumentServicesDestProtoService started. (78 ms).
    Service tcsecvsi~service started. (2079 ms).
    114.407: [GC 114.407: DefNew: 124395K->38325K(130560K), 0.1181515 secs] 151204K->65134K(1005056K), 0.1183338 secs
    119.591: [GC 119.591: DefNew: 125360K->39243K(130560K), 0.1979451 secs] 152169K->66052K(1005056K), 0.1981060 secs
    122.205: [GC 122.205: DefNew: 126283K->39785K(130560K), 0.1415175 secs] 153092K->66851K(1005056K), 0.1416860 secs
    Service tc.monitoring.logviewer started. (30502 ms).
    Service jms_provider started. (31486 ms).
    ServiceManager started for 142552 ms.
    Framework started for 158391 ms.
    SAP J2EE Engine Version 7.00 PatchLevel 108458.44 is running!
    PatchLevel 108458.44 May 05, 2007 14:23 GMT
    145.476: [GC 145.476: DefNew: 126825K->40239K(130560K), 0.1088881 secs] 153891K->69357K(1005056K), 0.1090310 secs
    154.856: [GC 154.856: DefNew: 127279K->41929K(130560K), 0.1665652 secs] 156397K->74781K(1005056K), 0.1667231 secs
    402.301: [GC 402.301: DefNew: 128878K->18046K(130560K), 0.1411321 secs] 161730K->73978K(1005056K), 0.1413031 secs
    404.085: [GC 404.085: DefNew: 105086K->18796K(130560K), 0.0750212 secs] 161018K->74729K(1005056K), 0.0751696 secs
    409.852: [GC 409.852: DefNew: 105836K->26140K(130560K), 0.1006458 secs] 161769K->82072K(1005056K), 0.1008288 secs
    regards,
    S.Rajeshkumar
    Edited by: Rajesh kumar on Dec 20, 2007 3:18 PM

    Hi Mahesh,
    trc file: "D:\usr\sap\KDS\DVEBMGS00\work\dev_server0", trc level: 1, release: "700"
    node name   : ID3439450
    pid         : 4012
    system name : KDS
    system nr.  : 00
    started at  : Tue Dec 25 16:58:17 2007
    arguments       :
           arg[00] : D:\usr\sap\KDS\DVEBMGS00\exe\jlaunch.exe
           arg[01] : pf=D:\usr\sap\KDS\SYS\profile\KDS_DVEBMGS00_kaar-server3
           arg[02] : -DSAPINFO=KDS_00_server
           arg[03] : pf=D:\usr\sap\KDS\SYS\profile\KDS_DVEBMGS00_kaar-server3
           arg[04] : -DSAPSTART=1
           arg[05] : -DCONNECT_PORT=1107
           arg[06] : -DSAPSYSTEM=00
           arg[07] : -DSAPSYSTEMNAME=KDS
           arg[08] : -DSAPMYNAME=kaar-server3_KDS_00
           arg[09] : -DSAPPROFILE=D:\usr\sap\KDS\SYS\profile\KDS_DVEBMGS00_kaar-server3
           arg[10] : -DFRFC_FALLBACK=ON
           arg[11] : -DFRFC_FALLBACK_HOST=localhost
    [Thr 2576] Tue Dec 25 16:58:17 2007
    [Thr 2576] *** WARNING => INFO: Unknown property [instance.box.number=KDSDVEBMGS00kaar-server3] [jstartxx.c   841]
    [Thr 2576] *** WARNING => INFO: Unknown property [instance.en.host=kaar-server3] [jstartxx.c   841]
    [Thr 2576] *** WARNING => INFO: Unknown property [instance.en.port=3201] [jstartxx.c   841]
    [Thr 2576] *** WARNING => INFO: Unknown property [instance.system.id=0] [jstartxx.c   841]
    JStartupReadInstanceProperties: read instance properties [D:\usr\sap\KDS\DVEBMGS00\j2ee\cluster\instance.properties]
    -> ms host    : kaar-server3
    -> ms port    : 3901
    -> OS libs    : D:\usr\sap\KDS\DVEBMGS00\j2ee\os_libs
    -> Admin URL  :
    -> run mode   : normal
    -> run action : NONE
    -> enabled    : yes
    Used property files
    -> files [00] : D:\usr\sap\KDS\DVEBMGS00\j2ee\cluster\instance.properties
    Instance properties
    -> ms host    : kaar-server3
    -> ms port    : 3901
    -> os libs    : D:\usr\sap\KDS\DVEBMGS00\j2ee\os_libs
    -> admin URL  :
    -> run mode   : normal
    -> run action : NONE
    -> enabled    : yes
    Bootstrap nodes
    -> [00] bootstrap            : D:\usr\sap\KDS\DVEBMGS00\j2ee\cluster\instance.properties
    -> [01] bootstrap_ID3439400  : D:\usr\sap\KDS\DVEBMGS00\j2ee\cluster\instance.properties
    -> [02] bootstrap_ID3439450  : D:\usr\sap\KDS\DVEBMGS00\j2ee\cluster\instance.properties
    -> [03] bootstrap_ID3439451  : D:\usr\sap\KDS\DVEBMGS00\j2ee\cluster\instance.properties
    Worker nodes
    -> [00] ID3439400            : D:\usr\sap\KDS\DVEBMGS00\j2ee\cluster\instance.properties
    -> [01] ID3439450            : D:\usr\sap\KDS\DVEBMGS00\j2ee\cluster\instance.properties
    -> [02] ID3439451            : D:\usr\sap\KDS\DVEBMGS00\j2ee\cluster\instance.properties
    [Thr 2576] JLaunchRequestQueueInit: create named pipe for ipc
    [Thr 2576] JLaunchRequestQueueInit: create pipe listener thread
    [Thr 4124] WaitSyncSemThread: Thread 4124 started as semaphore monitor thread.
    [Thr 4120] JLaunchRequestFunc: Thread 4120 started as listener thread for np messages.
    [Thr 2576] NiInit3: NI already initialized; param 'maxHandles' ignored (1;1002)
    [Thr 2576] CPIC (version=700.2006.09.13)
    [Thr 2576] [Node: server0] java home is set by profile parameter
         Java Home: C:\j2sdk1.4.2_09
    [Thr 2576] JStartupICheckFrameworkPackage: can't find framework package D:\usr\sap\KDS\DVEBMGS00\exe\jvmx.jar
    JStartupIReadSection: read node properties [ID3439450]
    -> node name          : server0
    -> node type          : server
    -> node execute       : yes
    -> jlaunch parameters :
    -> java path          : C:\j2sdk1.4.2_09
    -> java parameters    : -Djava.io.tmpdir=D:\ep_temp -Dcm.tmpdir=D:\ep_temp -Djava.security.policy=./java.policy -Djava.security.egd=file:/dev/urandom -Dorg.omg.CORBA.ORBClass=com.sap.engine.system.ORBProxy -Dorg.omg.CORBA.ORBSingletonClass=com.sap.engine.system.ORBSingletonProxy -Djavax.rmi.CORBA.PortableRemoteObjectClass=com.sap.engine.system.PortableRemoteObjectProxy -XX:MaxPermSize=192M -XX:PermSize=192M -XX:NewSize=170M -XX:MaxNewSize=170M -XX:DisableExplicitGC -verbose:gc -Xloggc:GC.log -XX:PrintGCDetails -XX:PrintGCTimeStamps -Djava.awt.headless=true -Dsun.io.useCanonCaches=false -XX:SoftRefLRUPolicyMSPerMB=1 -XX:SurvivorRatio=2 -XX:TargetSurvivorRatio=90 -Dorg.omg.PortableInterceptor.ORBInitializerClass.com.sap.engine.services.ts.jts.ots.PortableInterceptor.JTSInitializer -XX:UseTLAB -XX:+UseParNewGC -Dorg.xml.sax.driver=com.sap.engine.lib.xml.parser.SAXParser
    -> java vm version    : 1.4.2_09-b05
    -> java vm vendor     : Java HotSpot(TM) Server VM (Sun Microsystems Inc.)
    -> java vm type       : server
    -> java vm cpu        : x86
    -> heap size          : 1024M
    -> init heap size     : 1024M
    -> root path          : D:\usr\sap\KDS\DVEBMGS00\j2ee\cluster\server0
    -> class path         : .\bin\boot\boot.jar;.\bin\boot\jaas.jar;.\bin\system\bytecode.jar;.
    -> OS libs path       : D:\usr\sap\KDS\DVEBMGS00\j2ee\os_libs
    -> main class         : com.sap.engine.boot.Start
    -> framework class    : com.sap.bc.proj.jstartup.JStartupFramework
    -> registr. class     : com.sap.bc.proj.jstartup.JStartupNatives
    -> framework path     : D:\usr\sap\KDS\DVEBMGS00\exe\jstartup.jar;D:\usr\sap\KDS\DVEBMGS00\exe\jvmx.jar
    -> shutdown class     : com.sap.engine.boot.Start
    -> parameters         :
    -> debuggable         : no
    -> debug mode         : no
    -> debug port         : 50021
    -> shutdown timeout   : 120000
    [Thr 2576] JLaunchISetDebugMode: set debug mode [no]
    [Thr 4152] JLaunchIStartFunc: Thread 4152 started as Java VM thread.
    JHVM_LoadJavaVM: VM Arguments of node [server0]
    -> stack   : 262144 Bytes
    -> arg[  0]: exit
    -> arg[  1]: abort
    -> arg[  2]: vfprintf
    -> arg[  3]: -Djava.io.tmpdir=D:\ep_temp
    -> arg[  4]: -Dcm.tmpdir=D:\ep_temp
    -> arg[  5]: -Djava.security.policy=./java.policy
    -> arg[  6]: -Djava.security.egd=file:/dev/urandom
    -> arg[  7]: -Dorg.omg.CORBA.ORBClass=com.sap.engine.system.ORBProxy
    -> arg[  8]: -Dorg.omg.CORBA.ORBSingletonClass=com.sap.engine.system.ORBSingletonProxy
    -> arg[  9]: -Djavax.rmi.CORBA.PortableRemoteObjectClass=com.sap.engine.system.PortableRemoteObjectProxy
    -> arg[ 10]: -XX:MaxPermSize=192M
    -> arg[ 11]: -XX:PermSize=192M
    -> arg[ 12]: -XX:NewSize=170M
    -> arg[ 13]: -XX:MaxNewSize=170M
    -> arg[ 14]: -XX:+DisableExplicitGC
    -> arg[ 15]: -verbose:gc
    -> arg[ 16]: -Xloggc:GC.log
    -> arg[ 17]: -XX:+PrintGCDetails
    -> arg[ 18]: -XX:+PrintGCTimeStamps
    -> arg[ 19]: -Djava.awt.headless=true
    -> arg[ 20]: -Dsun.io.useCanonCaches=false
    -> arg[ 21]: -XX:SoftRefLRUPolicyMSPerMB=1
    -> arg[ 22]: -XX:SurvivorRatio=2
    -> arg[ 23]: -XX:TargetSurvivorRatio=90
    -> arg[ 24]: -Dorg.omg.PortableInterceptor.ORBInitializerClass.com.sap.engine.services.ts.jts.ots.PortableInterceptor.JTSInitializer
    -> arg[ 25]: -XX:+UseTLAB
    -> arg[ 26]: -XX:+UseParNewGC
    -> arg[ 27]: -Dorg.xml.sax.driver=com.sap.engine.lib.xml.parser.SAXParser
    -> arg[ 28]: -Dsys.global.dir=D:\usr\sap\KDS\SYS\global
    -> arg[ 29]: -Dapplication.home=D:\usr\sap\KDS\DVEBMGS00\exe
    -> arg[ 30]: -Djava.class.path=D:\usr\sap\KDS\DVEBMGS00\exe\jstartup.jar;D:\usr\sap\KDS\DVEBMGS00\exe\jvmx.jar;.\bin\boot\boot.jar;.\bin\boot\jaas.jar;.\bin\system\bytecode.jar;.
    -> arg[ 31]: -Djava.library.path=C:\j2sdk1.4.2_09\jre\bin\server;C:\j2sdk1.4.2_09\jre\bin;C:\j2sdk1.4.2_09\bin;D:\usr\sap\KDS\DVEBMGS00\j2ee\os_libs;D:\usr\sap\KDS\SYS\profile;D:\usr\sap\KDS\SCS01\exe;D:\usr\sap\KDS\SYS\exe\nuc\NTI386;C:\WINDOWS\system32;C:\Program Files\Microsoft SQL Server\90\Tools\binn\;C:\Program Files\Microsoft SQL Server\90\DTS\Binn\;C:\Program Files\Microsoft SQL Server\90\Tools\Binn\VSShell\Common7\IDE\;C:\j2sdk1.4.2_09\bin
    -> arg[ 32]: -Dmemory.manager=1024M
    -> arg[ 33]: -Xmx1024M
    -> arg[ 34]: -Xms1024M
    -> arg[ 35]: -DLoadBalanceRestricted=no
    -> arg[ 36]: -Djstartup.mode=JCONTROL
    -> arg[ 37]: -Djstartup.ownProcessId=4012
    -> arg[ 38]: -Djstartup.ownHardwareId=G1140690284
    -> arg[ 39]: -Djstartup.whoami=server
    -> arg[ 40]: -Djstartup.debuggable=no
    -> arg[ 41]: -DSAPINFO=KDS_00_server
    -> arg[ 42]: -DSAPSTART=1
    -> arg[ 43]: -DCONNECT_PORT=1107
    -> arg[ 44]: -DSAPSYSTEM=00
    -> arg[ 45]: -DSAPSYSTEMNAME=KDS
    -> arg[ 46]: -DSAPMYNAME=kaar-server3_KDS_00
    -> arg[ 47]: -DSAPPROFILE=D:\usr\sap\KDS\SYS\profile\KDS_DVEBMGS00_kaar-server3
    -> arg[ 48]: -DFRFC_FALLBACK=ON
    -> arg[ 49]: -DFRFC_FALLBACK_HOST=localhost
    -> arg[ 50]: -DSAPSTARTUP=1
    -> arg[ 51]: -DSAPSYSTEM=00
    -> arg[ 52]: -DSAPSYSTEMNAME=KDS
    -> arg[ 53]: -DSAPMYNAME=kaar-server3_KDS_00
    -> arg[ 54]: -DSAPDBHOST=KAAR-SERVER3
    -> arg[ 55]: -Dj2ee.dbhost=KAAR-SERVER3
    CompilerOracle: exclude com/sapportals/portal/pb/layout/taglib/ContainerTag addIviewResources
    CompilerOracle: exclude com/sap/engine/services/keystore/impl/security/CodeBasedSecurityConnector getApplicationDomain
    CompilerOracle: exclude com/sap/engine/services/rmi_p4/P4StubSkeletonGenerator generateStub
    CompilerOracle: exclude com/sapportals/portal/prt/util/StringUtils escapeToJS
    CompilerOracle: exclude com/sapportals/portal/prt/core/broker/PortalServiceItem startServices
    CompilerOracle: exclude com/sap/engine/services/webservices/server/deploy/WSConfigurationHandler downloadFile
    CompilerOracle: exclude com/sapportals/portal/prt/jndisupport/util/AbstractHierarchicalContext lookup
    CompilerOracle: exclude com/sapportals/portal/navigation/cache/CacheNavigationNode getAttributeValue
    CompilerOracle: exclude com/sapportals/portal/navigation/TopLevelNavigationiView PrintNode
    CompilerOracle: exclude com/sapportals/wcm/service/ice/wcm/ICEPropertiesCoder encode
    CompilerOracle: exclude com/sap/lcr/pers/delta/importing/ObjectLoader loadObjects
    CompilerOracle: exclude com/sap/engine/services/webservices/jaxrpc/encoding/InstanceBuilder readElement
    CompilerOracle: exclude com/sap/engine/services/webservices/jaxrpc/encoding/InstanceBuilder readSequence
    CompilerOracle: exclude com/sap/engine/services/webservices/jaxrpc/encoding/TypeMappingImpl initializeRelations
    CompilerOracle: exclude com/sap/engine/services/webservices/jaxrpc/encoding/GeneratedComplexType _loadInto
    [Thr 4152] Tue Dec 25 16:58:18 2007
    [Thr 4152] JHVM_LoadJavaVM: Java VM created OK.
    JHVM_BuildArgumentList: main method arguments of node [server0]
    [Thr 3560] Tue Dec 25 16:58:38 2007
    [Thr 3560] JHVM_RegisterNatives: registering methods in com.sap.bc.krn.perf.PerfTimes
    [Thr 3560] Tue Dec 25 16:58:39 2007
    [Thr 3560] JHVM_RegisterNatives: registering methods in com.sap.bc.proj.jstartup.JStartupFramework
    [Thr 3560] Tue Dec 25 16:58:40 2007
    [Thr 3560] JLaunchISetClusterId: set cluster id 3439450
    [Thr 3560] Tue Dec 25 16:58:41 2007
    [Thr 3560] JLaunchISetState: change state from [Initial (0)] to [Waiting for start (1)]
    [Thr 3560] JLaunchISetState: change state from [Waiting for start (1)] to [Starting (2)]
    [Thr 3100] Tue Dec 25 17:01:33 2007
    [Thr 3100] JHVM_RegisterNatives: registering methods in com.sap.mw.rfc.driver.CpicDriver
    [Thr 3100] Tue Dec 25 17:01:34 2007
    [Thr 3100] JHVM_RegisterNatives: registering methods in com.sap.i18n.cp.ConverterJNI
    [Thr 3100] Tue Dec 25 17:01:35 2007
    [Thr 3100] JHVM_RegisterNatives: registering methods in com.sap.mw.rfc.engine.Compress
    [Thr 2068] Tue Dec 25 17:02:00 2007
    [Thr 2068] JHVM_RegisterNatives: registering methods in com.sap.security.core.server.vsi.service.jni.VirusScanInterface
    [Thr 3560] Tue Dec 25 17:03:18 2007
    [Thr 3560] JLaunchISetState: change state from [Starting (2)] to [Starting applications (10)]
    stdout/stderr redirect
    node name   : server0
    pid         : 628
    system name : KDS
    system nr.  : 00
    started at  : Tue Dec 25 16:58:17 2007
    Reserved 1610612736 (0x60000000) bytes before loading DLLs.
    [Thr 2576] MtxInit: -2 0 0
    CompilerOracle: exclude com/sapportals/portal/pb/layout/taglib/ContainerTag addIviewResources
    CompilerOracle: exclude com/sap/engine/services/keystore/impl/security/CodeBasedSecurityConnector getApplicationDomain
    CompilerOracle: exclude com/sap/engine/services/rmi_p4/P4StubSkeletonGenerator generateStub
    CompilerOracle: exclude com/sapportals/portal/prt/util/StringUtils escapeToJS
    CompilerOracle: exclude com/sapportals/portal/prt/core/broker/PortalServiceItem startServices
    CompilerOracle: exclude com/sap/engine/services/webservices/server/deploy/WSConfigurationHandler downloadFile
    CompilerOracle: exclude com/sapportals/portal/prt/jndisupport/util/AbstractHierarchicalContext lookup
    CompilerOracle: exclude com/sapportals/portal/navigation/cache/CacheNavigationNode getAttributeValue
    CompilerOracle: exclude com/sapportals/portal/navigation/TopLevelNavigationiView PrintNode
    CompilerOracle: exclude com/sapportals/wcm/service/ice/wcm/ICEPropertiesCoder encode
    CompilerOracle: exclude com/sap/lcr/pers/delta/importing/ObjectLoader loadObjects
    CompilerOracle: exclude com/sap/engine/services/webservices/jaxrpc/encoding/InstanceBuilder readElement
    CompilerOracle: exclude com/sap/engine/services/webservices/jaxrpc/encoding/InstanceBuilder readSequence
    CompilerOracle: exclude com/sap/engine/services/webservices/jaxrpc/encoding/TypeMappingImpl initializeRelations
    CompilerOracle: exclude com/sap/engine/services/webservices/jaxrpc/encoding/GeneratedComplexType _loadInto
    SAP J2EE Engine Version 7.00   PatchLevel 108458.44 is starting...
    Loading: LogManager ... 10652 ms.
    Loading: PoolManager ... 0 ms.
    Loading: ApplicationThreadManager ... 131 ms.
    Loading: ThreadManager ... 49 ms.
    Loading: IpVerificationManager ... 50 ms.
    Loading: ClassLoaderManager ... 16 ms.
    Loading: ClusterManager ... 1754 ms.
    Loading: LockingManager ... 229 ms.
    Loading: ConfigurationManager ... 5326 ms.
    Loading: LicensingManager ... 99 ms.
    Loading: CacheManager ... 246 ms.
    Loading: ServiceManager ...
    Loading services.:
      Service memory started. (32 ms).
      Service timeout started. (81 ms).
      Service DQE started. (0 ms).
      Service runtimeinfo started. (32 ms).
      Service cross started. (505 ms).
      Service file started. (733 ms).
      Service cafeuodi~mnuacc started. (0 ms).
      Service trex.service started. (49 ms).
      Service p4 started. (3569 ms).
      Service classpath_resolver started. (65 ms).
      Service cafeucc~api started. (10739 ms).
      Service userstore started. (0 ms).
      Service jmx_notification started. (33 ms).
      Service log_configurator started. (29268 ms).
      Service locking started. (0 ms).
      Service http started. (619 ms).
      Service naming started. (2754 ms).
      Service ts started. (81 ms).
      Service licensing started. (82 ms).
      Service appclient started. (326 ms).
      Service failover started. (358 ms).
      Service javamail started. (1499 ms).
      Service jmsconnector started. (864 ms).
      Service iiop started. (2592 ms).
      Service connector started. (179 ms).
      Service webservices started. (15579 ms).
      Service deploy started. (129447 ms).
      Service MigrationService started. (97 ms).
      Service configuration started. (97 ms).
      Service bimmrdeployer started. (17 ms).
      Service MobileArchiveContainer started. (453 ms).
      Service MobileSetupGeneration started. (695 ms).
      Service dbpool started. (6056 ms).
      Service cafeugpmailcf started. (129 ms).
      Service com.sap.security.core.ume.service started. (10109 ms).
      Service security started. (2100 ms).
      Service jmx started. (388 ms).
      Service basicadmin started. (501 ms).
      Service adminadapter started. (145 ms).
      Service classload started. (355 ms).
      Service applocking started. (48 ms).
      Service servlet_jsp started. (1437 ms).
      Service cafruntimeconnectivity~impl started. (137824 ms).
      Service tclmctcconfsservice_sda started. (48 ms).
      Service CUL started. (904 ms).
      Service com.sap.portal.pcd.gl started. (0 ms).
      Service com.adobe~LicenseService started. (2842 ms).
      Service cafummetadata~imp started. (2745 ms).
      Service keystore started. (7073 ms).
      Service shell started. (5846 ms).
      Service tcsecsecurestorage~service started. (114 ms).
      Service tcseccertrevoc~service started. (145 ms).
      Service com.adobe~DataManagerService started. (888 ms).
      Service ssl started. (0 ms).
      Service tceCATTPingservice started. (0 ms).
      Service tcsecdestinations~service started. (840 ms).
      Service telnet started. (2972 ms).
      Service cafumrelgroups~imp started. (969 ms).
      Service prtbridge started. (4554 ms).
      Service pmi started. (16 ms).
      Service tcsecvsi~service started. (258 ms).
      Service dsr started. (6540 ms).
      Service apptracing started. (10077 ms).
      Service ejb started. (8478 ms).
      Service monitor started. (3132 ms).
      Service webdynpro started. (20622 ms).
      Service com.adobe~DocumentServicesDestProtoService started. (17683 ms).
      Service com.adobe~DocumentServicesLicenseSupportService started. (25370 ms).
      Service com.adobe~DocumentServicesBinaries2 started. (25483 ms).
      Service com.adobe~XMLFormService started. (25030 ms).
      Service developmentserver started. (17505 ms).
      Service rfcengine started. (14179 ms).
      Service com.adobe~DocumentServicesConfiguration started. (21397 ms).
      Service jms_provider started. (25547 ms).
      Service tcsecwssec~service started. (18103 ms).
      Service sld started. (22157 ms).
      Service com.adobe~TrustManagerService started. (81 ms).
      Service tcdisdic~srv started. (34510 ms).
      Service com.adobe~PDFManipulation started. (27356 ms).
      Service com.sap.portal.prt.sapj2ee started. (24849 ms).
      Service cafeugp~model started. (16 ms).
      Service cafeuer~service started. (0 ms).
      Service tceujwfuiwizsvc started. (19869 ms).
      Service com.adobe~FontManagerService started. (58277 ms).
      Service tc.monitoring.logviewer started. (83829 ms).
    ServiceManager started for 271069 ms.
    Framework started for 290933 ms.
    SAP J2EE Engine Version 7.00   PatchLevel 108458.44 is running!
    PatchLevel 108458.44 May 05, 2007 14:23 GMT
    regards,
    S.Rajeshkumar

  • Sql_trace does not work for Java app using Oracle JDBC thin driver

    Hi,
    I'm using Oracle 8.1.7. I enabled sql trace at instance level by setting sql_trace and timed_statistics to true in init.ora. I restarted the db instance. I wrote a stand-alone java application which used Oracle JDBC thin driver(classes12.zip) to make a connection to my db instance, do some select statements, and close the connection. There were no trace files generated in the folder specified by udump_dest variable. However, if I used sqlplus or dba studio, I saw trace files generated. Has anyone got Oracle sql trace work for JDBC calls from java apps.
    Thanks in advance!

    Hi,
    I'm using Oracle 8.1.7. I enabled sql trace at instance level by setting sql_trace and timed_statistics to true in init.ora. I restarted the db instance. I wrote a stand-alone java application which used Oracle JDBC thin driver(classes12.zip) to make a connection to my db instance, do some select statements, and close the connection. There were no trace files generated in the folder specified by udump_dest variable. However, if I used sqlplus or dba studio, I saw trace files generated. Has anyone got Oracle sql trace work for JDBC calls from java apps.
    Thanks in advance!

  • Simple Web Frontend for existing Java app

    Hi there!
    (sorry for my english at first ;)
    I have an existing java app which currently is used via command line. It's a server application which mostly does monitoring outputs and functions you can use in the shell are like starting/stopping the server. For these outputs and for starting/stopping and so on i want to create a simple web frontend which gives me the ability to do this.
    What do i need? It would be fine if i do not have to set up a large tomcat server because the program should run out of the box. Of course i want to access the website via the internet (simple login). The whole thing would be about 2-5 simple pages. Best thing would be if i could update the monitoring variables via java script.
    Can i use servlets (not much experience with it so far, that's why i ask :) )? What do i need for the webserver? Can i access my data variables from right from the servlet?
    Thanks in advance,
    kiwaque

    If you are familiar with Swing, I would suggest GWT for the Frontend... you can build and debug the Frontend similar to a Swing App, and then compile it to HTML/CSS/Javascript...

  • Set up DB Connection Pool for Oracle DataBase Using Java App Server8

    Hi,
    In the Admin Console of Java App Server 8, I tried to create a connection pool for the oracle database. I chose Resource Type to be "javax.sql.ConnectionPoolDataSource" and the Vendor is Oracle. So the Data Source Class Name is filled by the system to be "oracle.jdbc.pool.OracleConnectionPoolDataSource". Now, I set up the class path to point to the database driver class "sun.jdbc.odbc.JdbcOdbcDriver" and also the to the Data Source Class Name. Also I set up the JVM options in the console. Restart the server, and then try to ping to the database, but get the error:
    Operation 'pingConnectionPool' failed in 'resources' Config Mbean. Target exception message: Connection could not be allocated because: No suitable driver
    I don't understand what else I should do and why this error is coming?
    Please help me out.
    Thank you
    Regards,
    Sarah

    Hi,
    I've already solve the problem. I did the following:
    set the Url to be: jdbc:oracle:thin:@hostname:port:SID
    set username
    set password
    add oracle.jdbc.drivers.OracleDriver into the JVM options -Djdbc.drivers
    restart the server
    test the connection
    it works :)

Maybe you are looking for

  • Obtaining accurate printing results

    Hi, I am using Ps CS5.1, Canon printer Pixma MP988 & a Mac OS X10.9.1. In the last couple of weeks I no longer am getting correct pri ntouts, I susspect something related to colour profiling has recently changed (I must have done it myself but not aw

  • Problems trying to change frequency band on Airport Express

    I'm trying to solve drop-out issues, when playing music from I-tunes etc over airport express connected to stereo, by changing frequency band and channel on my Time Capsule-router with Airport Utility. My problem is that I changed it to 5Ghz, and whe

  • Unable to GUI into an 4710 appliance

    Hi..we have a pair of 4710 appliances and we're able to ssh and HTTPS into one, but not HTTPS into the other. Is there a  "lighting rod" as far as configuring the GUI access on the 4710 appliance? Thanks

  • Function calling

    We have a PL/SQL block with a structure as below: DECLARE CURSOR query1 as select .... from ... where ... ; BEGIN FOR rec IN query1 LOOP CALL Function1(objid,date) END LOOP END;The structure of the function is as below: FUNCTION Function1(objid IN NU

  • Size (in Bytes) of data in response.

    Hi; Is there a quick way of getting the size (length of data) in the response? The api, as I see it, only has a reponse.getBufferSize. I need something like string.length(). Thank you much. nat