Generic (Test) data for InfoCubes

What's the program that can be used to create generic or test data for an infocube?

For Master data fields, you can just go and add the data in the Master data directly once you click DISPLAY DATA..
If you need transaction data, then you can upload through a FLATFILE i.e through Excel file. for which you need to create a source system and then create a test datasource and upload.
Also for detailed steps, lot of posts for FLATFILE upload, pls SEARCH the SDN..you can get more idea.

Similar Messages

  • BIA Test: Suggestion for creating enormousTest Data for Infocubes

    Hi,
    I need to create some enormous amount of data for infocube in order to test BIA.
    I don't think my basis team will allow me to load data from Production to Sandbox and moreover production has less than 250 millions records.
    Any suggestion for 250 million records?

    Hello,
    Just an idea. If you can load a minimum of data for your cube then it is easy.
    You just have to generate for your cube for instance a datasource and then create some update rules to loop on your data.
    a. generate export datasource
    b. map it to your infosource
    c. define some update rules to ensuere your data will be different. For example in the start routine.
    Hope it helps.
    Patrice

  • How to generate test data for all the tables in oracle

    I am planning to use plsql to generate the test data in all the tables in schema, schema name is given as input parameters, min records in master table, min records in child table. data should be consistent in the columns which are used for constraints i.e. using same column value..
    planning to implement something like
    execute sp_schema_data_gen (schemaname, minrecinmstrtbl, minrecsforchildtable);
    schemaname = owner,
    minrecinmstrtbl= minimum records to insert into each parent table,
    minrecsforchildtable = minimum records to enter into each child table of a each master table;
    all_tables where owner= schemaname;
    all_tab_columns and all_constrains - where owner =schemaname;
    using dbms_random pkg.
    is anyone have better idea to do this.. is this functionality already there in oracle db?

    Ah, damorgan, data, test data, metadata and table-driven processes. Love the stuff!
    There are two approaches you can take with this. I'll mention both and then ask which
    one you think you would find most useful for your requirements.
    One approach I would call the generic bottom-up approach which is the one I think you
    are referring to.
    This system is a generic test data generator. It isn't designed to generate data for any
    particular existing table or application but is the general case solution.
    Building on damorgan's advice define the basic hierarchy: table collection, tables, data; so start at the data level.
    1. Identify/document the data types that you need to support. Start small (NUMBER, VARCHAR2, DATE) and add as you go along
    2. For each data type identify the functionality and attributes that you need. For instance for VARCHAR2
    a. min length - the minimum length to generate
    b. max length - the maximum length
    c. prefix - a prefix for the generated data; e.g. for an address field you might want a 'add1' prefix
    d. suffix - a suffix for the generated data; see prefix
    e. whether to generate NULLs
    3. For NUMBER you will probably want at least precision and scale but might want minimum and maximum values or even min/max precision,
    min/max scale.
    4. store the attribute combinations in Oracle tables
    5. build functionality for each data type that can create the range and type of data that you need. These functions should take parameters that can be used to control the attributes and the amount of data generated.
    6. At the table level you will need business rules that control how the different columns of the table relate to each other. For example, for ADDRESS information your business rule might be that ADDRESS1, CITY, STATE, ZIP are required and ADDRESS2 is optional.
    7. Add table-level processes, driven by the saved metadata, that can generate data at the record level by leveraging the data type functionality you have built previously.
    8. Then add the metadata, business rules and functionality to control the TABLE-TO-TABLE relationships; that is, the data model. You need the same DETPNO values in the SCOTT.EMP table that exist in the SCOTT.DEPT table.
    The second approach I have used more often. I would it call the top-down approach and I use
    it when test data is needed for an existing system. The main use case here is to avoid
    having to copy production data to QA, TEST or DEV environments.
    QA people want to test with data that they are familiar with: names, companies, code values.
    I've found they aren't often fond of random character strings for names of things.
    The second approach I use for mature systems where there is already plenty of data to choose from.
    It involves selecting subsets of data from each of the existing tables and saving that data in a
    set of test tables. This data can then be used for regression testing and for automated unit testing of
    existing functionality and functionality that is being developed.
    QA can use data they are already familiar with and can test the application (GUI?) interface on that
    data to see if they get the expected changes.
    For each table to be tested (e.g. DEPT) I create two test system tables. A BEFORE table and an EXPECTED table.
    1. DEPT_TEST_BEFORE
         This table has all EMP table columns and a TEST_CASE column.
         It holds EMP-image rows for each test case that show the row as it should look BEFORE the
         test for that test case is performed.
         CREATE TABLE DEPT_TEST_BEFORE
         TESTCASE NUMBER,
         DEPTNO NUMBER(2),
         DNAME VARCHAR2(14 BYTE),
         LOC VARCHAR2(13 BYTE)
    2. DEPT_TEST_EXPECTED
         This table also has all EMP table columns and a TEST_CASE column.
         It holds EMP-image rows for each test case that show the row as it should look AFTER the
         test for that test case is performed.
    Each of these tables are a mirror image of the actual application table with one new column
    added that contains a value representing the TESTCASE_NUMBER.
    To create test case #3 identify or create the DEPT records you want to use for test case #3.
    Insert these records into DEPT_TEST_BEFORE:
         INSERT INTO DEPT_TEST_BEFORE
         SELECT 3, D.* FROM DEPT D where DEPNO = 20
    Insert records for test case #3 into DEPT_TEST_EXPECTED that show the rows as they should
    look after test #3 is run. For example, if test #3 creates one new record add all the
    records fro the BEFORE data set and add a new one for the new record.
    When you want to run TESTCASE_ONE the process is basically (ignore for this illustration that
    there is a foreign key betwee DEPT and EMP):
    1. delete the records from SCOTT.DEPT that correspond to test case #3 DEPT records.
              DELETE FROM DEPT
              WHERE DEPTNO IN (SELECT DEPTNO FROM DEPT_TEST_BEFORE WHERE TESTCASE = 3);
    2. insert the test data set records for SCOTT.DEPT for test case #3.
              INSERT INTO DEPT
              SELECT DEPTNO, DNAME, LOC FROM DEPT_TEST_BEFORE WHERE TESTCASE = 3;
    3 perform the test.
    4. compare the actual results with the expected results.
         This is done by a function that compares the records in DEPT with the records
         in DEPT_TEST_EXPECTED for test #3.
         I usually store these results in yet another table or just report them out.
    5. Report out the differences.
    This second approach uses data the users (QA) are already familiar with, is scaleable and
    is easy to add new data that meets business requirements.
    It is also easy to automatically generate the necessary tables and test setup/breakdown
    using a table-driven metadata approach. Adding a new test table is as easy as calling
    a stored procedure; the procedure can generate the DDL or create the actual tables needed
    for the BEFORE and AFTER snapshots.
    The main disadvantage is that existing data will almost never cover the corner cases.
    But you can add data for these. By corner cases I mean data that defines the limits
    for a data type: a VARCHAR2(30) name field should have at least one test record that
    has a name that is 30 characters long.
    Which of these approaches makes the most sense for you?

  • Creating test data for a problem

    Hi,
    I've been using this forum for a few months and it has been extremely useful. The problem is that I actually have no idea how to create test data for a specific problem. I've tried googling but to no avail. I have had other users create test data for some of my problems using a 'WITH' statement but it would be great if someone could explain the logic behind it and how to approach a specific problem where in the query I use multiple tables.
    I know it's probably a stupid question and I'm relatively new to sql but it would help a lot if I understood the process.
    Banner:
    Oracle Database 11g Release 11.2.0.2.0 - 64bit Production
    PL/SQL Release 11.2.0.2.0 - Production
    "CORE 11.2.0.2.0 Production"
    TNS for Linux: Version 11.2.0.2.0 - Production
    NLSRTL Version 11.2.0.2.0 - Production

    Look at the point 3 and 4. You can also follow other points too.
    Please consider the following when you post a question. This would help us help you better
    1. New features keep coming in every oracle version so please provide Your Oracle DB Version to get the best possible answer.
    You can use the following query and do a copy past of the output.
    select * from v$version 2. This forum has a very good Search Feature. Please use that before posting your question. Because for most of the questions
    that are asked the answer is already there.
    3. We dont know your DB structure or How your Data is. So you need to let us know. The best way would be to give some sample data like this.
    I have the following table called sales
    with sales
    as
          select 1 sales_id, 1 prod_id, 1001 inv_num, 120 qty from dual
          union all
          select 2 sales_id, 1 prod_id, 1002 inv_num, 25 qty from dual
    select *
      from sales 4. Rather than telling what you want in words its more easier when you give your expected output.
    For example in the above sales table, I want to know the total quantity and number of invoice for each product.
    The output should look like this
    Prod_id   sum_qty   count_inv
    1         145       2 5. When ever you get an error message post the entire error message. With the Error Number, The message and the Line number.
    6. Next thing is a very important thing to remember. Please post only well formatted code. Unformatted code is very hard to read.
    Your code format gets lost when you post it in the Oracle Forum. So in order to preserve it you need to
    use the {noformat}{noformat} tags.
    The usage of the tag is like this.
    <place your code here>\
    7. If you are posting a *Performance Related Question*. Please read
       {thread:id=501834} and {thread:id=863295}.
       Following those guide will be very helpful.
    8. Please keep in mind that this is a public forum. Here No question is URGENT.
       So use of words like *URGENT* or *ASAP* (As Soon As Possible) are considered to be rude.                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                   

  • Debuging mapping - error : Could not find test data for target operators ?

    Hello, Please help me.
    I use Oracle Warehouse Builder 10gR2.
    I created a cube with two dimensions.
    I debugged the mappings of these two dimensions then viewed their data after deployment.
    I tried to debug the mapping of the cube, and got the error: Could not find test data for all source and target operators.
    For source objects exist test data but for the target operator (cube_out) logically we do not need test data !!!! .
    But the error is here: Could not find test data for target operators. Why ??
    How to configure or explain to owb that the target operator do not have test data ????
    I need your help.
    thank you in advance.

    Sorry, I can not understand your approach ?
    I explain you in detail : I work in ROLAP.
    I have two dimensions : DIM_1 and DIM_2 linked with the cube (Fact_table).
    I have three mappings : MAP_DIM1, MAP_DIM2, MAP_CUBE.
    For the MAP_CUBE, I have source operator : VIEW_IN and Target operator : CUBE_OUT.
    I could see the data dimensions : DIM_1 and DIM_2 after debugging and Deployment in the OLAP schema.
    I tried debugged the mapping: MAP_CUBE so I got the error: Could not find test data for all source and target operators.*
    thank you for help.

  • The table for storing data for infocube and ODS

    Hi all:
        could you please tell me how to find the table for storing data for infocube and ODS?
    thank you very much!

    Hi Jingying Sony,
    To find tables for any infoprvider go to SE11.
    In database table field enter the following
    Cube -
    Has fact table and dimension table
    For customized cube - ie cube names not starting with ' 0 '
    Uncompressed Fact table - /BIC/F<infocubename>
    Compressed fact table - /BIC/E<infocubename>
    Dimension table - /BIC/D<infocubename>
    For standard cube - ie cube names  starting with ' 0 '
    Uncompressed Fact table - /BI0/F<infocubename>
    Compressed fact table - /BI0/E<infocubename>
    Dimension table - /BI0/D<infocubename>
    Click on display.
    For DSO,
    For standard DSO active table- /BI0/A<DSO name>00.
    You use 40 for new table.
    Click on display.
    For customized DSO use- /BIC/A<DSO name>00.
    An easier way is in the database table field, write the name of the cube/DSO preceeded and followed by ' * ' sign. Then press F4 . It shall give you the names of the available table for that info provider.
    Double click on the name and choose display.
    Hope this helps,
    Best regards,
    Sunmit.

  • How to add Test data for a function module

    Hi experts,
    i want to add test data for a function module . i don't know how to proceed on it . please help me...
    with regards,
    James...
    Valuable answers will be rewarded...

    Hi,
    - Go to SE37 and execute your FM
    - Enter the data you want to pass to FM
    - Hit 'Save' button. Enter the meaningful name for your test scenario and save. That's it you have saved the test data.
    You can also enter some other test data and save that also. In short, you can save multiple test scenario. Also, you can give multiple test scenario a same name and they do not overwrite each other ( but normally you give different name to differentiate them)
    Next time you come to execute the FM again, hit the "test data" button and it will show you all the test scenario you have stored before. Select the one you want to use and it will load the data in FM parameters.
    Let me know if you need any other information.
    Regards,
    RS

  • Workflow Test Data for BUS1010

    Hello experts,
    i have a problem when testing my new workflow. I use BUS1010 for setting up credit data for debitors. I set test data for all BO like BUS2032. There is the key field 12 character long so I enter 0000012092 for my salesorder and for KNA1 0000001460.
    But now I want to enter the data for BUS1010. The problem is that there are 2 keys. One is the debitor and the other the credit control area (4 character). What should I enter for to create test data?
    At first I tried it only with 0000000000001460 ( 16 character). but it does't work. Then 00000000000014600001 (with credit control area 0001 at the end). How shall is enter it? With a ; or a . ?
    Please help.
    thanks

    Thanks,
    It must be a combination of two fields . the credit control area (field kkber)with 4 characters and the debitor account number ( kunnr  (data elemnt kun16)) with 16 characters i think. How to build the right key to create test data for BUS1010.
    When i enter debitor 1460 and credit control area 0001 in TA FD32 it get the right data. But why it isn't working when i enter it as test data for my workflow?

  • Need TEST DATA for CP_BD_DIRECT_INPUT_PLAN..

    Hi.
    I want to update a Created Routing with the help of "CP_BD_DIRECT_INPUT_PLAN"  function module. I am trying but getting error. Can any one help me with providing TEST DATA for "CP_BD_DIRECT_INPUT_PLAN" for Creating/Changing Operations???
    Or is it a good way to use CP_BD_DIRECT_INPUT_PLAN for Routing update???
    please answer.
    Advance thanks,
    ~Guru
    Edited by: gtipturnagaraja on Nov 18, 2010 10:33 AM

    Hi,
    the cause of this message is a change number (rc271_di_imp-aennr), which has an valid-from date different to the valid-from date of the work plan (aenr-datuv was the 01 September 2010 and plko-datuv the 10 November 2010).
    By clearing of the change number into structure rc271_di_imp structure appears this message does not occur.
    Regards
    Peter
    Edited by: Peter Loeff on Nov 10, 2010 4:33 PM

  • Test data for mb01

    Hi,
    Can we get some test data for posting GR in mb01?If yes, where can we get the data?
    I am on a 4.7 ides system.
    Regards,
    CA

    Hi,
    You cannot do the testing in prod. server, if you want to do so you have to use copyPD (sandbox) or quality server, data might be available there, or you can fetch data from ME2N by entering Selection Parameters as WE101 Open goods receipt (Open PO)
    and post GRN with MB01.
    =-=
    Pradip Gawande

  • TEST DATA for *PurchaseOrderCreateRequestConfirmation_In*

    BPM Experts ,
    We are consuming the service " PurchaseOrderCreateRequestConfirmation_In" from the HU2 system in one of my BPM process . But when I am testing it in the WS Navigator I am not able to fill the right input parameters . Please provide me with the TEST DATA for this service or let me know where to locate it if available in the ES Workplace.
    I
    Service Name : PurchaseOrderCreateRequestConfirmation_In
    System : HU2
    WS Navigator on SAP Systems : http://sr.esworkplace.sap.com/webdynpro/dispatcher/sap.com/tcesiespwsnavui/WSNavigator
    Regards,
    Srikanth

    Thanks for your support Martin...
    But  in BPM process I am not able create PO .Please check the below link what could be the reason??
    2.0 #2008 10 27 17:50:16:437#+0530#Error#com.sap.glx.core.kernel.execution.LeaderWorkerPool#
    #BC-BMT-BPM-SRV#com.sap.glx.core.svc#001D92DB3D06056900000000000005E8#2008650000000853##com.sap.glx.core.kernel.execution.LeaderWorkerPool.Follower.run()#SAP_BPM_Service#0##5092B801A40411DD8A05001D92DB3D06#5092b801a40411dd8a05001d92db3d06#5092b801a40411dd8a05001d92db3d06#0#Galaxy 595 / Follower Worker#Java##
    An error occurred while executing transition: #5## #AUTOMATED_ACTIVITY_CreatePo(Token_0_Purchase_Order_Approval_Process_fc11fbbc4c0a8693cda10b7b69df1d65(Instance_0_Purchase_Order_Approval_Process_fc11fbbc4c0a8693cda10b7b69df1d65(null,null,null,false),2), Instance_0_Purchase_Order_Approval_Process_fc11fbbc4c0a8693cda10b7b69df1d65(null,null,null,false), Context_0_DO_InvestmentApprovalProcess_fc11fbbc4c0a8693cda10b7b69df1d65(Instance_0_Purchase_Order_Approval_Process_fc11fbbc4c0a8693cda10b7b69df1d65(null,null,null,false),Scope_1_Purchase_Order_Approval_Process_fc11fbbc4c0a8693cda10b7b69df1d65(Instance_0_Purchase_Order_Approval_Process_fc11fbbc4c0a8693cda10b7b69df1d65(null,null,null,false)),2,true))#com.sap.glx.core.kernel.api.TransitionException: An exception occurred while executing the script "_Purchase_Order_Approval_Process:AUTOMATED_ACTIVITY_CreatePo(
          com.sap.glx.adapter.BPMNAdapter:Token_0_Purchase_Order_Approval_Process_fc11fbbc4c0a8693cda10b7b69df1d65 token,
          com.sap.glx.adapter.BPMNAdapter:Instance_0_Purchase_Order_Approval_Process_fc11fbbc4c0a8693cda10b7b69df1d65 parent,
          com.sap.glx.adapter.internal.ContainerAdapter:Context_0_DO_InvestmentApprovalProcess_fc11fbbc4c0a8693cda10b7b69df1d65 context_0){
      exit=new com.sap.glx.adapter.BPMNAdapter:Exit();
      exit:addParameter(token);
      exit:addParameter(parent);
      exit:addParameter(context_0);
      exit:onActivation("4A141FDCD30A03D0455111DEC347001D92DB3D39", parent, token);
      delete exit;
      controller=new com.sap.glx.adapter.internal.ExceptionAdapter:ExceptionController();
      controller:setContext(token);
      delete controller;
      callscope=new com.sap.glx.adapter.internal.TypeRegistry:Scope_6_Purchase_Order_Approval_Process_fc11fbbc4c0a8693cda10b7b69df1d65(parent);
      call=new com.sap.glx.adapter.UnifiedConnectivityAdapter:Call_0_CreatePo_fc11fbbc4c0a8693cda10b7b69df1d65(callscope);
      request=callscope:instantiate("http://sap.com/xi/APPL/SE/Global", "\#PurchaseOrderCreateRequestMessage_sync");
      mapper=new com.sap.glx.adapter.internal.Transformer:DataMapper();
      yves_in=new com.sap.glx.adapter.internal.Transformer:Data();
      yves_out=new com.sap.glx.adapter.internal.Transformer:Data();
      data=context_0:getData();
      yves_in:setData("sap.com/glx/", "$sap.com/glx/:DO_InvestmentApprovalProcess", data, "DA49727FF1D4D9500E2210F8618BADAC");
      yves_out:setData("http://sap.com/xi/SAPGlobal20/Global", "$http://sap.com/xi/SAPGlobal20/Global:PurchaseOrderCreateRequest_sync", request, "C092C3F81CCAD6856EF323EBD1588DA3");
      mapper:map("4A141FDCD30A03D3455111DEB4DC001D92DB3D39_fc11fbbc4c0a8693cda10b7b69df1d65", yves_in, yves_out);
      request=yves_out:getData("http://sap.com/xi/SAPGlobal20/Global", "$http://sap.com/xi/SAPGlobal20/Global:PurchaseOrderCreateRequest_sync", "C092C3F81CCAD6856EF323EBD1588DA3");
      delete yves_in;
      delete yves_out;
      delete mapper;
      call:setInputData("http://sap.com/xi/SAPGlobal20/Global", "$http://sap.com/xi/SAPGlobal20/Global:PurchaseOrderCreateRequest_sync", request);
      response=callscope:instantiate("http://sap.com/xi/APPL/SE/Global", "\#PurchaseOrderCreateConfirmationMessage_sync");
      call:setOutputData("http://sap.com/xi/SAPGlobal20/Global", "$http://sap.com/xi/SAPGlobal20/Global:PurchaseOrderCreateConfirmation_sync", response);
      call:invoke();
      response=call:getOutputData("http://sap.com/xi/SAPGlobal20/Global", "$http://sap.com/xi/SAPGlobal20/Global:PurchaseOrderCreateConfirmation_sync");
      mapper=new com.sap.glx.adapter.internal.Transformer:DataMapper();
      yves_in=new com.sap.glx.adapter.internal.Transformer:Data();
      yves_out=new com.sap.glx.adapter.internal.Transformer:Data();
      yves_in:setData("http://sap.com/xi/SAPGlobal20/Global", "$http://sap.com/xi/SAPGlobal20/Global:PurchaseOrderCreateConfirmation_sync", response, "C092C3F81CCAD6856EF323EBD1588DA3");
      mapper:map("4A141FDCD30A03D5455111DE84B3001D92DB3D39_fc11fbbc4c0a8693cda10b7b69df1d65", yves_in, yves_out);
      delete yves_in;
      delete yves_out;
      delete mapper;
      delete call;
      delete callscope;
      token:state=3;
    at com.sap.glx.core.kernel.execution.transition.ScriptTransition.execute(ScriptTransition.java:69)
    at com.sap.glx.core.kernel.execution.transition.Transition.commence(Transition.java:241)
    at com.sap.glx.core.kernel.execution.LeaderWorkerPool$Follower.run(LeaderWorkerPool.java:118)
    at com.sap.glx.core.resource.impl.common.WorkWrapper.run(WorkWrapper.java:58)
    at com.sap.glx.core.resource.impl.j2ee.ServiceUserManager$ServiceUserImpersonator$1.run(ServiceUserManager.java:116)
    at java.security.AccessController.doPrivileged(Native Method)
    at javax.security.auth.Subject.doAs(Subject.java:337)
    at com.sap.glx.core.resource.impl.j2ee.ServiceUserManager$ServiceUserImpersonator.run(ServiceUserManager.java:114)
    at com.sap.engine.core.thread.impl3.ActionObject.run(ActionObject.java:37)
    at java.security.AccessController.doPrivileged(Native Method)
    at com.sap.engine.core.thread.impl3.SingleThread.execute(SingleThread.java:169)
    at com.sap.engine.core.thread.impl3.SingleThread.run(SingleThread.java:266)
    Caused by: com.sap.glx.core.kernel.api.TransitionException: An exception occurred while executing the script command "mapper:map("4A141FDCD30A03D3455111DEB4DC001D92DB3D39_fc11fbbc4c0a8693cda10b7b69df1d65", yves_in, yves_out)"
    at com.sap.glx.core.kernel.trigger.config.Script.execute(Script.java:675)
    at com.sap.glx.core.kernel.execution.transition.ScriptTransition.execute(ScriptTransition.java:64)
    ... 11 more
    Caused by: java.lang.IllegalArgumentException: Value '2008-10-27T17:50:16.437+05:30' of type http://sap.com/xi/APPL/SE/Global\#\#Date fails validation check: pattern=[[0-9]-[0-9]-[0-9]]
    at com.sap.sdo.impl.types.builtin.TypeLogic$FacetCheck.check(TypeLogic.java:358)
    at com.sap.sdo.impl.types.builtin.TypeLogic.checkFacets(TypeLogic.java:528)
    at com.sap.sdo.impl.types.builtin.TypeLogic.convertFromJavaClass(TypeLogic.java:296)
    at com.sap.sdo.impl.objects.strategy.AbstractDataStrategy.convert(AbstractDataStrategy.java:687)
    at com.sap.sdo.impl.objects.strategy.PropertyChangeContext.convertObject(PropertyChangeContext.java:308)
    at com.sap.sdo.impl.objects.strategy.PropertyChangeContext.checkAndNormalizeDataTypeObject(PropertyChangeContext.java:302)
    at com.sap.sdo.impl.objects.strategy.PropertyChangeContext.checkAndNormalizeValue(PropertyChangeContext.java:211)
    at com.sap.sdo.impl.objects.strategy.AbstractPropSingleValue.setValue(AbstractPropSingleValue.java:48)
    at com.sap.sdo.impl.objects.GenericDataObject.set(GenericDataObject.java:620)
    at com.sap.glx.mapping.execution.implementation.node.SdoNode$PrimitiveItemContainer.appendNode(SdoNode.java:375)
    at com.sap.glx.mapping.execution.implementation.assignment.SetAssignment.assign(SetAssignment.java:23)
    at com.sap.glx.mapping.execution.implementation.Interpreter.mapPart(Interpreter.java:145)
    at com.sap.glx.mapping.execution.implementation.Interpreter.mapPart(Interpreter.java:151)
    at com.sap.glx.mapping.execution.implementation.Interpreter.mapPart(Interpreter.java:151)
    at com.sap.glx.mapping.execution.implementation.Interpreter.mapMapping(Interpreter.java:140)
    at com.sap.glx.mapping.execution.implementation.Interpreter.map(Interpreter.java:135)
    at com.sap.glx.core.internaladapter.Transformer$ClassRegistry$MapperClassManager$MapperClassHandler$MapperInvocationHandler.invoke(Transformer.java:1797)
    at com.sap.glx.core.internaladapter.Transformer$TransformerInvocationHandler.invoke(Transformer.java:399)
    at com.sap.glx.core.dock.impl.DockObjectImpl.invokeMethod(DockObjectImpl.java:459)
    at com.sap.glx.core.kernel.trigger.config.Script$MethodInvocation.execute(Script.java:247)
    at com.sap.glx.core.kernel.trigger.config.Script.execute(Script.java:670)
    ... 12 more
    #2.0 #2008 10 27 17:50:23:953#+0530#Error#com.sap.jms.client#
    #BC-JAS-JMS#jms#001D92DB3D06056C00000000000005E8#2008650000000025##com.sap.jms.client.com.sap.jms.client.session.JMSTopicSession#Guest#0##9E68D790A42111DD8FAC001D92DB3D06#9e68d790a42111dd8fac001d92db3d06#9e68d790a42111dd8fac001d92db3d06#0#JMS Session 5 (95)#Plain##
    java.lang.NullPointerException
    at com.sap.netweaver.rtmf.serverimpl.services.UserManagerService.doLogout(UserManagerService.java:622)
    at com.sap.netweaver.rtmf.serverimpl.services.UserManagerService.activeActionMethod(UserManagerService.java:99)
    at com.sap.netweaver.rtmf.serverimpl.services.UserManagerService.onClusterMessageArrived(UserManagerService.java:79)
    at com.sap.netweaver.rtmf.messagingimpl.services.RTMFService$RTMFClusterListener.onMessage(RTMFService.java:257)
    at com.sap.jms.client.session.JMSSession.deliverMessage(JMSSession.java:805)
    at com.sap.jms.client.session.JMSSession.run(JMSSession.java:728)
    at com.sap.engine.core.thread.impl3.ActionObject.run(ActionObject.java:37)
    at java.security.AccessController.doPrivileged(Native Method)
    at com.sap.engine.core.thread.impl3.SingleThread.execute(SingleThread.java:169)
    at com.sap.engine.core.thread.impl3.SingleThread.run(SingleThread.java:266)
    Edited by: srikanth d on May 21, 2009 3:03 PM

  • Test Data for PurchaseOrderCreateRequestConfirmation_In in HU2

    SOA Experts ,
    We are consuming the service " PurchaseOrderCreateRequestConfirmation_In" from the HU2 system in one of my BPM process . But when I am testing it in the WS Navigator I am not able to fill the right input parameters . Please provide me with the TEST DATA for this service or let me know where to locate it if available in the ES Workplace.
    I
    Service Name : PurchaseOrderCreateRequestConfirmation_In
    System : HU2
    WS Navigator on SAP Systems : http://sr.esworkplace.sap.com/webdynpro/dispatcher/sap.com/tcesiespwsnavui/WSNavigator
    Regards,
    Srikanth

    Hi Srikanth,
    Maybe you could share your findings with us? This is a community forum after all and it works both ways
    Many thanks in advance,
    Michael

  • Create test data for idoc

    can any body tell proficeint in creation of test data for idoc. plss respond immediately

    hi..
    Using the Transaction IDOC Test Tool Tcode (WE19) we can Generate an IDOC
    1. Based on an IDOC type
    2. Based on a Message type
    Then Fill the Segment Records with Test data .
    We can use this Test idoc for Outbound or Inbound processing.
    <b>reward if Helpful.</b>

  • Reg : test data for segment E1EDK02

    Hi all ,
    i need test data for the fields in the segment to be filled .i need to refer to which table .for qualifier ,document ,document item ,date and time to be filled up.thanx in advance ..............

    problem solved .....

  • Test data for the ABAP Function

    Hello Experts,
    Can you please provide me the valid test data for the function modules?
        /SCA/BIF_WORKINPROCESS_BO
                           and
        /SCA/BIF_WORKORDINF_MS
    Thanks and Regards,
    Kuldeep Verma

    Hi ,
    If u want to use the same data to test your function module then we can use this button. To use this button simply press F8 --> give the test data --> And then save this test in the test directory using the SAVE button.
    --> Next time when retest it then their is no need to give all the other information just press Test Data directory..
    Hope you understand.
    Kuldeep

Maybe you are looking for

  • Easy way to extract a jar file?

    I'm looking for an easy way to extract a jar file from with in a java program. I would also like to specify what directory it goes into. I can't seem to find anything on this.

  • Appleworks 6.4 printing probs

    Sorry this is long, but the following probs have arisen at home & at work since updating to 10.4.4 & a/wx 6.4: Many of my previous template documents now only print in a sort of dark grey, although they are black on-screen, and those created since up

  • HT1351 I have a Ipod Nano 5th edition and I can no longer sync, add or view my previously recorded music to itunes or windows. What can I do?

    I have a Ipod Nano 5th edition. 2 years ago I imported and exported my music files to my Windows 7 laptop and also to Itunes. It worked great. Recently I've tried to do the same and now I can't do either. When I plug in my ipod it is discoverable but

  • CS6 Camera raw

    After a recent update while working in Camera Raw off of the bridge I noticed that the workflow has changed.  I can no longer change the size as easily.  Is that normal?

  • Media Keys not working

    For some reason my media keys (play/pause/fwd/rwd) on my aluminiu keyboard have stopped working. When I first got the keyboad they didn't work... I installed KeyboardSoftware1.2 and they started working. But, I'm not sure when or how, they have stope