List of Parameter ID's

Dear Experts,
Can anyone give the table name which gives the list of Parameter ID (Get / Set Parameter ID)?
Regards
Tom

Hi,
can you give us more info for what exactly you're looking for?
If you're looking for the SET / GET parameters for task lists, then refer to table - TCA35
Regards,
Vivek

Similar Messages

  • Ejb 3.0 with List as parameter

    Hello,
    I have deployed an ejb to a weblogic 10.0 server.
    The method has a list as parameter.
    public void testMethod(List<String> strings){
    When I call this remotely i get the following exception:
    javax.ejb.EJBException: nested exception is: java.rmi.UnmarshalException: Method not found: 'testMethod(Ljava.util.List;)'
    java.rmi.UnmarshalException: Method not found: 'testMethod(Ljava.util.List;)'
         at weblogic.rmi.internal.MethodDescriptor.getCanonical(MethodDescriptor.java:210)
         at weblogic.rjvm.MsgAbbrevInputStream.getRuntimeMethodDescriptor(MsgAbbrevInputStream.java:496)
         at weblogic.rmi.internal.BasicServerRef.dispatch(BasicServerRef.java:268)
         at weblogic.rmi.internal.BasicServerRef.dispatch(BasicServerRef.java:918)
         at weblogic.rjvm.RJVMImpl.dispatchRequest(RJVMImpl.java:1084)
         at weblogic.rjvm.RJVMImpl.dispatch(RJVMImpl.java:1001)
         at weblogic.rjvm.ConnectionManagerServer.handleRJVM(ConnectionManagerServer.java:230)
         at weblogic.rjvm.ConnectionManager.dispatch(ConnectionManager.java:877)
         at weblogic.rjvm.MsgAbbrevJVMConnection.dispatch(MsgAbbrevJVMConnection.java:446)
         at weblogic.rjvm.t3.MuxableSocketT3.dispatch(MuxableSocketT3.java:368)
         at weblogic.socket.AbstractMuxableSocket.dispatch(AbstractMuxableSocket.java:383)
         at weblogic.socket.SocketMuxer.readReadySocketOnce(SocketMuxer.java:872)
         at weblogic.socket.SocketMuxer.readReadySocket(SocketMuxer.java:808)
         at weblogic.socket.JavaSocketMuxer.processSockets(JavaSocketMuxer.java:283)
         at weblogic.socket.SocketReaderRequest.run(SocketReaderRequest.java:29)
         at weblogic.work.ExecuteThread.execute(ExecuteThread.java:200)
         at weblogic.work.ExecuteThread.run(ExecuteThread.java:172)
    However if I remove the type <String> from Remote interface and ejb implemetation it works fine.
    Is this a known limitation of EJB or am I doing something wrong?
    Best Regards.

    I am using Spring to inject the bean to my test code.
    @RunWith(SpringJUnit4ClassRunner.class)
    @ContextConfiguration(
            locations = {"/WEB-INF/applicationContext-ejb.xml"})
    public class ServiceTest extends AbstractDependencyInjectionSpringContextTests {
        @Autowired
        private TestServiceRemote testServiceRemote;
        @Test
        public void testDeneme(){
            List<String> strings = new ArrayList<String>();
            list.add("test1");
            list.add("test2");
            testServiceRemote,testMethod(strings)
    }Thanks and Best Regards.

  • List of "parameter keys"

    Can anyone tell me where to find the current list of "parameter keys"? Im using the run_product built-in and I would like to know what "keys" I can pass to reports?
    From oracle documentation
    key     The name of the parameter. The data type of the key is VARCHAR2.

    Yes they are but the list is extensible with as many custom keys as you like. If you want to know what the pre-defined parameters are then look those up in the Reports Help

  • How to use list box parameter in crystal Reports

    Hi Experts,
                   How to acheive list box parameter in sap B1 crystal reports.
    Regards
    Vinoth

    Hi,
    check this thread
    Crystal Report Drop Down Selection List
    Drop down list parameter
      https://scn.sap.com/thread/1782598

  • Is possible to pass array/list as parameter in TopLink StoredProcedureCall?

    Hi, We need to pass an array/List/Vector of values (each value is a 10 character string) into TopLink's StoredProcedureCall. The maximum number of elements on the list is 3,000 (3,000 * 10 = 30,000 characters).
    This exposed two questions:
    1. Is it possible to pass a Vector as a parameter in TopLink's StoredProcedureCall, such as
    StoredProcedureCall call = new StoredProcedureCall();
    call.setProcedureName("STORED_PROCEDURE_NAME");
    call.addNamedArgument("PERSON_CODE");
    Vector strVect = new Vector(3000);
    strVect.add(“ab-gthhjko”);
    strVect.add(“cd-gthhjko”);
    strVect.add(“ef-gthhjko”);
    Vector parameters = new Vector();
    parameters.addElement(strVect);
    session.executeQuery(query,parameters);
    2. If the answer on previous question is yes:
    - How this parameter has to be defined in Oracle’s Stored Procedure?
    - What is the maximum number of elements/bytes that can be passed into the vector?
    The best way that we have found so far was to use single string as a parameter. The individual values would be delimited by comma, such as "ab-gthhjko,cd-gthhjko,ef-gthhjko..."
    However, in this case concern is the size that can be 3,000 * 11 = 33, 000 characters. The maximum size of VARCHAR2 is 4000, so we would need to break calls in chunks (max 9 chunks).
    Is there any other/more optimal way to do this?
    Thanks for your help!
    Zoran

    Hello,
    No, you cannot currently pass a vector of objects as a parameter to a stored procedure. JDBC will not take a vector as an argument unless you want it to serialize it (ie a blob) .
    The Oracle database though does have support for struct types and varray types. So you could define a stored procedure to take a VARRAY of strings/varchar, and use that stored procedure through TopLink. For instance:
    StoredProcedureCall call = new StoredProcedureCall();
    call.setProcedureName("STORED_PROCEDURE_NAME");
    call.addNamedArgument("PERSON_CODE");
    oracle.sql.ArrayDescriptor descriptor = new oracle.sql.ArrayDescriptor("ARRAYTYPE_NAME", dbconnection);
    oracle.sql.ARRAY dbarray = new oracle.sql.ARRAY(descriptor, dbconnection, dataArray);
    Vector parameters = new Vector();
    parameters.addElement(dbarray);
    session.executeQuery(query,parameters);This will work for any values as long as you are not going to pass in null as a value as the driver can determine the type from the object.
    dataArray is an Object array consisting of your String objects.
    For output or inoutput parameters you need to set the type and typename as well:
      sqlcall.addUnamedInOutputArgument("PERSON_CODE", "PERSON_CODE", Types.ARRAY, "ARRAYTYPE_NAME"); which will take a VARRAY and return a VARRAY type object.
    The next major release of TopLink will support taking in a vector of strings and performing the conversion to a VARRAY for you, as well as returning a vector instead of a VARRAY for out arguments.
    Check out thread
    Using VARRAYs as parameters to a Stored Procedure
    showing an example on how to get the conection to create the varray, as well as
    http://www.oracle.com/technology/sample_code/tech/java/codesnippet/jdbc/varray/index.html on using Varrays in Oracle, though I'm sure the database docs might have more information.
    Best Regards,
    Chris

  • List all parameter in a parameter list

    Hi all,
    My form have a Parameter List which will have different number of parameters added to it based on different situations.
    The parameter list will then pass to a procedure, does anyone know How to list out all the parameters from the parameter list
    I mean, as the parameter name, parameter value & the number of parameter are changed in runtime, that's y I don't know how to show all the parameters from the list.
    Thanks!

    How about adding one more parameter that contains indicators for each parameter you have added to the list? A simple text field might work with zeros and ones where ones correspond to parameters that are present and zeros for those not present. Or maybe a comma separated list of abbreviated indicators, but that would be more difficult to parse.

  • Saved data in pick list for parameter

    Hi all,
    I have a scheduled report that I want to use parameters in. But the trick is that I want the pick list for the parameter to be fetched from the saved data for a specific field in the report.
    Any ideas? I am thinking of a dynamic parameter but then how do I only get to choose from actual data in the report?
    I am using CR2008 and running the reports on BO XI 3.1
    Thanks,
    Magnus

    store in excel file and use that to pull the values through.
    there should be a white paper on this site on how to do that.

  • Shorten LOV list in parameter field

    Hi,
    I have a quesiton regarding LOV. Say, if I define a parameter Employee_Last_Name as search condition for my report. Then I define list of values for Employee_Last_Name. Is there any way user can enter partial string to shorten LOV?
    Thanks,
    Amanda

    Are we talking on different version of Discoverer? I am referring to Discoverer 4i. In both desktop or viewer version of Discoverer 4i, the LOV always show whole list of values even if you enter partial string and wild card. Please let me know if 9i or 10g correct this issue. Thanks.

  • How to add Dynamic Pick List in Parameter

    Hi all,
    While Selecting parameters in that Properties-.>value->List of Values >Pick list>in that two options 1.value
    2.Description- in that i am entering static it is taking but i want to take values Dynamic from Database Table
    Any can help me in this how to add parametes dynamically from Data base  table
    Sincerly,
      Amol

    Hi All;
    I am using this version Eclipse-jee-europa-fall2-win32-with-CR4E-v.1.0.4 for making crystal reports
    Is there any another version that can support Dynamic choice from the List of Values drop down when i create parameter.
    or any other link that support / version
    Sincerly;
    Amol

  • Conditional dropdown list in parameter form

    I have a report with a parameter form containing a parameter called "person_name". As of now, it is a dropdown list which is built using a select query over my "people" table and displays all the people in the table. I need to add a checkbox on the parameter page which says "Show only current people" and when this checkbox is checked, the "person_name" dropdown list should be limited to only current people. I don't know how to add a checkbox to the parameter form, and how to implement this conditional if-then-else on the dropdown list.
    My current query for the dropdown list is:
    SELECT 1 co11,' ALL - ALL' col2
    FROM dual
    UNION
    SELECT person_seq_num col1, last_name||','||first_name col2
    FROM people
    ORDER BY 2 ascWhen the checkbox is checked, my query needs to be:
    SELECT 1 co11,' ALL - ALL' col2
    FROM dual
    UNION
    SELECT person_seq_num col1, last_name||','||first_name col2
    FROM people
    WHERE person_current_flag='Y'
    ORDER BY 2 ascCan anyone help with this problem? Thanks in advance.

    Hi,
    you can use 2 parameters with LOVs. The first one for All People/Current People, the second for your people-parameter. How to get them dependent is described in Note 185951.1 SAMPLE - How to create a parameter LOV based on another parameter value?
    Regards
    Rainer

  • How to get the list of parameter and set them using RESTFul WS for a Crystal Report

    Hi All,
    I am able to schedule a Crystal report using following POST Restful call - http://localhost:6405/biprws/infostore/4738/scheduleForms/now and with a request xml body. But report is failing because I am not passing the parameter.
    But I need pass parameters/prompts to the Crystal report to execute successfully.
    What is the request XML to pass the parameter  for the report?
    I was able to do this for WEBI reports but I am not able to find any way to do this for Crystal reports?
    Any help on this matter is really appreciated.

    Hi Venki
    Please have a look at:
    How to pass parameters and generate the report using RESTful API in VB.net
    This is also described in the Developer Help files:
    http://help.sap.com/businessobject/product_guides/sbo41/en/sbo41_webi_restful_ws_en.pdf
    - Ludek
    Senior Support Engineer AGS Product Support, Global Support Center Canada
    Follow us on Twitter

  • How to use ExecuteWithParams to pass a list as parameter

    Hi All,
    I need to have a read-only View from SQL with the following script Select * from XXXX_Table where ID is in (:ID_LIST)"
    So for example, the script will be something like "Select * from XXXX_Table where ID is in ('d1','d2') "
    How do I compose the parameter :ID_LIST from the frond end? I try to use
    OperationBinding operationBinding = bindings.getOperationBinding("ExecuteWithParams");
    operationBinding.getParamsMap().put("ID_LIST", " 'd1','d2' "); // ID_LIST is set to expression (string type) in the view object
    It does not work. I also try to use operationBinding.getParamsMap().put("ID_LIST", an_arraylist); not working either.
    It is working fine if I input only one ID, i.e operationBinding.getParamsMap().put("ID_LIST", " d1 "). But operationBinding.getParamsMap().put("ID_LIST", " d1, d2 ") doesn't.
    I spend several hours in trying all kinds of combination in parameters types(String, Object, Array) and parameters composed, none of them work. I believe the problem is the single quoto...
    Any one had soloved it before?

    The first thing you need is a Nested Table type in the database. I created one with:
    CREATE TYPE vc_arraytype AS TABLE OF VARCHAR2(4000);This allows you to pass arrays to SQL. Now theoretically, you should now be able to do this in the where clause of your View Object's query:
    WHERE myfield in CAST(:myArrayParameter AS vc_arraytype)All you should have to do is specify the where clause parameter named myArrayParameter as a java.sql.Array, and ADF should do the conversions properly. But as of JDeveloper 10.1.3.5 it didn't work that way. I don't know if it works in 11g, because I'm not using it very much yet.
    So instead, I do some of my own conversions to make this work:
        private Connection getCurrentConnection() throws SQLException {
            PreparedStatement st =
                getDBTransaction().createPreparedStatement("commit", 1);
            Connection conn = st.getConnection();
            st.close();
            return conn;
        private synchronized void setupDescriptor(Connection conn) throws SQLException {
            descriptor = new ArrayDescriptor("COMMON.VC_ARRAYTYPE", conn);
        private Array toArray(ArrayList<String> theArray) {
            Array arr = null;
            try {
                Connection conn = getCurrentConnection();
                if (descriptor == null) {
                    setupDescriptor(conn);
                arr = new Array(descriptor, conn, theArray.toArray());
            } catch (SQLException s) {
                s.printStackTrace();
            return arr;
        }

  • List dynamically parameter

    Hi everybody,
    My problem is simple :
    I know each form has a default paramlist called : "default".
    It lists all defined parameters in the current form.
    i'd like to list them DYNAMICALLY in order to know the number of then parameters and their properties (name, type, value...).
    thanks for any help :)

    Hi everybody,
    My problem is simple :
    I know each form has a default paramlist called : "default".
    It lists all defined parameters in the current form.
    i'd like to list them DYNAMICALLY in order to know the number of parameters and their properties (name, type, value...).
    thanks for any help :)

  • FRM-47013 error: Cannot add parameter P LEVEL to Parameter List REPDATA: pa

    Hello! I am using Forms 6i and get the above error-FRM-47013 error: Cannot add parameter P LEVEL to Parameter List REPDATA: parameter with this name exists. when clicking on the Run Report button on a parameter form. I have googled and I'm doing everything I know to do, but cannot get rid of the error. Any help is greatly appreciated! I only have 3 months Oracle experience coming from a VB/C# background.
    Here's my code that is on the Run Report Program Unit on the parameter form:
    PROCEDURE run_report IS
    pl_id ParamList;
    pl_name VARCHAR2(10) := 'repdata';
    v_rep_num number;
    hold_where_clause varchar2(2000);
    charFY                                                  varchar2(4);
    the_connect varchar2(10);
    CharAlertText          varchar2(300); --Alert message text
         NumAlertVal      number; --Alert prompt 
    begin
         if :CONTROL.BEGINNING_FISCAL_YEAR is null or :CONTROL.ENDING_FISCAL_YEAR is null then
                        CharAlertText := 'You must enter Beginning and Ending Fiscal Years before running this report!';
                        set_alert_button_property('ALERT_1',ALERT_BUTTON1,LABEL,'Ok'); --alert value equals 88
                        set_alert_property('ALERT_1',title,'No Year');
                        set_alert_property('ALERT_1',alert_message_text,CharAlertText);
                        NumAlertVal :=show_alert('ALERT_1');
                        raise form_trigger_failure;
         end if;
         if :CONTROL.BEGINNING_FISCAL_YEAR > :CONTROL.ENDING_FISCAL_YEAR then
                        CharAlertText := 'You must enter an Ending Year Fiscal Year greater than or equal to Beginning Year!';
                        set_alert_button_property('ALERT_1',ALERT_BUTTON1,LABEL,'Ok'); --alert value equals 88
                        set_alert_property('ALERT_1',title,'Invalid Year');
                        set_alert_property('ALERT_1',alert_message_text,CharAlertText);
                        NumAlertVal :=show_alert('ALERT_1');
                        raise form_trigger_failure;
         end if;
    --This section creates system identified parameter list.      
    BEGIN
    pl_id := Get_Parameter_List(pl_name);
    IF Not Id_Null(pl_id) THEN
    Destroy_Parameter_List(pl_name);
    --pl_id := Create_Parameter_List(pl_name);
    --IF Id_Null(pl_id) THEN
    --Message('Error creating parameter list '||pl_name);
    --RAISE Form_Trigger_Failure;
    --END IF;
    END IF;
    pl_id := Create_Parameter_List(pl_name);
    Add_parameter(pl_id,'P_LEVEL',text_parameter,:control.hierarchy);
    IF Id_Null(pl_id) THEN
    Message('Error creating parameter list '||pl_name);
    RAISE Form_Trigger_Failure;
    END IF;
    END;
    --End section that creates parameter list.
    BEGIN
    -- This will get the next sequence number from the database to make the
    -- report file name unique
    select ombil.report_seq.nextval
    into v_rep_num
    from dual;
    exception when no_data_found then
    display_error_text(203,'S','N');
    raise form_trigger_failure;
    END;
    If :control.hierarchy = 1 then
    hold_where_clause := ' ';
    elsif :control.hierarchy = 2 then
         hold_where_clause := ' AND DIV.ID = ' || :control.division_poplist ||' ';
    elsif :control.hierarchy = 3 then
    hold_where_clause := ' AND DIST.ID = ' || :control.district_poplist ||' ';
    elsif :control.hierarchy = 4 then
              hold_where_clause := ' AND PS.ID = ' || :control.psite_poplist ||' ';
    elsif :control.hierarchy = 5 then
    hold_where_clause := ' AND PS.ID IN ' || :CONTROL.MULTI_PROJECT_SITES ||' ';
    end if;
    --charFY := 'where to_char(MP.fiscal_year, ''RRRR'') = to_char(:CONTROL.FISCAL_YEAR, ''RRRR'')';
    Add_Parameter(pl_id,'PARAMFORM',TEXT_PARAMETER,'NO');
    Add_Parameter(pl_id,'DESTYPE',TEXT_PARAMETER,'FILE');
    Add_Parameter(pl_id,'DESNAME',TEXT_PARAMETER,:global.cur_reports_path||to_char(v_rep_num)||'.'||:control.format);
    Add_parameter(pl_id,'P_WHERE',text_parameter,hold_where_clause);
    Add_parameter(pl_id,'P_FY_BEGIN',text_parameter, to_char(:CONTROL.BEGINNING_FISCAL_YEAR, 'DD-MON-YYYY'));
    Add_parameter(pl_id,'P_FY_END',text_parameter, to_char(:CONTROL.ENDING_FISCAL_YEAR, 'DD-MON-YYYY'));
    --Add_parameter(pl_id,'P_LEVEL',text_parameter,:control.hierarchy); 
    /*if :control.format = 'CSV' then
    Add_Parameter(pl_id,'DESFORMAT',TEXT_PARAMETER,'DELIMITED');
              Add_Parameter(pl_id,'DELIMITER',TEXT_PARAMETER,',');
                        run_product(REPORTS,'es_adm_mit_percent_csv.rep',SYNCHRONOUS,RUNTIME,FILESYSTEM,pl_id,NULL);
    else */
              --Add_parameter(pl_id,'P_LEVEL',text_parameter,:control.hierarchy);
    Add_Parameter(pl_id,'DESFORMAT',TEXT_PARAMETER,:control.format);
         --end if;
    run_product(REPORTS,'es_fish_mit_reqs.rep',SYNCHRONOUS,RUNTIME,FILESYSTEM,pl_id,NULL);
    --Destroy_Parameter_List(pl_id);
    web.show_document(:global.cur_reports_url||to_char(v_rep_num)||'.'||:control.format,'_SELF');
    exception when others then
    display_error_text(202,'S','N');
    end;
    Edited by: [email protected] on Feb 27, 2009 6:35 AM

    A coworker figured out that the switchboard data input form was pointed at the wrong executable file. I knew there wasn't anything wrong with my code! I'll remember this one next time!
    Edited by: [email protected] on Feb 27, 2009 12:24 PM

  • SSRS report - A single selection dropdown list converted to text box

    Hello everyone,
    We created a single selection dropdown parameter (City parameter) on a report. The data in this parameter is populated using MDX query. Also, it is filtered based on selection of another single selection dropdown list (Country parameter) of a report.
    The problem is when there is no cities for the selected country the dropdown list is gets converted to free type text box and user can insert city data in it. Why SSRS is not keeping it as empty dropdown list with no data?
    Any help would be much appreciated.
    Thanks, Ankit Shah
    Inkey Solutions, India.
    Microsoft Certified Business Management Solutions Professionals
    http://www.inkeysolutions.com/MicrosoftDynamicsCRM.html

    Hello Charlie,
    We developed a fresh report only with two parameters but still the dropdown control gets converted to text box in our case. We have two single selection parameters, Location and Customers. Based on selected Location the customer
    dropdown gets populated.
    Location Parameter Query
    WITH MEMBER [Measures].[ParameterCaption] AS [Location].[Location Name].CURRENTMEMBER.MEMBER_CAPTION MEMBER [Measures].[ParameterValue] AS [Location].[Location Name].CURRENTMEMBER.UNIQUENAME MEMBER
    [Measures].[ParameterLevel] AS [Location].[Location Name].CURRENTMEMBER.LEVEL.ORDINAL
    SELECT {[Measures].[ParameterCaption], [Measures].[ParameterValue], [Measures].[ParameterLevel]} ON COLUMNS , [Location].[Location Name].ALLMEMBERS ON ROWS FROM [Model]
    Customer Query
    WITH MEMBER [Measures].[ParameterCaption] AS
    [Customer].[Customer Name].CURRENTMEMBER.MEMBER_CAPTION
    MEMBER [Measures].[ParameterValue] AS
    [Customer].[Customer Name].CURRENTMEMBER.UNIQUENAME
    MEMBER [Measures].[ParameterLevel] AS [Customer].[Customer Name].CURRENTMEMBER.LEVEL.ORDINAL
    SELECT {[Measures].[ParameterCaption], [Measures].[ParameterValue], [Measures].[ParameterLevel],[Measures].[Amt]} ON COLUMNS,
    nonempty([Customer].[Customer Name].ALLMEMBERS,[Measures].[Amt]) ON ROWS FROM ( SELECT ( STRTOSET(@LocationName, CONSTRAINED) ) ON COLUMNS FROM [Model])
    Regarding parameter settings on General tab for both the above parameters we did not select any of the following values, all these checkboxes are empty:
    Allow Blank Value ("") , Allow null value, Allow multiple values.
    I think it has something related to [Measures].[Amt] that we used in customer parameter. We are now trying to take other two parameters where we would be not using the [Measures].[Amt] to filter the data. Will update you soon.
    Thanks, Ankit Shah
    Inkey Solutions, India.
    Microsoft Certified Business Management Solutions Professionals
    http://www.inkeysolutions.com/MicrosoftDynamicsCRM.html

Maybe you are looking for

  • Failed to open the connection in Crystal Reports

    Hi All, I have Created One Crystal Report. When I Preview Report (Administration>Crystal Reports>Select Report-->Print and Preview), System displays the following error message. " Failed to open the connection." Where as when I view the same report d

  • Best practice for connecting to SAP backend from JSPDynPage

    Hi, Can anyone help clear up some confusion I have over connecting to SAP from Java? We have a number of JSPDynPage portal applications on EP7 Ehp1 that connect to SAP ECC6. We currently use 2 methods to call remote functions on the ECC system. 1) En

  • HT1338 What is wrong in this video

    I try to update Mac OSX 10.9.2, and works well despite a screen flash! May I know the reason Look at the video http://www.youtube.com/watch?v=88zMggYmung cheers

  • Sending an Outlook 2003/2010 Meeting Request via CF

    Well, that about sums it up! OK, a few more details:  my application is sending out emails without any problems, but now the user wants to be able to receive appointment requests to the public calendar that she maintains instead of having to retype t

  • CS6 Background changes in Windows 8

    My background in CS6 changes after upgrading to Windows 8.  I have checked all of my settings but can't change the constant changing from solid Gray to checkerboard.  I have the latest drivers for my video card and this is a system dedicated to imagi