Dynamic lookup window

I understand in R16 there is a Dynamic Lookup window, i.e we can customize the lookup window. can anyone shed some light about this feature.

I think i got my answer, I can customize it in the Search Lookup window in each object

Similar Messages

  • Service Registry's Dynamic Lookup of BPEL Partner Link not working

    Hi,
    Software : SOA 10.1.3.1
    OS : Windows XP, 2000
    I have deployed webservice application (GetMaxOfTwo) which will give me max of 2 values. Registered the WS in OWSM with user authentication. Registered newly generated WSDL in OSR (Oracle Service Registry). A simple BPEL Process will call service as PartnerLink, which is configured as "Enabling Dynamic Lookup of BPEL Partner Link Endpoints". As mentioned in the document made entry in bpel.xml as registryServiceKey property containing the serviceKey value to the partnerLinkBinding section.
    The entire scenario is working fine and changed the servicekey value to wrong value in bpel.xml and redeployed, as expected it was giving me error message saying invalid servicekey.
    Now deployed GetMaxOfTwo in another application server and registered in OWSM. Intentionally stopped the first GetMaxOfTwo application. In the OSR Service changed the binding with new WSDL of OWSM. As BPEL process enabled with dynamic lookup it should execute without any error. But the results in this case was giving error saying the service was down. (Means it is referring to the old GetMaxOfTwo webservice.
    What could be the reason?, something is missing in the configuration?
    Regards
    Venkata M Rao
    +91 80 4107 5437

    Hi
    I am having trouble making the BPEL and Systinet to work together. I have Systinet and BPEL installed separately on 2 different servers. I deployed my web services and registered them in UDDI. I created a new BPEL process and added a partner link to refer to one of the web service I have registered in UDDI. When I create the partner link, it is forcing me to give the wsdl and it also gives an error message " There are no partner link types defined in current wsdl. Do you want create that will by default create partner link type for you?". If I say "NO' then deployment fails. If I say "Yes", then it creates a new wsdl file on the local server etc and gives "<Faulthttp://schemas.xmlsoap.org/soap/envelope/>
    <faultcode>soapenv:Server.userException</faultcode>
    <faultstring>com.oracle.bpel.client.delivery.ReceiveTimeOutException: Waiting for response has timed out. The conversation id is 75164a0815ea471a:-3be8c246:117cc377894:-537b. Please check the process instance for detail.</faultstring>". Any help is appreciated.

  • Dynamic lookup in OWB

    Hello All,
    Is there any dynamic lookup in OWB, if so, please let me know how to implement the same OWB.
    awaiting for your reply......

    Hello All,
    Is there any dynamic lookup in OWB, if so, please let me know how to implement the same OWB.
    awaiting for your reply......

  • Dynamic Lookup in OWB 10.1g

    Can we execute dynamic lookup in OWB 10.1g?
    I want update the columns of the target table, based on the previous values of the columns.
    Suppose there is a record in the target table with previous status and current status columns.
    The source table consist of 10 records which need to be processed one at a time in a single batch. Now we need to compare the status of record with the current status of target table. If the source contains next higher status then the current status of target record need to go to previous status and the new status coming from source need to overwrite the current status of target record.
    We have tried using row based option as well as setting commit frequency equal to 1 but we are not able to get the required result.
    how can we implement this in OWB10.1g?

    OK, now what I would do in an odd case like this is to look at the desired FINAL result of a run rather than worry so much about the intermediate steps.
    Based on your statement of the status incrementing upward, and only upward, your logic can actually be distilled down to the following:
    At the end of the load, the current status for a given primary key is the maximum status, and the previous status will be the second highest status. All the intermediate status values are transitional status values that have no real bearing on the desired final result.
    So, let's try a simple prototype:
    --drop table mb_tmp_src; /* SOURCE TABLE */
    --drop table mb_tmp_tgt; /*TARGET TABLE */
    create table mb_tmp_src (pk number, val number);
    insert into mb_tmp_src (pk, val) values (1,1);
    insert into mb_tmp_src (pk, val) values (1,2);
    insert into mb_tmp_src (pk, val) values (1,3);
    insert into mb_tmp_src (pk, val) values (2,2);
    insert into mb_tmp_src (pk, val) values (2,3);
    insert into mb_tmp_src (pk, val) values (3,1);
    insert into mb_tmp_src (pk, val) values (4,1);
    insert into mb_tmp_src (pk, val) values (4,3);
    insert into mb_tmp_src (pk, val) values (4,4);
    insert into mb_tmp_src (pk, val) values (4,5);
    insert into mb_tmp_src (pk, val) values (4,6);
    insert into mb_tmp_src (pk, val) values (5,5);
    commit;
    create table mb_tmp_tgt (pk number, val number, prv_val number);
    insert into mb_tmp_tgt (pk, val, prv_val) values (2,1,null);
    insert into mb_tmp_tgt (pk, val, prv_val) values (5,4,2);
    commit;
    -- for PK=1 we will want a current status of 3, prev =2
    -- for PK=2 we will want a current status of 3, prev =2
    -- for PK=3 we will want a current status of 1, prev = null
    -- for PK=4 we will want a current status of 6, prev = 5
    -- for PK=5 we will want a current status of 5, prev = 4
    Now, lets's create a pure SQL query that gives us this result:
    select pk, val, lastval
    from
    select pk,
    val,
    max(val) over (partition by pk) maxval,
    lag(val) over (partition by pk order by val ) lastval
    from (
    select pk, val
    from mb_tmp_src mts
    union
    select pk, val
    from mb_tmp_tgt mtt
    where val = maxval
    (NOTE: UNION, not UNION ALL to avoid multiples where tgt = src, and would want a distinct in the union if multiple instances of same value can occur in source table too)
    OK, now I'm not at my work right now, but you can see how unioning (SET operator) the target with the source, passing the union through an expression to get the analytics, and then through a filter to get the final rows before updating the target table will get you what you want. And the bonus is that you don't have to commit per row. If you can get OWB to generate this sort of statement, then it can go set-based.
    EDIT: And if you can't figure out how to get OWB to generate thisentirely within the mapping editor, then use it to create a view from the main subquery with the analytics, and then use that as the source in your mapping.
    If your problem was time-based where the code values could go up or down, then you would do pretty much the same thing except you want to grab the last change and have that become the current value in your dimension. The only time you would care about the intermediate values is if you were coding for a type 2 SCD, in which case you would need to track all the changes.
    Hope this helps.
    Mike
    Edited by: zeppo on Oct 25, 2008 10:46 AM

  • I change iMac hard disk from basic to dynamic in windows 7

    I change iMac hard disk from basic to dynamic in windows 7, after restart windows I saw that there is not any OS X for selecting by press and hold "Option" key.
    I don't have any backup and the original DVD from the seller. I live in Iran and here there is no any Apple seller or supporting center.
    What should I do to have OS X again ?

    Welcome to Apple Support Communities
    You probably erased the hard drive by doing that. If you have got a Mid 2010 or later iMac, you can use Internet Recovery to reinstall OS X > http://support.apple.com/kb/HT4718 Hold Command, Option (Alt) and R keys while your computer is starting.
    Then, open Disk Utility, choose your hard drive at the top of the sidebar, go to Erase tab and erase it in "Mac OS Extended (Journaled)". Finally, close Disk Utility and reinstall OS X.
    If you have got an older Mac, call Apple to get replacement DVDs > http://support.apple.com/kb/HE57

  • Realm not shown in jdeveloper human workflow Identity Lookup window

    I have a BPEL process with a human task. When a configure the human task and bring up the identity lookup window, select my SOA managed server, I get jazn.com in the realm list but the domain security realm's name is "myrealm" and does not show up in the pulldown realm list. I have the Red Hat LDAP configured in the security realm, and the admin server sees the LDAP users.
    I saw a similar thread that mentioned the managed server hostname must be specifiied fully qualified. I modified the hostname configuration for my managed server to include the FQ hostname and this did not fix the above decribed problem.
    Jdeveloper 11.1.1.3
    Weblogic 11g
    SOA Suite 11g
    Read Hat Linux

    I've got the same problem, does any one tell how to fix this? Thanks very much~!!

  • Dynamic lookup of all DB drivers loaded in the system

    Hi everyone
    Actually I want to know that whether it is possible to include in my program, the functionality that allows the dynamic lookup of all the DB drivers in the system.
    I want to list the names of the Database drivers that have been loaded in the system.
    waiting 4 ur reply:)

    I am mailing u the code which I have written, it compiles without any error but does not give the desired output. it does not display even the name of the single driver although I have three loaded drivers in my system.
    By system I mean that in my PC I have previously loaded three drivers by going to the Administrative tools\ODBC Data Sources. I want my program to pick the names of those drivers that have been loaded some time back.
    So,instead of loading those drivers again in my program, I want the program to pick the names of those loaded drivers.
    the code is shown below:
    try
         Enumeration enumm=DriverManager.getDrivers();
         while(enumm.hasMoreElements())
         System.out.println(enumm.nextElement().toString());
    catch(Exception e)
         System.out.println("Error");
    }

  • Getting dynamic lookup error!

    I am using OSX 10.9.5 and getting the below error:
    dyld: lazy symbol binding failed: Symbol not found: _OCIEnvCreate
      Referenced from: /Users/Desktop/socket.io/node_modules/node-oracledb/build/Release/oracledb.node
      Expected in: dynamic lookup
    dyld: Symbol not found: _OCIEnvCreate
      Referenced from: /Users/Desktop/socket.io/node_modules/node-oracledb/build/Release/oracledb.node
      Expected in: dynamic lookup
    Any ideas? This pops up on the require statement itself :
    var oracledb = require('node-oracledb');

    Have you set DYLD_LIBRARY_PATH?  See http://www-content.oracle.com/technetwork/topics/intel-macsoft-096467.html#ic_osx_inst

  • How to implement Dynamic lookup in OWB mappings(10g)

    Hi,
    Iam using OWB 10g version for developing the mappings.
    Now I need to implement the Dynamic lookup in the mapping.Is there any transformations available in OWB to achieve this.
    Please give me some information about the same.
    Thanks in advance...

    Hi,
    first i have created a procedure witht he following code in the code editor...
    BEGIN
    Declare
    Cursor C_brand_col is
    Select cat from TBL_CAT_EDESC_BRAND ;
    Vbrand varchar2(240);
    Cursor C_bredesc_col is
    Select EDESC_BRAND from TBL_CAT_EDESC_BRAND;
    Vbredesc varchar2(240);
    V_Command varchar2(30000);
    Begin
    Open C_brand_col;
    Fetch C_brand_col into vbrand;
    Open C_bredesc_col;
    Fetch C_bredesc_col into vbredesc;
    loop
    V_Command := 'update sav_fc_sa_pc c set c.'||vbrand||'=';
    V_Command := V_Command||'(select d.fc_brands_sa from TEST_brand d' ;
    V_Command := V_Command||' where d.brand_edesc = '||''''||vbredesc||''''||' and c.cardno=d.cardno)';
    dbms_output.put_line('10 '||V_command);
    Execute immediate v_command;
    Fetch C_brand_col into vbrand;
    Exit when c_brand_col%notfound;
    Fetch C_bredesc_col into vbredesc;
    Exit when c_bredesc_col%notfound;
    end loop;
    commit;
    end;
    END;
    then i validate it and deply it..
    after that i create a mapping and in that mapping i first import the table TBL_CAT_EDESC_BRAND and drag and drop it into the mapping and again the i put the procedure into a transformation operator and connect the inoutgrp of the table to the transformation operator ingrp deploy it and run it...this is taking a lot of time .... so i am not sure whether i am doing the right thing...for this dynamic sql i dont need to pass any parameters. can i juz execute this procedure or should i create a mapping ???? i am totally confused... could you please help me.....how to proceed........
    if i juz execute the dynamic sql it takes only 5 min in sql but i am not sure how ti implement it in owb... can you please help...
    Thanks a many

  • Change the default entity in the lookup window in PhoneCall Form

    Hello,
    I'm trying to write a javascript to change the default entity in the lookup window for the 'from' field to use the Contact entity. Right now Account is the default entity.
    So this is what I have:
    document.getElementById("from").setAttribute("defaulttype", "2");
    var ViewGUID= "a2d479c5-53e3-4c69-addd-802327e67a0d";
    Xrm.Page.getControl("from").setDefaultView(ViewGUID);
    I got the code actually from this website #34: http://garethtuckercrm.com/2011/03/16/jscript-reference-for-microsoft-dynamics-crm-2011/
    I attached the function into the form and publish the solution however it's still showing Account as the default entity.
    Any idea is appreciated. Thanks.
    -tri

    Chitra Swaminathan wrote:
    Hello,
    We are using Lookups in our application which stores the locale specific information. We have a drop down in the UI which will give the language names like 'American English', 'Canadian French' etc. When chosen 'Canadian French' we need to change the nls_language in the db to refresh the contents in the lookup generated component to show in French. How to acheive this?
    We are able to switch the bundles, upon change in locale in the run time. But the AM setting - to set the DB session is what we are looking for. Would appreciate your help on this.
    Thanks,
    Chitra.to localize ADF-BC you need to set the jbo.default.country and jbo.default.language property to language value in Application module configuration
    other way is to override the prepareSession method in ApplicationModuleImpl class to call some JDBC statement to set the dbms_application_info.set_client_info to value of the language.
    if you can provide more details about your lookup table and data structures then one can be more helpful
    Zeeshan

  • Configure Product Lookup Window

    Hi,
    I am trying to configure the product lookup window. Especially I want to modify the number of products per page. Are there any possibilities to do so? I do know how to deactivate the "execute dafault list" option.
    Kind regards
    Michael

    Michael, at this time you can not modify the number of products per page. I would recommend that you submit a enhancement request to CRM On Demand customer care.

  • Customize Lookup Window of Related Information

    Hi,
    I added Custom Object 2 as related information to contact record.
    When I click on ADD button a lookup window pops up and shows me all the values available on Custom Object 2.
    Is it possible to customize this lookup window? there are many unnesseccary fields there...
    Another Question - Do you know why there is no ADD button when inserting Custom Object 4 as related information to contact? is it possible to add this button somehow?
    Thanks.
    Liron
    Edited by: Shinshan on 07:07 20/07/2009

    Thanks!
    About the way to customize the Lookup window - I did exactlly what you said, but for some reason it only affects the way the lookup window is shown when I put Custom Object 2 as a field inside the contact layout. BUT when I put is a related information to contact and pressed ADD - the lookup window was still with the default fields (it is a bit different lookup window that allows you to choose few objects from left side to right side)
    Do you know if there is a different way maybe, to customize those kind of lookup windows?

  • Customizing lookup window

    Hi Friends,
    Is there any possible way to display custom fields created in the lookup window which opens up when clicking on the link fields?I can see only a set of default fields displayed there.In Service Request-> Product Name lookup window , I can see only Product Name,Product category,Status and Description.But I want to add my custom field also to this list.Is it possible?
    Thanks in advance

    Hi,
    It is possible. You can add any field to the lookup window. You need to go to 'Application Customization' > 'Product' > and then to 'Product Search Layout'. There you will define both the search results setup and the lookup window in step 3. Don't forget to associate the search layout to the relevant roles after you are done.
    Best of luck, Josh

  • Dynamic main window size

    hi all,
    Mian window size should vary based on the value.
    This is my situation ... if my footer window is not printed the space is left blank, but my scenerio is to cover the blank space with my main window when my footer window is not displayed.
    for example when the data exceeds first page then my footer window willbe printed only in the next page, so space left by the window should be filled by main window .
    how to dynamically chage teh main window size based on the footer window...
    Please provide me the details.
    Thanks in advance.
    Suresh RR

    Hi Suresh,
    Theres no need to use a dynamic main window. All you have to  do is to print the footer on the last page if theres no content in the main window. I will explain how.
    Just create a main window that fills up the page to the end. Use a text element for printing the main window content. Once that is done check &PAGE& equal to &SAPSCRIPT-FORMPAGES& (This field contains a number representing the total number of pages of the currently formatted form). Once that is done it means that the last page is reached. Then you call another text element having the footer text or data. that way you cqan print the footer in the last page without modifying the main window.
    Reward if helpful.

  • Dynamic smartform window

    Can we define dynamic size  window in smartform
    window could be any window ( not only main window).

    Hi Savita,
    Welcome.
    It is not posiible to have dynamic updations on windows as the field to size them are strictly numerical and does not accept variables.
    But if you want you can have same windows in more than one page with different sizes. But for main window once the width is defined it will remain constant for all windows only you can alter the height.
    Regards,
    Amit

Maybe you are looking for

  • G/L account item without tax code in document with deferred taxes

    Hi , While releasing the billing document to accounting i get this error " G/L account item without tax code in document with deferred taxes". Not able to release it to accounts. What could be the possible reason?? Actually, this error is occuring on

  • Blurred Photo Printing after replacing ink cartridges

    Hi everyone, First post on here! I have a PSC 1355, which has always printed very good quality photographs, until yesterday. The old HP ink cartridges (Tricolor and Photo) were both low on ink so I replaced them with new HP ones (identical models) an

  • HELP!! I lost all bookmarks and email

    Hi Guys I dont know what's happened but all of a sudden I have lost all the bookmarks on Safari, all the address book is empty. I had to reset Mail like it was the first time. It looks like I have just installed the OS. I have the dock not customised

  • Has anyone got this problem

    Has anyone else got this problem? I Can't open to see my photo's

  • Geek Question About Terminal Command Prompt

    Strange Question: On my wife's Mac (10.9.5) her Terminal command prompts end with "%" (no quotes). On my Mac (also 10.9.5) my Terminal command prompts end with "$" (no quotes). This was also the case under Mountain Lion. Neither one of us has ever ed