The method to provision the OIM System Date to a target System

Hi,
I want to provision the OIM System Date(date format : "YYYY-MM-DD HH:MI:SS") to a target System(DB Type:Oracle).
The Column type in The target System is Date Type.
I use the process adapter and assign the System Date to the Process Data - Date Type Column - in the target System.
it doesn't work.
How do i do?????
please help me

- That's simple. You have already created this date type variable in your process form. Now pass it in whichever format it is. In your code for creation in oracle, do a date conversion as required using custom code. This would work if you have written your code and you are not using DBApp Tables connector. Do it as follows:
     SimpleDateFormat input = new SimpleDateFormat("OIM_DATE_FORMAT");
     SimpleDateFormat output = new SimpleDateFormat("ORACLE_DB_DATE_FORMAT");
     Date date = input.parse("Pass form date over here");
     return output.format(date); // Pass this value to Oracle
- If its DBApp Table connector then connector must take care of this by itself.
Thanks
Sunny

Similar Messages

  • The Method to reflect the changed OIM User Prifile to the Target Resource

    After completing the Trusted Reconciliation,
    The Method to reflect the changed OIM User Prifile to the Target Resource Account
    question)
    1. If i execute the Reconciliation of the target system, the current OIM User Profile information is automatically reflected in the target system

    Don't create threads for the same question:
    errorlog : Empty parent row cannot be updated ... what????

  • The method clone() from the type Object is not visible

    Hi,
    This is my 1st post here for a few years, i have just returned to java.
    I am working through a java gaming book, and the "The method clone() from the type Object is not visible" appears, preventing the program from running. I understand "clone" as making a new copy of an object, allowing multiple different copies to be made.
    The error occurs here
    public Object clone() {
            // use reflection to create the correct subclass
            Constructor constructor = getClass().getConstructors()[0];
            try {
                return constructor.newInstance(new Object[] {
                    (Animation)left.clone(),
                    (Animation)right.clone(),
                    (Animation)deadLeft.clone(),
                    (Animation)deadRight.clone()
            catch (Exception ex) {
                // should never happen
                ex.printStackTrace();
                return null;
        }The whole code for this class is here
    package tilegame.sprites;
    import java.lang.reflect.Constructor;
    import graphics.*;
        A Creature is a Sprite that is affected by gravity and can
        die. It has four Animations: moving left, moving right,
        dying on the left, and dying on the right.
    public abstract class Creature extends Sprite {
            Amount of time to go from STATE_DYING to STATE_DEAD.
        private static final int DIE_TIME = 1000;
        public static final int STATE_NORMAL = 0;
        public static final int STATE_DYING = 1;
        public static final int STATE_DEAD = 2;
        private Animation left;
        private Animation right;
        private Animation deadLeft;
        private Animation deadRight;
        private int state;
        private long stateTime;
            Creates a new Creature with the specified Animations.
        public Creature(Animation left, Animation right,
            Animation deadLeft, Animation deadRight)
            super(right);
            this.left = left;
            this.right = right;
            this.deadLeft = deadLeft;
            this.deadRight = deadRight;
            state = STATE_NORMAL;
        public Object clone() {
            // use reflection to create the correct subclass
            Constructor constructor = getClass().getConstructors()[0];
            try {
                return constructor.newInstance(new Object[] {
                    (Animation)left.clone(),
                    (Animation)right.clone(),
                    (Animation)deadLeft.clone(),
                    (Animation)deadRight.clone()
            catch (Exception ex) {
                // should never happen
                ex.printStackTrace();
                return null;
            Gets the maximum speed of this Creature.
        public float getMaxSpeed() {
            return 0;
            Wakes up the creature when the Creature first appears
            on screen. Normally, the creature starts moving left.
        public void wakeUp() {
            if (getState() == STATE_NORMAL && getVelocityX() == 0) {
                setVelocityX(-getMaxSpeed());
            Gets the state of this Creature. The state is either
            STATE_NORMAL, STATE_DYING, or STATE_DEAD.
        public int getState() {
            return state;
            Sets the state of this Creature to STATE_NORMAL,
            STATE_DYING, or STATE_DEAD.
        public void setState(int state) {
            if (this.state != state) {
                this.state = state;
                stateTime = 0;
                if (state == STATE_DYING) {
                    setVelocityX(0);
                    setVelocityY(0);
            Checks if this creature is alive.
        public boolean isAlive() {
            return (state == STATE_NORMAL);
            Checks if this creature is flying.
        public boolean isFlying() {
            return false;
            Called before update() if the creature collided with a
            tile horizontally.
        public void collideHorizontal() {
            setVelocityX(-getVelocityX());
            Called before update() if the creature collided with a
            tile vertically.
        public void collideVertical() {
            setVelocityY(0);
            Updates the animaton for this creature.
        public void update(long elapsedTime) {
            // select the correct Animation
            Animation newAnim = anim;
            if (getVelocityX() < 0) {
                newAnim = left;
            else if (getVelocityX() > 0) {
                newAnim = right;
            if (state == STATE_DYING && newAnim == left) {
                newAnim = deadLeft;
            else if (state == STATE_DYING && newAnim == right) {
                newAnim = deadRight;
            // update the Animation
            if (anim != newAnim) {
                anim = newAnim;
                anim.start();
            else {
                anim.update(elapsedTime);
            // update to "dead" state
            stateTime += elapsedTime;
            if (state == STATE_DYING && stateTime >= DIE_TIME) {
                setState(STATE_DEAD);
    }Any advice? Is it "protected"? Is the code out-of-date?
    thankyou,
    Lance 28

    Lance28 wrote:
    Any advice? Is it "protected"? Is the code out-of-date?Welcome to the wonderful world of Cloneable. In answer to your first question: Object's clone() method is protected.
    A quote from Josh Bloch's "Effective Java" (Item 10):
    "A class that implements Cloneable is expected to provide a properly functioning public clone() method. It is not, in general, possible to do so unless +all+ of the class's superclasses provide a well-behaved clone implementation, whether public or protected."
    One way to check that would be to see if super.clone() works. Their method uses reflection to try and construct a valid Creature, but it relies on Animation's clone() method, which itself may be faulty. Bloch suggests the following pattern:public Object clone() throws CloneNotSupportedException {
       ThisClass copy = (ThisClass) super.clone();
       // do any additional initialization required...
       return copy
    if that doesn't work, you +may+ be out of luck.
    Another thing to note is that Object's clone() method returns a +shallow+ copy of the original object. If it contains any data structures (eg, Collections or arrays) that point to other objects, you may find that your cloned object is now sharing those with the original.
    Good luck.                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                           

  • Call of the method START_ROUTINE of the class LCL_TRANSFORM failed; wrong type for parameter SOURCE_PACKAGE

    Hi,
    My DTP load failed due to following error.
    Call of the method START_ROUTINE of the class LCL_TRANSFORM failed; wrong type for parameter SOURCE_PACKAGE
    I don't think anything wrong with the following code as data loads successfully every day. Can any one check?  What could be the issue?
    METHOD start_routine.
    *=== Segments ===
         FIELD-SYMBOLS:
           <SOURCE_FIELDS>    TYPE _ty_s_SC_1.
         DATA:
           MONITOR_REC     TYPE rstmonitor.
    *$*$ begin of routine - insert your code only below this line        *-*
    *   Fail safe which replaces DTP selection, just in case
         DELETE SOURCE_PACKAGE WHERE version EQ 'A'.
    *   Fill lookup table for the ISPG
         SELECT p~comp_code m~mat_plant m~/bic/zi_cpispg
           INTO TABLE tb_lookup
         FROM /bi0/pplant AS p INNER JOIN /bi0/pmat_plant AS m ON
           p~objvers EQ m~objvers AND
           p~plant   EQ m~plant
         FOR ALL ENTRIES IN SOURCE_PACKAGE
         WHERE p~objvers   EQ 'A' AND
               p~comp_code EQ SOURCE_PACKAGE-comp_code AND
               m~mat_plant EQ SOURCE_PACKAGE-material.
         SORT tb_lookup BY comp_code material.
    *$*$ end of routine - insert your code only before this line         *-*
       ENDMETHOD.     

    Hi,
    Compare the data types of the fields in your table tb_lookup with the data types in your datasource. Most probably there is an inconsistency with that. One thing that I realize is that
    I use the select statement in the format select ... from ... into... Maybe you need to change places of that, but I am not sure. You may put a break point and debug it with simulation.
    Hope it gives an idea.
    Yasemin...

  • I have installed both Audition 3 and Photoshop CS3 on a laptop with no Internet connection. How may they be activated? The methods documented in the software don't work.

    I have installed both Audition 3 and Photoshop CS3 on a laptop with no Internet connection. How may they be activated? The methods documented in the software don't work.

    Ned, thanks for responding. Internet access is not the problem, I will have a tower computer connected to Comcast.
    Isolating the laptop  from the internet is the issue.
          From: Ned Murphy <[email protected]>
    To: Mordecai benHerschel <[email protected]>
    Sent: Wednesday, March 18, 2015 7:27 PM
    Subject:  I have installed both Audition 3 and Photoshop CS3 on a laptop with no Internet connection. How may they be activated? The methods documented in the software don't work.
    I have installed both Audition 3 and Photoshop CS3 on a laptop with no Internet connection. How may they be activated? The methods documented in the software don't work.
    created by Ned Murphy in Downloading, Installing, Setting Up - View the full discussionSince it is a portable machine, couldn't you go somewhere that has wifi available and use that as a temporary internet connection? If the reply above answers your question, please take a moment to mark this answer as correct by visiting: https://forums.adobe.com/message/7314414#7314414 and clicking ‘Correct’ below the answer Replies to this message go to everyone subscribed to this thread, not directly to the person who posted the message. To post a reply, either reply to this email or visit the message page: Please note that the Adobe Forums do not accept email attachments. If you want to embed an image in your message please visit the thread in the forum and click the camera icon: https://forums.adobe.com/message/7314414#7314414 To unsubscribe from this thread, please visit the message page at , click "Following" at the top right, & "Stop Following"  Start a new discussion in Downloading, Installing, Setting Up by email or at Adobe Community For more information about maintaining your forum email notifications please go to https://forums.adobe.com/thread/1516624.

  • What is the method to disable the Parameters button

    Hi Ted,
    What is the method to disable the Parameters button ("Show/Hide Parameters Panel")?
    I can't find it in the API.
    Thanks,
    Tuan

    With XI 3.0, the left-hand panel is tri-state:
    [https://boc.sdn.sap.com/node/17983#setToolPanelViewType|https://boc.sdn.sap.com/node/17983#setToolPanelViewType]
    Sincerely,
    Ted Ueda

  • Cannot provide connect data for database target system CONFIG_DB

    Hello,
    I'm trying to install SP22 in NW04 but I'm getting an error on step 11 Deploy JDDI
    Cannot provide connect data for database target system "CONFIG_DB".
    Cannot connect to database: Cannot create class loaders for DB target system CONFIG_DB.
    ERROR      2008-10-01 17:51:09
               CJSlibModule::writeError_impl()
    MUT-03025  Caught ESAPinstException in Modulecall: ESAPinstException: error text undefined.
    ERROR      2008-10-01 17:51:09 [iaxxinscbk.cpp:289]
               abortInstallation
    MUT-02041  SDM call of deploySdaList ends with returncode 4. See output of logfile C:\Program Files\sapinst_instdir\PATCH\MSS\callSdmViaSapinst.log.
    callSdmViaSapinst.log:
    com.sap.sdm.apiint.serverext.servertype.TargetServiceException: Cannot provide connect data for database target system "CONFIG_DB".
    Additional error message is:
    com.sap.sdm.serverext.servertype.dbsc.DatabaseConnectException: Cannot connect to database: Cannot create class loaders for DB target system CONFIG_DB.
    Additional error message is:
    com.sap.sdm.util.classloaders.SDMClassLoaderException: Cannot create class loader for component com.sap.sdm.serverext.servertype.dbsc.SERVEREXT_DBSC_EXTERN(CONFIG_DB): Referenced loader #0 for component com.sap.sdm.serverext.servertype.dbsc.JDBC_DRIVER(D:\usr\sap/WDA/DVEBMGS00/j2ee\jdbc\base.jar;D:\usr\sap/WDA/DVEBMGS00/j2ee\jdbc\util.jar;D:\usr\sap/WDA/DVEBMGS00/j2ee\jdbc\sqlserver.jar;D:\usr\sap/WDA/DVEBMGS00/j2ee\jdbc\spy.jar) is not available.
    Additional error message is:
    com.sap.sdm.util.classloaders.SDMClassLoaderException: Cannot create class loader for component com.sap.sdm.serverext.servertype.dbsc.JDBC_DRIVER(D:\usr\sap/WDA/DVEBMGS00/j2ee\jdbc\base.jar;D:\usr\sap/WDA/DVEBMGS00/j2ee\jdbc\util.jar;D:\usr\sap/WDA/DVEBMGS00/j2ee\jdbc\sqlserver.jar;D:\usr\sap/WDA/DVEBMGS00/j2ee\jdbc\spy.jar).
    Additional error message is:
    com.sap.sdm.util.classloaders.SDMClassLoaderException: Cannot create class loader instance: Jar file #1 cannot be read: D:\usr\sap\WDA\DVEBMGS00\j2ee\jdbc\base.jar
    Oct 1, 2008 5:51:08 PM   Info: Summarizing the deployment results:
    Oct 1, 2008 5:51:08 PM   Error: Admitted: D:\Software\parches\del18_al22\J2EE-RUNT-CD\J2EE-ENG\JDD\SYNCLOG.SDA
    Oct 1, 2008 5:51:08 PM   Error: Aborted: D:\Software\parches\del18_al22\J2EE-RUNT-CD\J2EE-ENG\JDD\J2EE_JDDSCHEMA.SDA
    Oct 1, 2008 5:51:08 PM   Error: Admitted: D:\Software\parches\del18_al22\J2EE-RUNT-CD\J2EE-ENG\JDD\COM.SAP.SECURITY.DBSCHEMA.SDA
    Oct 1, 2008 5:51:08 PM   Error: Admitted: D:\Software\parches\del18_al22\J2EE-RUNT-CD\J2EE-ENG\JDD\XML_DAS_SCHEMA.SDA
    Oct 1, 2008 5:51:08 PM   Error: Admitted: D:\Software\parches\del18_al22\J2EE-RUNT-CD\J2EE-ENG\JDD\JMS_JDDSCHEMA.SDA
    Oct 1, 2008 5:51:08 PM   Error: Processing error. Return code: 4
    the spy.jar was there but some how it got deleted.
    Any ideas?
    Thanks

    For others who may be facing the same problem and would like to have a permanent fix, you can download the largest JDBC drivers from http://service.sap.com/msplatforms and refer to note 639702 and if your system is NW7.0 with EHP1 or SR3, you should also refer to note 1109274.

  • It's posible the OID role Provisioning With OIM?

    Hi experts,
    I'm installing and configuring the OIM connector for OID. However I've found on the installation guide the next 'warnings':
    - Reconciliation of roles is supported only for ODSEE and Novell eDirecotory target systems.
    - Provisioning of roles is supported only for ODSEE and Novell eDirecotory target systems.
    then my question is: how can I provision OID roles to any user using OIM??? If I can't do role provisioning to OID, I cant see so much utility for this connector.
    My request its to provisioning roles that I've created on OID, using OIM interface.
    Has anyone done this?
    Thanks for you time.
    regards.
    Edited by: Daniel Cermeño on Sep 10, 2012 4:39 PM

    Hi Leoncio and Gyanprakash,
    Tanks for your response, thats make me feel more quiet.
    I have still one question about this. In the installation and configuration guide says:
    - If you are using the default connector configuration, for every group in the target system, create a corresponding organizational unit (with the same group name) in Oracle Identity Manager. This ensures that all groups from the target system are reconciled into their newly created organizational units, respectively.
    - You can also configure the connector to reconcile the groups under one organization.
    Then, when I run the reconciliation of OID groups in OIM. I obtain one organization with one resource representing my OID group. Or, if I prefer, I obtaion one organization with many resource that represents all my OID groups. However, I dont find how to provision this resources to my OIM users, cause I need that one user be part of one o more groups. If I put the user in the organization that represent my OID group, how I can provision more groups?
    Furthermore, the reconciliations of OID groups creates resources/organizations, but in my understending this no create OIM roles isn't?
    I'm sorry for my ignorance. This maybe is a trivial question, but I hope you can clarify this concepts to me.
    Thanks for your time.
    regards.
    Edited by: Daniel Cermeño on Sep 11, 2012 8:08 AM

  • The Method to write the path of the image on a mobile.

    Hi.
    Please I want to know the best method to write the path of a stored data (image or sound) on a mobile,
    I write it in the following forms ,but it was useless :
    for image : ("E:\\cat.jpg) or (E:/cat.jpg) where (E :is the memory card of the mobile ) , I also tried it on the phone memory..
    please any one know any information about that reply me as quick as possible.
    Thanks in advance.

    Thanks, I can see how that would work, but that's awfully cumbersome. Frankly I'm a bit surprised that the entire page can't be zoomed in and out like web pages do on my iPhone.

  • Extract the war/ear and search the method names in the classes

    Hi,
    I have implemented search function for methods in the class files in the physical path presented jars,
    using url classloader am loading class and getting class object then using reflection API am getting declared methods.
    but when i try to search more jars am getting stack over flow error.
    since am using recursive function.
    example code
    ArrayList l_alClassNames = new ArrayList ();
    RuleITClassLoader classLoader = new RuleITClassLoader();
    Map l_mapMethodDetails = new HashMap();
    m_mapPackageInformation = new HashMap();
    ArrayList l_alMethodnames = new ArrayList();
    boolean flage = false;
    JarInputStream l_objJarInputStream= null;
    try{
    l_objJarInputStream = new JarInputStream(new FileInputStream (p_sJarpath));
    JarEntry l_objJarEntry;
    while(true) {
    l_objJarEntry=l_objJarInputStream.getNextJarEntry ();
    if(l_objJarEntry == null){
    break;
    String l_sPackagename ="";
    if (l_objJarEntry.getName ().endsWith (IServiceAdministratorConstants.FILE_TYPE_CLASS)) {
    String l_sClassName = l_objJarEntry.getName().replaceAll("/", "\\.");
    l_sClassName = l_sClassName.substring(0, l_sClassName.length()-6);
    Class l_objClass = classLoader.loadClass(p_sJarpath,l_sClassName);
    if(l_objClass!=null){
    l_sPackagename= l_objClass.getPackage().getName();
    l_sPackagename = l_sPackagename.replaceAll("\\." , "/");
    Method[] l_arrayMethods = null;
    try{
    l_arrayMethods = l_objClass.getDeclaredMethods();
    }catch(NoClassDefFoundError exException){
    /*m_objLogger.log(ILoggerConstants.SERVICEADMIN_WEBAPP, CLASS_NAME,
    "getClasseNamesInPackage", "Error occured while l_arrayMethods ",
    exException, ILoggerConstants.SEVERITY_WARN);*/
    }catch(StackOverflowError StackOverflowError) {
    l_sClassName = l_sClassName.substring(l_sClassName.lastIndexOf("."));
    l_sClassName = l_sClassName.substring(1, l_sClassName.length());
    l_alMethodnames = new ArrayList();
    if(l_arrayMethods !=null && l_arrayMethods.length>;0){
    for (int b_MethodsIndex = 0; b_MethodsIndex < l_arrayMethods.length; b_MethodsIndex++) {
    MethodManagementDTO l_objMethods = new MethodManagementDTO();
    String l_sMethodName = l_arrayMethods[b_MethodsIndex].getName();
    l_sPackagename = l_objClass.getPackage().getName();
    if(l_sMethodName.equalsIgnoreCase(p_sServiceName)){
    Class[] l_objParameterTypes = l_arrayMethods[b_MethodsIndex].getParameterTypes();
    int l_iArgumentsNumber = new Integer(l_objParameterTypes.length);
    String l_sSearchKey = l_sPackagename+IServiceAdministratorConstants.SEARCH_KEY_CONCATENATION_SYMBOL+l_sClassName+IServiceAdministratorConstants.SEARCH_KEY_CONCATENATION_SYMBOL+l_sMethodName+IServiceAdministratorConstants.SEARCH_KEY_CONCATENATION_SYMBOL+l_iArgumentsNumber;
    ArrayList<ArgumentDTO> l_alArguments = new ArrayList<ArgumentDTO>();
    ArrayList<String> l_alArgumentsType = new ArrayList<String>();
    for (int argCnt = 0; argCnt < l_objParameterTypes.length; argCnt++) {
    ArgumentDTO l_objArguments = new ArgumentDTO();
    l_objArguments.setArgumentType(l_objParameterTypes[argCnt].getName());
    // set the arguments order.
    l_objArguments.setArgumentOrder(new Integer(argCnt));
    String l_sArgumentName = IServiceAdministratorConstants.ARGUMENT_LABEL+ (argCnt + 1);
    l_objArguments.setArgumentName(l_sArgumentName);
    l_alArguments.add(l_objArguments);
    l_alArgumentsType.add(argCnt,l_objParameterTypes[argCnt].getName());
    String l_sMethodAliasName = constructMethodAliasName(l_alArguments, l_arrayMethods[b_MethodsIndex].getName());
    if(l_alRegisteredServiceDetails.size()>0){
    for(ServiceRegistratrionDTO b_objServiceregistration :l_alRegisteredServiceDetails){
    StringBuffer l_sbSearchKey = new StringBuffer();
    l_sbSearchKey.append(b_objServiceregistration.getComponentname());
    l_sbSearchKey.append(IServiceAdministratorConstants.SEARCH_KEY_CONCATENATION_SYMBOL);
    l_sbSearchKey.append(b_objServiceregistration.getClasstname());
    l_sbSearchKey.append(IServiceAdministratorConstants.SEARCH_KEY_CONCATENATION_SYMBOL);
    l_sbSearchKey.append(b_objServiceregistration.getMethodname());
    l_sbSearchKey.append(IServiceAdministratorConstants.SEARCH_KEY_CONCATENATION_SYMBOL);
    l_sbSearchKey.append(b_objServiceregistration.getArgumentNumber());
    if(l_sbSearchKey.toString().equalsIgnoreCase(l_sSearchKey)){
    l_objMethods.setMethodDescription(checkEmpty(b_objServiceregistration.getDescription()));
    l_objMethods.setStatus(IServiceAdministratorConstants.REGISTERED_STATUS);
    l_objMethods.setAliasName(checkEmpty(b_objServiceregistration.getAliasname()));
    break;
    }else{
    l_objMethods.setAliasName(l_sMethodAliasName);
    l_objMethods.setStatus("");
    l_objMethods.setMethodDescription("");
    }else{
    l_objMethods.setAliasName(l_sMethodAliasName);
    l_objMethods.setStatus("");
    l_objMethods.setMethodDescription("");
    l_objMethods.setArgumentsNumber(l_iArgumentsNumber);
    l_objMethods.setArgumentsList(l_alArgumentsType);
    l_objMethods.setMethodName(l_sMethodName);
    if (l_arrayMethods[b_MethodsIndex].getModifiers() == Modifier.STATIC) {
    l_objMethods.setMethodInvocationType(IServiceAdministratorConstants.METHOD_INVOCATIONTYPE_STATIC);
    } else {
    l_objMethods.setMethodInvocationType(IServiceAdministratorConstants.METHOD_INVOCATIONTYPE_DYNAMIC);
    if (l_arrayMethods[b_MethodsIndex].getReturnType().getName()
    .equals(IServiceAdministratorConstants.METHOD_RETURN_TYPE)) {
    l_objMethods.setReturnType(IServiceAdministratorConstants.METHOD_RETURN_TYPE_LOGIC);
    } else {
    l_objMethods.setReturnType(IServiceAdministratorConstants.METHOD_RETURN_TYPE_NONLOGIC);
    /*l_objMethods.setServiceUuid("0");
    l_objMethods.setHidden("yes");
    l_objMethods.setInfinite("no");*/
    flage =true;
    l_alMethodnames.add(l_objMethods);
    if(l_alMethodnames.size()>0){
    l_mapMethodDetails.put(l_sClassName, l_alMethodnames);
    l_alMethodnames = new ArrayList();
    if(l_mapMethodDetails.size()>0 && flage){
    l_alClassNames.add(l_mapMethodDetails);
    l_mapMethodDetails = new HashMap();
    if(l_alClassNames.size()>0 && flage)
    m_mapPackageInformation.put(l_sPackagename, l_alClassNames);
    l_alClassNames = new ArrayList();
    I need some solution to fix.
    I need implemete the search methodsnames for war files and ear files.
    kindly help to implement on this

    Hi,
    Is it possible to send across the .ear file across as an attachment, so that I can test it out at my end ASAIC and let you know the results.
    Thanks & Regards
    Ganesh .R
    Developer Technical Support
    Sun Microsystems
    http://www.sun.com/developers/support
    [email protected]

  • Determine the method optimizing which the Jrockit JVM crashed.

    I have an application that is running on Jrockit JVM. which crashed after 3-4 hours.
    From the jrockit.<pid>.dump I could determine that the crash was on the Thread: "(Code Optimization Thread 1) .
    And by using -XnoOpt we can stop code Optimization.
    However, how do we determine which exact method caused it so that i can use the option -XX:OptFile
    I am running Jrockit R28.0.1-21-133393-1.6.0_20-20100512-2126-linux-x86_64
    on RED HAT LINUX 5.3 (64 bit)
    Thread:
    "(Code Optimization Thread 1)" id=5 idx=0x54 tid=29997 lastJavaFrame=0xfffffffffffffffc
    Stack 0: start=0x41a70000, end=0x41ab2000, guards=0x41a75000 (ok), forbidden=0x41a73000
    Thread Stack Trace:
    at mspace_free+473(osal_mspace.c:4608)
    at irAliasValidate+1760(aliases.c:558)
    at irInfoGet+61(irinfo.c:143)
    at irAliasMustBeAliases+59(aliases.c:112)
    at update_callvector+4976(inline.c:284)

    Many bugs were reported for JVM crast at acGetOperand in JRockit R27.x
    But no bugs are reported exactly with the same stack trace.
    Regarding a workaround, the below stack is actually misleading us. It does not give us a clue about the reasons for the crash (whether it is happening due to concurrent GC or parallel GC or Compaction etc.), so we cannot really say what GC settings would avoid it.
    I recommend that we collect another textual dump if the crash occurs again and hope that the stack trace generated the next time will give us better insight into the root cause.
    Another suggestion would be to upgrade to R28.x

  • How the method to set the JAVa logo off in JInternalframe?

    any 1 know? how to set the java logo off? using wat method?

    You could try setFrameIcon(null). However the javaDoc warns that the look and feel may display a default one anyway. If that doesn't work you could try changing the default in the UIDefaults with the key InternalFrame.icon
    It contains an instance of javax.swing.plaf.metal.MetalIconFactory$InternalFrameDefaultMenuIcon@6a5671 when I'm running showing the metal look and feel.
    I haven't tried this and I'm making the assumption that this is the correct icon.
    Col

  • What are the Methods to check the Relation between BP Number and User ID ?

    Hi Colleagues,
    Requirement
    Hi, i need to generate a report to Management for approx 1400+ Partners and am facing some diffculties.
    While i have the BP number of the partners and their email ID's, i am unable to find the USer ID (ABAP ID) that these are mapped to. 
    Is there any Tcode or Table(s) that i can use to find this relationship ?
    Note:
    I have tried Tcode BP in CRP, but am unable to find the ABAP ID in 'Identification Tab' for any Role for these partner Id's.    The same can be found for Non-Partner Id's though.
    I have Tried relationship between ADR6 & USR21 tables too, but it gives me output only for 500 or so users.
    Rgds
    Ganesh.S

    Hi,
    Use FM BUP_PARTNER_GET.
    Regards,
    Caíque Escaler

  • Where is the method 'setConfigParam' of the class EnvironmentConfig?

    Hi, I only wanna know that. I'm using dbxml-2.5.16, a Java build on Linux x64.
    Regards,
    Erik

    Hello,
    Yes the mention of setConfigParam is a javadoc mistake. This is only a BDB JE method. The documentation will be corrected.
    Thanks for pointing this out,
    Sandra

  • Explan the methods to fill the gaps in abap ?

    Hi I am newly appoined in abap mine role is to fill the gaps between clinet and us 
    explain me with fine example ? THis is very help ful to me in my life... thanking U

    Can you be more clear on what you need help??

Maybe you are looking for

  • I am not able to restore my iPhone 5s and not able to update software to ios8 also please help me I have tried everything not even hard reset is working

    Hello my iPhone 5s is not able to restore it from settings also and from iTunes also and I'm not able to update to ios8 also pls help me someone I wnt to update it and restore it when I restore it's shows update to ios8 when I do that it will start d

  • Dvd is jumpy

    I burned a dvd with images from imovie and the photos are fluttering slightly on the dvd. Otherwise, the photo quality is great with no pixilation. I had created the project in idvd and dragged in the movie. Previously, I had reduced the size of the

  • USB connection failure

    When I plug in the USB I recieve this message: "USB Device Not Recognized" "One of the USB devices attached to this computer has malfunctioned, and Windows does not recognize it..." I'm unsure what I need to do to resolve this problem. Can someone he

  • How to create TCODE?

    i cant see the Create Transaction Code when i right click the program name, is there other way to create TCODE? thanks.

  • Trouble Compiling pango 1.8.0

    I'm trying to compile pango 1.8.0 on a Solaris 10 workstation. The default configure runs okay but when I try to run make is fails with the errors shown below. Any advise on how I can get pango to compile would be greatly appeciated. ---make output--