Time Data loading with missing format

Hi expert,
after we load time data, find the following missing information:
0CALDAY:
20.080.112 (Error)
2008.01.12 (correct one)
0CALMONTH:
200.801(Error)
2008.01(correct one)
0CALQUARTE
20.081(Error)
20081(correct one)
Could anyone let us know how to correct data with missing format to correct one and how to do this step by step? Many thank!

What is the source for this data ?
Have it corrected in the source
Or
Correct in PSA and load it from there.
Does it happen only for a few records ?

Similar Messages

  • 0distr_chan initial master data load, text missing

    Hey: I am trying to do an initial master data load for 0distr_chan on text. The load is not successful. In the monitor detailed error message, it has red alert for transfer rules missing message, update missing message.
    0distr_chan attibute is OK.
    I am also having problems when loading 0salesorg on text. It fails also.
    Can anyone give me a clue?
    Thanks!

    Hi, thank you for your answer. I am new to this system. Please give me more guidance.
    To check on datasource on R3, I use transaction RSA6, underneath the SD-IO master data, I found 0DISTR_CHAN_TEXT with green text icon on the right. Is this a valid way to verify that datasource for 0DISTR_CHAN_TEXT has been activated OK on R3? I am not sure if there is any way for me to check if any transfer rules for the datasource has been activated OK on R3.
    thanks!

  • Date search with any format in oracle

    Hi Friends
    i have Problem with the date format In Db i have column with message (VARCHAR2)
    like.
    Admin~Assigned ~01-08-2013 03:12:35~ [email protected]
    Admin~Assigned ~01-AUG-2013 03:12:35~TEXT [email protected]
    Admin~Assigned ~01-JAN-13 03:12:35~text [email protected]
    Admin~Assigned ~01-07-13 03:12:35~TEXT [email protected]
    I enter only date in varchar2 any format '01-AUG-2013' .it will give the all output.
    How do i do that. Pls help me
    Thanks

    I had to deal with crappy data like yours many times. And its always a pain. We always expect for a magical generic solution. But there is never one such solution
    This is the best I have got.
    Lets consider this is your table.
    SQL> select *
      2    from t;
    STR
    Admin~Assigned~01-08-2013 03:12:[email protected]
    Admin~Assigned~01-AUG-2013 03:12:[email protected]
    Admin~Assigned~01-JAN-13 03:12:[email protected]
    Admin~Assigned~01-07-13 03:12:[email protected]
    We can split your data into columns like this.
    SQL> select regexp_substr(str, '[^~]+', 1, 1) col1
      2       , regexp_substr(str, '[^~]+', 1, 2) col2
      3       , regexp_substr(str, '[^~]+', 1, 3) col3
      4       , regexp_substr(str, '[^~]+', 1, 4) col4
      5       , regexp_substr(str, '[^~]+', 1, 5) col5
      6       , regexp_substr(str, '[^~]+', 1, 6) col6
      7    from t
      8  /
    COL1                 COL2                 COL3                 COL4                 COL5              COL6
    Admin                Assigned             01-08-2013 03:12:35  TEXTMGMT             INSERT            [email protected]
    Admin                Assigned             01-AUG-2013 03:12:35 TEXTMGMT             UPDATE            [email protected]
    Admin                Assigned             01-JAN-13 03:12:35   textMGMT             DELETE            [email protected]
    Admin                Assigned             01-07-13 03:12:35    TEXTMGMT             INSERT            [email protected]
    Now the problem is you have the date value (COL3) in various format. That's messed up. To convert a string into a date format the first thing you need to know is the format of the string. Basically how the string is represented as date. Without knowing that there is no way you can convert a string to date. Said that now you need to device a method to convert string input having various date formats into a date value.
    Below is a function that does that. But the problem is that you need to define the possible date formats in that. I have defined 10 date formats (No magic there ).
    SQL> create or replace function convert_as_date
      2  (
      3    p_date_string varchar2
      4  ) return date
      5  as
      6    type l_dt_fmt_tbl is table of varchar2(100) index by pls_integer;
      7    l_dt_fmt_list l_dt_fmt_tbl;
      8    l_ret_dt date;
      9
    10    function check_date_format
    11    (
    12       p_str varchar2
    13     , p_fmt varchar2
    14    ) return date
    15    is
    16      l_dt date;
    17    begin
    18      l_dt := to_date(p_str, p_fmt);
    19      return l_dt;
    20    exception
    21      when others then
    22        return null;
    23    end;
    24  begin
    25    l_dt_fmt_list(1)  := 'dd-mm-yyyy hh24:mi:ss';
    26    l_dt_fmt_list(2)  := 'mm-dd-yyyy hh24:mi:ss';
    27    l_dt_fmt_list(3)  := 'dd-mm-rr hh24:mi:ss';
    28    l_dt_fmt_list(4)  := 'dd-mon-yyyy hh24:mi:ss';
    29    l_dt_fmt_list(5)  := 'mon-dd-yyyy hh24:mi:ss';
    30    l_dt_fmt_list(6)  := 'dd-mm-yyyy';
    31    l_dt_fmt_list(7)  := 'dd-mon-yyyy';
    32    l_dt_fmt_list(8)  := 'yyyy-mm-dd hh24:mi:ss';
    33    l_dt_fmt_list(9)  := 'yyyy-mon-dd hh24:mi:ss';
    34    l_dt_fmt_list(10) := 'yyyy-dd-mm';
    35
    36    for i in 1..l_dt_fmt_list.count
    37    loop
    38      l_ret_dt := check_date_format (p_date_string, l_dt_fmt_list(i));
    39      exit when l_ret_dt is not null;
    40    end loop;
    41
    42    if l_ret_dt is null then
    43      raise_application_error(-20001, 'Invalid date: Specified format not supported');
    44    end if;
    45
    46    return l_ret_dt;
    47  end;
    48  /
    Function created.
    Once you have this you can do the following.
    SQL> var input_val varchar2(100)
    SQL> exec :input_val :=  '01-AUG-2013 03:12:35';
    PL/SQL procedure successfully completed.
    SQL> with my_tbl
      2  as
      3  (
      4  select regexp_substr(str, '[^~]+', 1, 1) col1
      5       , regexp_substr(str, '[^~]+', 1, 2) col2
      6       , regexp_substr(str, '[^~]+', 1, 3) col3
      7       , regexp_substr(str, '[^~]+', 1, 4) col4
      8       , regexp_substr(str, '[^~]+', 1, 5) col5
      9       , regexp_substr(str, '[^~]+', 1, 6) col6
    10    from t
    11  )
    12  select *
    13    from my_tbl
    14   where convert_as_date(col3) = convert_as_date(:input_val);
    COL1                 COL2                 COL3                 COL4                 COL5              COL6
    Admin                Assigned             01-08-2013 03:12:35  TEXTMGMT             INSERT            [email protected]
    Admin                Assigned             01-AUG-2013 03:12:35 TEXTMGMT             UPDATE            [email protected]

  • Material data load with two unit (0MAT_UNIT) failed?

    Hi,
    I am loading the 0MAT_UNIT data from R/3 QAS to BW QA, I am getting below error.
    0MAT_UNIT : Data record 34 ('000000000000010249 ') : Duplicate data record RSDMD 191
    There two records for same material number with two different units (EA and PAK), Data loaded to BW dev successfully even if duplicate records for material with two units but it failed in BW QA.
    Any setting I am missing?
    Please help.
    Thanks,
    Steve

    If you look at the definition of the P table (/BI0/PMAT_UNIT) you will find that both material and unit are keys. So the system recognizes a record as duplicate only when a given material with a given unit exists twice in the data. Based on what you are saying, this is not the case. You have two separate units for a given material. Can you please check to see if there is another record for the same material in a different datapacket ??

  • Data Load with HAL Problem with Decimal-delimiter/Language Setting

    Hi,
    we use HAL to load Data into Essbase. The Data is with a . as Decimal Point like in
    1252.25 When i upload these Data with HAL the number becomes 125225.00
    The Locale of my OS is German
    The Locale i specified for the file in HAL is English
    If i change the Locale of my BS to English the Problem disappears but thats annoying.
    Has anybody else such a problem ?
    Is There a Solution for this ?
    Thanks.
    Kevin

    Reading over John's blog, we created a rule file.
    But, it looks the load process using the rule file seems to be hanging? are we missing any thing? We are using comman seperator and having number of lines to skip as zero.

  • Data loading with 1:N & M:N relationship

    Hi,
    Which data (master or transaction) we can load with 1 : N relationship and M : N relationship.
    Can anyone give me the idea.
    Thx

    In case of master data,the char infoobjects with master data attributes take care of 1:N relation.For e.g for material master data,the material number would be the key based on which the data would be loaded for each new material.In case of transaction data for 1:N relation,you may take up DSO in which the primary keys can be made the key fields of DSO based on which the repeating combinations would be overwritten.You may use an infoset when there is a requirement of inner join(intersection) or left outer join between master data/DSO objects. The infocube can be used for M:N relation.For union operation betwen two infoproviders,multiprovider may be used.
    Hope this helps you out.
    Regards,
    Rinal

  • After Effects CS5 freeze on project load with missing files

    Mac with 10.6.4
    Open a CS4 project file with missing assets. It opens and converts to a new untitled document. Save the document and close. Open it again and it the application freezes up when loading the last bit of project files. Spinning beach ball forever. No error. It looks to be hitting a few missing files in the project but instead of putting up a "X number of files are missing since you last saved this project" message it locks up.
    I tried to open the older file again and find or delete all the missing file references but midway through that process I got the beach ball again. Now it freezes up just loading the older CS4 file.
    Any ideas? Much thanks.

    Files are on two different external drives, as is the project file itself. What I have done is copy the project file to my internal hard drive, disconnect all external drives, open the file and... it opens. At that point everything is missing, right. But I cleaned up the file, tossed out anything that wasn't totally necessary (this file is two years in the making). I saved it. Leaving it open I plugged the drives back in and started to reconnect the files to their references. I made sure there were no missing files. Closed, quit, and restarted and it worked. I lost a few things but nothing I couldn't rebuild pretty quickly. I suspect one of the reference files was corrupt? Maybe not, because the project file worked in CS4. Maybe a 32bit to 64bit conversion issue? Not sure but I'm back up and running.
    Thank you for responding. Hopefully this info will benefit someone else. Twas frustrating. These boards are a great resource.

  • Data Load with warnings, but dataload.err empty

    Hi guys,
    laoding data on EAS Console for a Essbase database gives below message:
    Database has been cleared before loading.
    dataload.err is EMPTY.
    Any ideas??
    Some data is loaded but how can I find out where it stopped or is all my data loaded?
    Message:
    Parallel dataload enabled: [1] block prepare threads, [1] block write threads.
    Transaction [ 0x190004( 0x4fd89600.0x64578 ) ] aborted due to status [1003050].
    There were errors, look in H:\My Documents\temp\dataload.err
    Database import completed ['AXN_Sim'.'BewMod']
    Output columns prepared: [0]
    Thanks Bernd

    Hi,
    There is nothing much you can say whether the data is completely loaded or not. You have to check by yourself on that.
    Since the loading was aborted with a warning, it could be a network issue..
    Try to load a small file and then check whether you are facing the problem or you coulfd also post your finding on that..
    Thanks,
    CM

  • Rela time data load in BI

    Hello experts ,
    I  have a table in R/3 side which will be updated very frequently in R/3 side.
    How can I   get the real time data in BI from that table ?
    Thanks
    Pankaj

    Hi,
    You can create a generic delta datsource based on that table and enable delta mechanism. By this you can capture delta and will help you to get frequently changed data to BI.
    Check the following link which will give you an idea to create generic delta datasource
    https://www.sdn.sap.com/irj/servlet/prt/portal/prtroot/docs/library/uuid/84bf4d68-0601-0010-13b5-b062adbb3e33

  • Master data loading  with Time dependent  InfoObjects

    Hi
    For product master, I have a infoobject Standard Cost, a time dependent keyfigure attribute.
    How do I Load data for product master
    1. From flat file
    2. from R/3 Pleas provide steps to do on R/3 side
    Thanks in advance,
    Regards,
    Vj

    Hi,
    Though you Material grade is time dependent and sequentially changing.
    You can create 4 different DTP with Grade selection (only 1 Transformation).
    For example, 1 DTP with filter Grade A, another DTP with grade B, so on.
    and executive all 4 dtp sequentially and activate master data after every DTP run.
    Hope it will workout.
    Thanks,
    Balaram

  • HFM DATA LOAD WITH ODI HANGS LONG TIME

    Hi all,
         There's a very strange problem when I loading data from MS SQLServer to HFM with ODI. Specifically, there are 2 interfaces to 2 applications on the same HFM server. Data amount is about 1,300,000 and 650,000 separately.
    The strange thing is when I execute interface individually, it sometimes works well. However when I execute the package contains 2 interfaces, the larger one almost hangs on about 10+ hours every time whether I use an agent or not.
    After some research, it seems that the session hangs on because it cannot get return info from HFM but loading data has already completed. I found some similar problems on OTN like 64bit driver and jre compatible error OR deadlock on table. Different with this one. So, can anyone help on this? Much appreciate in advance!!!
    BTW, ODI and HFM are on the same server but ODI repositary and source of interface are on another MS SQL data server. The version is as below:
    HFM 11.1.1.3.0.956
    ODI 11.1.1.6.0
    win server 2003 x86
    MS SQLServer 2008 R2
    win server 2008 x64
    Regards,
    Steve

    Hi SH,
         source is MS SQLServer 2008 R2, staging area is on the source side, target is a HFM 11.1.1.3.0.956 based on SQLSERVER.
         KM is a standard 'IKM SQL to Hyperion Financial Management Data'.
         No transformation logic but only a filter to select data in current year.
    Besides, I have do some performance tuning as guide tolds:
    REM #
    REM # Java virtual machine
    REM #
    set ODI_JAVA_HOME=D:\oracle\Java\jdk1.6.0_21
    REM #
    REM # Other Parameters
    REM #
    set ODI_INIT_HEAP=512m
    set ODI_MAX_HEAP=1024m
    set ODI_JMX_PROTOCOL=rmi
    In Regedit:
    EnableServerLocking: 1
    MaxDataCacheSizeinMB :1000
    MaxNumDataRecordsInRAM: 2100000
    MultiServerMaxSyncDelayForApplicationChanges:300
    MultiServerMaxSyncDelayForDataChanges:300
    After some reaserch, I think the problem can be located at the HFM-ODI adapter or HFM side(maybe HFM cannot respond a completed info to ODI), do you have any idea? Thanks in advance

  • Trying to compare date columns with differing formats...

    I have an app that created a series of tables via ODBC using ANSI standard datatypes. For most, this isn't a problem, but one in particular is driving me crazy: TIMESTAMP. In Oracle, it shows up as a TIMESTAMP(6). I don't want to mess with the app's tables, so every time there is an insert to their tables, I have a trigger which creates records in corresponding tables I build using standard Oracle datatypes (DATE).
    I have one function that gets called by several of the triggers that retrieves me a specific row to update, and it uses the value from this TIMESTAMP field in the WHERE clause like this (the value is passed into the function as a parmeter):
    SELECT TIMECARD_ID INTO tc_id FROM TS_TIMECARD_MAIN
    WHERE EMP_ID = e_id AND VEHICLE_ID = v_id
    AND IN_TIME <= logout AND OUT_TIME IS NULL; <----
    I seem to have a formatting issue, because unless the "logout" date is a full day later than IN_TIME, it doesn't pull the record (my code does a check to verify there is only one record matching the criteria but I haven't posted it all here for simplicity). I need it to be able to select the correct record with a one second difference.
    I have NLS_TIMESTAMP_FORMAT set to 'YYYY-MM-DD HH24.MI.SS.FF' and NLS_DATE_FORMAT set to 'YYYY-MM-DD HH24:MI:SS'. The relevant describes are included below. Can anyone suggest how to format my query (I expect to use the TO_DATE and TO_CHAR to compensate, but haven't found the right set) so that it resolves properly? Date math is a pain, but it is critical to my purposes.
    Vendor's table
    FIELD3_DATETIME TIMESTAMP(6)
    My table
    TIMECARD_ID NOT NULL NUMBER(10)
    EMP_ID NOT NULL NUMBER(10)
    IN_TIME DATE
    OUT_TIME DATE
    VEHICLE_ID NUMBER(10)
    Also, some sample default output from each table - not sure why formatting is wierd on my table.
    Vendor's table
    UNIQKEY STATUS FORM_ID VEHICLE_NUMBER CREATED_DATETIME
    11515780978071234994451 0 21423 24005 28-JUN-06 05.10.14.000000 PM
    CHECK_DVIR NEW_DVIR SERVICEABLE DETAILS
    1 1 1 everything ok
    INSPECTION_TIME ODOMETER LATITUDE LONGITUDE
    28-JUN-06 05.12.12.000000 PM 119885.1 44.7889490425587 -95.2167677879333
    My table
    TIMECARD_ID EMP_ID IN_TIME OUT_TIME VEHICLE_ID
    5 20044 28-JUN-06 24005

    That sounds a bit complicated. If you post your query I'm sure there will be a simpler approach, perhaps something like
    where  date_timestamp between cast(sysdate -30 as timestamp) and systimestampor if you prefer
    where  date_timestamp between systimestamp - interval '30' day and systimestampas discussed on Re: convert timestamp to date.

  • Excel dates export with wrong format.

    When I exported an Excel Spreadsheet with several date columns, they displayed correctly but because of wrong formatting, they didn't sort right. The cell display was, for example, 2/7/2013 but Excel treated it as 7/2/2013 because it was assigning another country's formatting. some of the cells were formatted correctly, but about half of them were wrong and they were wrong in different ways. some were Argentinian, some Carribean, some European. Any ideas how to prevent this from happening?

    Go to Sequence>Settings and in the lower left use load presets.
    Anything that's in the HD in the sequence will have to be reset using the remove attributes function. If you have mixed media, strange things will happen.
    Also use easy setup to change your preset so any future sequences you create will be in the correct format.

  • BInput Data mismatch with currency format

    i am working with fs10 transaction
    I want to sum up the balance amount with respect to all
    companycode and post SUM to the bseg table using Batch input.
    i defined sum variable as below and coded.
    data : sum like glt0-hsl01.  (currency format)
    After all SUM operation.
    I have done like this to diplay SUM in report first(to check SUM output)
    SUM = SUM * 100.
    write : sum decimals 0.
    >>>>Now in report output i get value '17,222-'
    if u see in  fs10 screen we are getting same value.
    but when i try to post in Batch input.
    i have done like this below.(before posting i have checked
    for negative value )
    if sum < 0.
    sum = sum *100.
    compute sum = abs( sum )
    now...
    perform open_group................
    perform bdc_field using 'bseg-wrbtr'  (currency format)
                                    sum.
    when i execute this BI i get error in Amount(Sum)value
    display screen. (saying something differs in length )
    how to match the field.
    ambichan.

    Hello,
    Go to the Domain of the Field BSEG-WRBTR, which is WERT7. There you see the Output length as 16. So you decalre a local variable in BDC which is of CHAR16 in length to hold the value of WRBTR.
    Hope this helps you.
    Regds, Murugesh AS

  • Table Name Storing date/time Data Loaded.

    Hi All,
    In BI I have few Info Providers to which data will be loaded frequently. Is there any table in BI which stores the information like the date and time the data was loaded to the corresponding Info Provider. Is there any table as such?? If yes then what is the transaction to reach that table.
    Thanks in Advance,
    Rajesh.

    check the table in SE11 tcode
    RSSTATMANPART

Maybe you are looking for

  • Word property with multiple lines

    Good Morning, I have a Document Library with an Word template, I fill some properties of the library so I can put this properties in the template. I am trying to write a line break, Any idea? Thanks.

  • Resolution problems with Acer aspire 5520

    Hello, I'm having trouble making both tty and Xorg resolution be native. I have an nVidia 7000M gpu.With nouveau drivers I managed to get KMS working, but realized Xorg resolution is wrong. If I set the right resolution with xrandr the problem with t

  • Does ERM has a database of itself?

    hi all, when a role is created through ERM, and after completion of Role Generation stage, it gets created on back-end. So, is there a separate database of ERM, where role is created/generated First and then copied/created on Back-end? if role is dir

  • OBIEE 11.1.1.6 not installing on RHEL 6

    Hi, I'm not able to install OBIEE11.1.1.6 on RHEL 6.It says required packages are missing. I have installed all the necessary packages needed But still not able to succeed.Please Help me out. Thanks In Advance Janani

  • ARC and ZFS

    A question about where the ARC cache resides in a Sun ZFS 7320 Storage Appliance? Does it run in the cache of the storage head or the RAM of the node?