Fract String to Number converts "700,5" to 700,49999999

I found that for some numbers the Fract String to Number vi creates a small rounding error. As an example “700,5” converts to 700,49999999. (Se attached image and vi). Is there a way to fix this?
To see this error you have to adjust the number of digits to display in the Display format property tab. Or you can try using the round to nearest vi which will round to 700 and not 701. (This was how I found the error 
I’m using Labview 2009.
Terje
Message Edited by Terje on 02-08-2010 05:00 AM
Message Edited by Terje on 02-08-2010 05:01 AM
Message Edited by Terje on 02-08-2010 05:06 AM
Solved!
Go to Solution.
Attachments:
rounding error.vi ‏6 KB

Gerd,
i just searched in the web a little bit in order to shed some light on the issue. Sadly, i found no real "solution", but something interesting:
Due to Wikipedia (See in chapter "Character Representation"), the rounding for floating point numbers is correct with 17 decimal digits for binary64 values (which LV-doubles are).
I previously found out, that the change from 770.5 to 700.4999 is done if the number of significant bits in the display option is set to something higher than 17 (so 18 or above).
I find this is a fascinating coincidence......
Norbert
Message Edited by Norbert B on 02-08-2010 07:52 AM
CEO: What exactly is stopping us from doing this?
Expert: Geometry
Marketing Manager: Just ignore it.

Similar Messages

  • Fract/Exp String to Numbe Display Format

    I have a Numeric String which has a large decimal value, with the Digits of precision ranging upto 16 digits. I want to convert this String to a Numeric value and I have used a 'Fract/Exp String to Number'. In my VI I hae set:
    Data Type: EXT (because it allows Number of Decimal Digits from 15 to 20)
    Data Format: Floting Point
    Digits: 16
    Precision Type: Precision Digits
    The following is my question: If the input string has Precision Digits = 15 Eg: 5.369607712106161
    Then I am getting output = 5.3696077121061609, which is about the same, but not the same number I sent.
    or , String 1.145152879691825 gives me number = 1.1451528796918251
    String 5.818356760119754 gives me number = 5.8183567601197543
    Please suggest how I can make the output more precise. 
    Thank you.
    Regards,
    H.
    Solved!
    Go to Solution.
    Attachments:
    FractStringToNumber.vi ‏6 KB

    Hello Darin
    Thank you for the post. It worked!
    I do not understnd one thing: My  output number is EXT and the default value is also EXT with precision value set to 0. How does wiring the default value itself works, while not wiring it didnt work before!
    Thanks,
    H
    Message Edited by H P on 12-17-2009 03:45 PM
    Attachments:
    FractStringToNumber.vi ‏7 KB

  • Expression Builder: convert string to number

    Hi all,
    I'm having trouble building a field validation rule for bank account numbers.
    The numbers have 12 positions, so I cannot use a string or text number.
    The validation rule to be implemented is that the last two digits are calculated based on the first 10 (modulo 97).
    However, when I use the Mid function to pick the first characters, I am unable to do any calculations on it. Apparently, the string to number conversion doesn't work (it should work when I read the manual, as it says that when using an operator between two data types, the second type is converted to the first (cf. example of 1234+abcd (should result in 1234 as to the manual))). So I tried '1*Mid(...)' or '0+Mid(...)'. Syntactically the expression builder accepts it and I can save it. BUT when I change the particular value on the screen, it gives me an SSO error (not the Field Validation error message I entered).
    Why isn't there simply a function ToNumber (like ToChar)????? How could I workaround this?
    Any input very welcome!
    Frederik

    Apparently, I was a bit confused when typing the first sentence, it should be:
    The numbers have 12 positions, so I cannot use an integer or number data type, but have to use String.

  • Optimize function to correct a string to be converted to number

    Hi,
    I have imported almost 6.5 milion rows into a table (using sql loader) from a flat file (which contains the NUL caracter (ASCII 0) - not space, not NULL). To make the load easier I set the datatype as VARCHAR2 for all columns. For columns with string data I used a TRIM(REPLACE(field,' ','')) to get rid of the NUL and it works.
    But for the column that must be converted to numeric I am trying to use to_number () function and it fails because the numeric data is mixed with other characters.
    To solve this problem I created this function :
    CREATE OR REPLACE
    FUNCTION string_to_number
    (p_string_source IN VARCHAR2 ) RETURN VARCHAR2 IS v_output_string varchar2(150);
    -- This function takes a string as parameter and has 2 outputs:
    -- 1. If the source string cannot be converted to number throw 'Error' as the output message to identify the line with the issue
    -- 2. A string that can be converted successfully as Number;
    -- The necessity of this function came up after an import from a flat file where the resulted string contained strange characters shown as spaces
    --check if '-' is exists and is on the first position or if in the source string exists more than one '.'
    -- ASCII codes accepted in the string :
    -- 45 '-' ; 46 '.' ; from 48 (0) to 57 (9)
    BEGIN
    DECLARE v_minus VARCHAR2(1);
    v_dot INTEGER;
    BEGIN
    SELECT substr(p_string_source,1,1) INTO v_minus FROM dual;
    SELECT instr(p_string_source,'.',1,2) INTO v_dot FROM dual;
    --check if '-' is exists and is on the first position or if in the source string exists more than one '.'
    -- ASCII codes accepted in the string :
    -- 45 '-' ; 46 '.' ; from 48 (0) to 57 (9)
    IF v_minus NOT IN ('-','.','0','1','2','3','4','5','6','7','8','9')
    -- or there are two dots '.' in the string
    OR v_dot <> 0
    THEN v_output_string := 'Error';
    ELSE
    BEGIN
    -- for every character of the string we'll check if it's a number to add it to the outcome string;
    -- if it's not an accepted character it will be ignored
    DECLARE v_length_source int := length(p_string_source);
    v_counter int :=1;
    v_add_in_number VARCHAR2(1);
    BEGIN
    FOR v_counter IN 1..v_length_source LOOP
    BEGIN
    SELECT SUBSTR(p_string_source,v_counter,1) into v_add_in_number from dual;
    IF v_add_in_number IN ('-','.','0','1','2','3','4','5','6','7','8','9')
    THEN v_output_string := v_output_string ||v_add_in_number;
    END IF;
    END;
    END LOOP;
    END;
    -- in case the string is in format '.00034' we'll add a 0 in front of the string to be accepted as argument by TO_NUMBER function
    IF v_minus = '.'
    THEN v_output_string := '0'||v_output_string;
    ELSE
    BEGIN
    v_output_string := v_output_string;
    END;
    END IF;
    END;
    END IF;
    END;
    RETURN v_output_string;
    END;
    The main idea is to check every string (the parameter will be the value from the Amount column) for permitted characters that compose a numeric value:
    1. To begins with numeric, '-' or '.'
    2. To have only one '.' (as a decimal separator);
    3. To compare every character of the string with the permitted ones - the non-compliant will be rejected
    This way the resulting string (v_output_string) will be successfully converted to number
    I admit that I don't have much experience using PL/SQL that is why I am asking your help to optimize this function to improve its performance. Could you help me on this, please ?
    TIA,
    JohnP
    Edited by: petresion on 04-Oct-2012 01:33

    Perform a function here on all 6.5 million of rows will never be efficient.
    I would modify Peter's approach a little bit,
    1. Load directly into staging t1 without any checking (or create an external table)
    2. Transfer from t1 to a list partitioned t2 with list values in ('yes', 'no','null','other')
    --simple check using translate()
    3. Apply your special function only on rows in the 'other' partition (hopefully much fewer rows left)
    --other checks                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                               

  • Converting string to number

    Why the number doesn't contain the whole string and how to solve it ? 
    VI is attached
    Solved!
    Go to Solution.
    Attachments:
    String to number.vi ‏7 KB

    MarinaNashaat wrote:
    binary bits
    What does that even mean?
    Post a screenshot of your VI with the data typed in.  Or put the data in the control.  Right click and save the value as defaul.  Save the VI and attach that.
    (Please put all of your information in one post.  No need to create another message.  You can even edit your previoius message within a reasonable period of time if you go to the options menu to the right of the message and choosed Edit Reply.

  • Take the average of the measured values wich cannot be converted from string to number..

    Hello,
    I have a Keithley 182 Digital Nanometer (K182). I am usins it to measure voltage at high temperature. I want K182 to measure 3 times and then take the avarage of collected data.
    1. First problem is, as you can see from picture, string to number conversion. I tried many ways but I couldn't do it. Values as you see 0,00, and once was
    3,98E-3
    0,00
    392,0
    originan values were
    3,98E-3
    3,95E-3
    3,93E-3
    in table, values generally like this.
    2. I need to take avarege. So i need toindez data, then take avarage. So, I have also problem here...
    Could you please help on thic topic. Thanks in advance.
    Attachments:
    string-number.png ‏19 KB
    string-number-panel.png ‏30 KB

    thank you, I will try this solution. Also I want to do one more thing. So, I am collecting data and putting them in to table let say data are like this
    Temp1     Temp2   Volt
    123,3       234,5      ...
    234,4       567,7
    345,6       789,9
    456,7       678,8
    I want to put data with increment like this given below:
    No  Temp1     Temp2   Volt
    1    123,3       234,5      ...
    2    234,4       567,7    
    3    345,6       789,9
    4    456,7       678,8
    there are no exact number of data. the number of data can change from measurement to measurement (1000, 2000, 500 more or less). How can I program this increment in my system.
    My system is include LakeShore 336 temperature conroller and Keithley 182 Nanovoltmeter. I will set the temperature specified value from room temperature wtih specific ramp rate. Meanwhile I will measure the voltage from sample via K182. So, I can measure both temp, and voltage via taking help from u.

  • Exponential String to Number

    Should be easy...but I'm getting hung up here:
    I am trying to convert strings in the form 1.40E00 to doubles in the form 1.400.  I am using the "Fract/Exp String To Number.vi", but it does not recognize the decimal values and returns only the integer values.  When I set precision past the decimal place, it returns 1.000 rather than 1.400.  Should be simple, but its kicking my behind.  Any quick fixes?

    Either your input to the function is wrong, or your method of displaying the output is wrong, the fucntions works fine unless you can show it not working properly.
    Please post an example of it not working, with inputs as a constant.
    Unofficial Forum Rules and Guidelines - Hooovahh - LabVIEW Overlord
    If 10 out of 10 experts in any field say something is bad, you should probably take their opinion seriously.
    Attachments:
    Exponential String Conversion.vi ‏5 KB

  • How could I choose some bytes from HEX string and then convert it to a decimal value?

    Hi I am working with an OMRON E5EN temperature controller using VISA serial to get data, I send the Read from Variable Area command and get this string  in hexa 0230 3130 3030 3030 3130 3130 3030 3030 3030 3030 3041 3203 71 or .01000001010000000000A2.q in ASCII this string means:
    02 STX
    3031 3030 Node and subadress
    3030 End Code Normal Completion
    3031 3031 Command Read from Variable Area
    3030 3030 respt code Normal completion
    3030 3030 3030 4132 Hexadecimal A2 = 162  (this is the temperature data that I want to show in decimal)
    03 ETX
    71 Block Check Character
    I want to choose the eight bytes for the temperature data and convert it to a decimal number. I have seen the examples to convert a Hexa string to decimal but I do not know how to choose the specifics bytes that I need.
    I have look for a driver but i didn´t find any. I am a beginner so please include especific topics for me to study in your answer.
    Thanks
    Carlos Fuentes Silva Queretaro Mexico 

    If the response always has the temperature starting with byte 15 and is always 8 bytes in length, you can use the String Subset function to get those bytes out of the string.  Then use Hex String to Number to convert to a decimal number.
    Well someone already beat me to the solution:
    Message Edited by tbob on 01-04-2008 04:42 PM
    - tbob
    Inventor of the WORM Global
    Attachments:
    HexStr2Decimal.png ‏7 KB

  • How to use type cast change string to number(dbl)?can it work?

    how to use type cast change string to number(dbl)?can it work?

    Do you want to Type Cast (function in the Advanced >> Data Manipulation palette) or Convert (functions in the String >> String/Number Conversion palette)?
    2 simple examples:
    "1" cast as I8 = 49 or 31 hex.
    "1" converted to decimal = 1.
    "20" cast as I16 = 12848 or 3230 hex.
    "20" converted to decimal = 20.
    Note that type casting a string to an integer results in a byte by byte conversion to the ASCII values.
    32 hex is an ASCII "2" and 30 hex is an ASCII "0" so "20" cast as I16 becomes 3230 hex.
    When type casting a string to a double, the string must conform the the IEEE 32 bit floating point representation, which is typically not easy to enter from the keyboard.
    See tha attached LabView 6.1 example.
    Attachments:
    TypeCastAndConvert.vi ‏34 KB

  • Judge weather a character-string can be convert to type QUAN

    HI all.
    Is there any Function that can judge weather a character-string can be convert to type QUAN?
    IF no, could someone give me an efficient arithmetic.
    Let me show my example:
    FUNCTION z_judge_quan.
    ""Local interface:
    *"  IMPORTING
    *"     REFERENCE(STRING_IN) TYPE  CHAR12
    *"  EXPORTING
    *"     REFERENCE(QUAN) TYPE  BSEG-BPMNG
    *"     REFERENCE(MESSAGE) TYPE  CHAR120
      DATA: len TYPE i,
           temp_str(20) TYPE c VALUE '00000000000000000000'.
      DATA pos TYPE i.
      DATA: a TYPE i.
      DATA string(20) TYPE c.
      DATA: off TYPE i.
      DATA: string_temp(20) TYPE c.
      string = string_in.
      CONDENSE string NO-GAPS.
      len = STRLEN( string ).
      temp_str(len) = string.
      a = len - 1.
      string_temp = string.
      CONDENSE string_temp.
      FIND '.' IN string  MATCH OFFSET off MATCH LENGTH pos.
      REPLACE SECTION OFFSET off LENGTH pos OF:
                    string_temp WITH '|'.
      IF sy-subrc <> 0.
        IF  temp_str CO '0123456789'.
          message = 'Number'.
          quan = string.
        ELSE.
          message = 'not number'.
        ENDIF.
      ENDIF.
      IF sy-subrc = 0.
        pos = sy-fdpos + 2.
        FIND '.' IN string_temp." starting at pos
        IF sy-subrc =  0.
          message = 'not number'.
        ELSE.
          IF temp_str CO '0123456789.' AND temp_str0(1) <> '.' AND temp_stra(1) <> '.' .
            message = 'number'.
            quan = string.
          ELSE.
            message = 'not number'.
          ENDIF.
        ENDIF.
      ENDIF.
    ENDFUNCTION.

    Hi,
    You can trap the exception as follows:
      DATA: oref TYPE REF TO  cx_sy_conversion_no_number.
      DATA: oflow TYPE REF TO cx_sy_conversion_overflow.
      data: c_menge type mseg-menge,
              p_inp(16) type c value 'ABCDEFGH'.
      TRY.
          CLEAR oref.
          c_menge = p_inp.
        CATCH cx_sy_conversion_no_number INTO oref.
          IF NOT oref IS INITIAL.    "if error
               message 'Not valid quantity'.
            exit.
          ENDIF.
        CATCH cx_sy_conversion_overflow INTO oflow.
          IF NOT oflow IS INITIAL.  "if overflow.
            CLEAR: p_inp.
            message 'not valid quantity'
            EXIT.
          ENDIF.
      ENDTRY.
    Please award points if helpful..
    regards,
    S. Chandra Mouli.

  • String to Byte convertion related question. SMS related

    Hi all
    I need to ask more indepth question regarding string to bytes convertion. I need to have a constructed message format with a length of 161 bytes. Here's are the details:-
    String message - 160 bytes allocation.
    Message length - 1 byte allocation.
    For converting the message string into byte I can use
    byte b1[] = message.getBytes();
    And i know to get the length of the message I can just use
    message.length();
    So my questions are :-
    1) I need some help on how i'm supposed to convert the length message values and assign it into the message length variables which have 1 byte allocation.
    2) Besides text, the message string can also be a hex value data. Hence it it possible that I can convert the hex data into byte and still maintain within the 160 bytes allocation ? Coz most of the times the hex data length will be > 160 but < 255 characters length. example :-
    06050415810000024a3a7d35bd35bdb995e535bd41c9bd89b194040082986417614819817624e3105d85206605e09390391394417817817819817824e40e44e5104a04a04a05205105d85206605d8938c417614819817824e40e44e5105e05e05e06605e093903913944128128128148146800
    Anyone can help ?
    Thank You in Advanced

    First of all. One character in a string can occupie
    more than one byte in the destination array, so
    String.length can be != bytes.length.
    A byte in java is always signed, so the value will be
    in the range -128 to +127.
    KajHi Kaj,
    Since you put it in that way, is there any tips u can give me on how I'm supposed to calculate the length of the string and set the value in byte ?
    Or do I need to convert the string into bytes array first and then get the length ?
    Thanks

  • Output variable string or number consecutively

    Hello,
    I have an input signal of telephone digits and I am trying to output the digits on a string or number indicator one by one as they come out so that at the end I would have a full telephone number. I understand the logic to program it but I can't quite get a way to do it visually in LabVIEW. Can you help?
    Thanks,
    LD

    I'm trying to detect an 11-digit telephone number coming from a cable. I'm using an NI USB 6008 unit to get the signal in and then work out the numbers. What I have right now is LEDs flashing up for each number from 0 to 9.
    I've attached my file for reference.
    I have two side questions I'd like to ask. First one is about DAQ Assistant: you know when you're setting up the DAQ Assistant, there's sampling rate, acquisition mode and samples to read parameters, what exactly is the samples to read parameter? The help information said that it's the number of samples specified to read for N Samples acquisition mode or the buffer size for Continuous sampling acquisition mode.
    I've got a bit confused about this samples to read parameter because when I tried putting it at high values like 10k, the output of the signal on the graph indicator was going really slow, like it would take snap shots at long intervals. And when putting the parameter at lower values, the signal becomes more continuous. The same actually goes for the sampling rate which is even stranger.
    The second question is actually related to the above question. Every digit is dialed (automatically) every 40ms - on the oscilloscope it's like 40ms of waves and then 40ms rest and then 40ms of waves again, so that's like a pulse going at 12.5 Hz. But the waveforms have frequency components within the range of 0.5k to 2k. So my question is what determines the values I'd want to use for the above parameters (if any)?
    Sorry for the shabby drawing
    Attachments:
    DTMF Decoder.vi ‏280 KB

  • LV PDA 8.2 Hex String to Number Primitive BUG

    Attached is a LV Project used with a Windows Mobile 5.0 device.  The project is set to enable debugging and a breakpoint is set at the Hex String To Number VI primitive.  When I wire in a U8 type input, my WM5.0 device consistently crashes.  When I unwire the U8 type input, everything works fine.  Try the attached file with a real WM5.0 device.  Emulator mode may still work with the U8 input wired.
    Attachments:
    Hex String to Number Bug.zip ‏23 KB

    rberger:
    I just wanted to let you know that I have brought this issue up to
    R&D. They are now aware of it, however I cannot give you a
    timeframe on how long it would take to get back with me. I will surely
    contact post on this forum as soon as I have something to report.
    Again, thank you very much for bringing this up to our attention.
    Best Regards,
    Rudi N.
    Applications Engineer

  • Contatination string with number

    Hi,
    i have to concatinate string with number
    like
    create or replace
    PROCEDURE sp1(
    p1 NUMBER DEFAULT NULL
    as
    v_numId number(7,0)
    begin
    if v_numId is not null then
    --1)v_nstrQuery:='select * from abc where id=' || v_numId;
    --or
    -2)-v_nstrQuery:='select * from abc where id=' || cast( v_numId as varchar2);
    end
    else
    v_nstrQuery:='select * from abc ' ;
    end if;
    begin
    EXECUTE IMMEDIATE v_nstrQuery INTO v_strMeasurementBasis1;
    end;
    end;
    1) which one i should use from 1 and 2
    2) i also noticed that , it show blue curly line under varchar2 of line second saying. "syntex error expected : identifer number_datatype number"
    2) i noticed that begin and end; srounding execute immediate
    is not required , please suggenst should i use it or not.
    yours sincerly.

    See iin bold below
    create or replace
    PROCEDURE sp1(
    p1 NUMBER DEFAULT NULL
    as
    v_numId number(7,0)
    begin
    if v_numId is not null then
    --1)v_nstrQuery:='select * from abc where id=' || v_numId;
    --or
    -2)-v_nstrQuery:='select * from abc where id=' || cast( v_numId as varchar2);
    end
    else
    v_nstrQuery:='select * from abc ' ;
    end if;
    begin
    EXECUTE IMMEDIATE v_nstrQuery INTO v_strMeasurementBasis1;
    end;
    end;
    1) which one i should use from 1 and 2 first oneis fne, no need to cast to varchar2
    2) i also noticed that , it show blue curly line under varchar2 of line second saying. "syntex error expected : identifer number_datatype number"
    2) i noticed that begin and end; srounding execute immediate if you need to write / handle any exception begin and end should be there
    is not required , please suggenst should i use it or not.
    Edited by: Kiran on Dec 21, 2012 1:45 AM

  • Kernel upgrade from 700-75 to 700-133

    Hi All
                  using ECC 6.0 with IS- AFS 6.0
    Performed a kenel upgrade with actual rollback plan.
    from 700 75 to 700-133 where it specially ask when applying support pack sapkb70014.
    Dispatcher status coming yellow & mesaage shows
    --->        Running but dialog queue info unavailable.
    also i couldn't manage to see Work processes.
    Also tried upgrading in 2 areas
    usr/sap/sid/sys/exe/uc/amd64 where this is basic.
    when it never worked out .
    2 way i tried
    usr/sap/sid/sys/exe/uc/amd64  & also in
    usr/sap/sid/instance/exe
    but the result is same what could be the problem.
    plz advice any notes.
    Cheers,
    Rahul

    Hi
    I have read the note 72248 carefully but as im facing the 5 point out of that .. I have done everything according to notes but still disp is yellow
    Things i initiated.
    Set the parameter rdisp/elem_per_que = 2000 with start profile.
    & selected the HOSTNAME right click alltasks -restart services.
    Even tried with Default & Instance profiles. But no use.
    Still the status of
    DISP-yellow & status- Running but dialog queue info unavailable
    Please advice me on the following & also placing dev_w0.log
    trc file: "dev_w0", trc level: 1, release: "700"
    ACTIVE TRACE LEVEL           1
    ACTIVE TRACE COMPONENTS      all, MJ

    B Fri May 02 14:43:24 2008
    B  create_con (con_name=R/3)
    B  Loading DB library 'D:\usr\sap\MBQ\DVEBMGS00\exe\dboraslib.dll' ...
    B  Library 'D:\usr\sap\MBQ\DVEBMGS00\exe\dboraslib.dll' loaded
    B  Version of 'D:\usr\sap\MBQ\DVEBMGS00\exe\dboraslib.dll' is "700.08", patchlevel (0.107)
    B  New connection 0 created
    M sysno      00
    M sid        MBQ
    M systemid   562 (PC with Windows NT)
    M relno      7000
    M patchlevel 0
    M patchno    114
    M intno      20050900
    M make:      multithreaded, Unicode, 64 bit, optimized
    M pid        3948
    M
    M  kernel runs with dp version 229000(ext=109000) (@(#) DPLIB-INT-VERSION-229000-UC)
    M  length of sys_adm_ext is 576 bytes
    M  ***LOG Q0Q=> tskh_init, WPStart (Workproc 0 3948) [dpxxdisp.c   1301]
    I  MtxInit: 30000 0 0
    M  DpSysAdmExtCreate: ABAP is active
    M  DpSysAdmExtCreate: VMC (JAVA VM in WP) is not active
    M  DpShMCreate: sizeof(wp_adm)          19248     (1480)
    M  DpShMCreate: sizeof(tm_adm)          5584592     (27784)
    M  DpShMCreate: sizeof(wp_ca_adm)          24000     (80)
    M  DpShMCreate: sizeof(appc_ca_adm)     8000     (80)
    M  DpCommTableSize: max/headSize/ftSize/tableSize=500/16/552064/552080
    M  DpShMCreate: sizeof(comm_adm)          552080     (1088)
    M  DpSlockTableSize: max/headSize/ftSize/fiSize/tableSize=0/0/0/0/0
    M  DpShMCreate: sizeof(slock_adm)          0     (104)
    M  DpFileTableSize: max/headSize/ftSize/tableSize=0/0/0/0
    M  DpShMCreate: sizeof(file_adm)          0     (72)
    M  DpShMCreate: sizeof(vmc_adm)          0     (1864)
    M  DpShMCreate: sizeof(wall_adm)          (41664/36752/64/192)
    M  DpShMCreate: sizeof(gw_adm)     48
    M  DpShMCreate: SHM_DP_ADM_KEY          (addr: 000000000F280050, size: 6275136)
    M  DpShMCreate: allocated sys_adm at 000000000F280050
    M  DpShMCreate: allocated wp_adm at 000000000F282150
    M  DpShMCreate: allocated tm_adm_list at 000000000F286C80
    M  DpShMCreate: allocated tm_adm at 000000000F286CE0
    M  DpShMCreate: allocated wp_ca_adm at 000000000F7DA3B0
    M  DpShMCreate: allocated appc_ca_adm at 000000000F7E0170
    M  DpShMCreate: allocated comm_adm at 000000000F7E20B0
    M  DpShMCreate: system runs without slock table
    M  DpShMCreate: system runs without file table
    M  DpShMCreate: allocated vmc_adm_list at 000000000F868D40
    M  DpShMCreate: allocated gw_adm at 000000000F868DC0
    M  DpShMCreate: system runs without vmc_adm
    M  DpShMCreate: allocated ca_info at 000000000F868DF0
    M  DpShMCreate: allocated wall_adm at 000000000F868E00
    X  EmInit: MmSetImplementation( 2 ).
    X  MM global diagnostic options set: 0
    X  <ES> client 0 initializing ....
    X  Using implementation view
    X  <EsNT> Using memory model view.
    M  <EsNT> Memory Reset disabled as NT default
    X  ES initialized.

    M Fri May 02 14:43:25 2008
    M  ThInit: running on host MBQLTY

    M Fri May 02 14:43:26 2008
    M  calling db_connect ...
    C  Prepending D:\usr\sap\MBQ\DVEBMGS00\exe to Path.
    C  Oracle Client Version: '10.2.0.1.0'
    C  Client NLS settings: AMERICAN_AMERICA.UTF8
    C  Logon as OPS$-user to get SAPSR3's password
    C  Connecting as /@MBQ on connection 0 (nls_hdl 0) ... (dbsl 700 250407)
    C  Nls CharacterSet                 NationalCharSet              C      EnvHp      ErrHp ErrHpBatch
    C    0 UTF8                                                      1 00000000148F67A0 00000000148FE9D0 000000000AC0ED38
    C  Attaching to DB Server MBQ (con_hdl=0,svchp=000000000AC0EBF8,srvhp=000000001491C3F8)
    C  Starting user session (con_hdl=0,svchp=000000000AC0EBF8,srvhp=000000001491C3F8,usrhp=00000000148FF1E8)
    C  Now '/@MBQ' is connected (con_hdl 0, nls_hdl 0).
    C  Got SAPSR3's password from OPS$-user
    C  Disconnecting from connection 0 ...
    C  Closing user session (con_hdl=0,svchp=000000000AC0EBF8,usrhp=00000000148FF1E8)
    C  Now I'm disconnected from ORACLE
    C  Connecting as SAPSR3/<pwd>@MBQ on connection 0 (nls_hdl 0) ... (dbsl 700 250407)
    C  Nls CharacterSet                 NationalCharSet              C      EnvHp      ErrHp ErrHpBatch
    C    0 UTF8                                                      1 00000000148F67A0 00000000148FE9D0 000000000AC0ED38
    C  Starting user session (con_hdl=0,svchp=000000000AC0EBF8,srvhp=000000001491C3F8,usrhp=00000000148FF1E8)
    C  Now 'SAPSR3/<pwd>@MBQ' is connected (con_hdl 0, nls_hdl 0).
    C  Database NLS settings: AMERICAN_AMERICA.UTF8
    C  DB instance MBQ is running on MBQLTY with ORACLE version 10.2.0.2.0 since MAY 02, 2008, 13:42:46
    B  Connection 0 opened (DBSL handle 0)
    B  Wp  Hdl ConName          ConId     ConState     TX  PRM RCT TIM MAX OPT Date     Time   DBHost         
    B  000 000 R/3              000000000 ACTIVE       NO  YES NO  000 255 255 20080502 144326 MBQLTY         
    M  db_connect o.k.
    M  ICT: exclude compression: .zip,.cs,.rar,.arj,.z,.gz,.tar,.lzh,.cab,.hqx,.ace,.jar,.ear,.war,.css,.pdf,.js,.gzip,.uue,.bz2,.iso,.sda,.sar,.gif

    I Fri May 02 14:43:29 2008
    I  MtxInit: 0 0 0
    M  SHM_PRES_BUF               (addr: 0000000016110050, size: 4400000)
    M  SHM_ROLL_AREA          (addr: 000007FFF3290050, size: 61440000)
    M  SHM_PAGING_AREA          (addr: 0000000016550050, size: 32768000)
    M  SHM_ROLL_ADM               (addr: 000000000FE10050, size: 615040)
    M  SHM_PAGING_ADM          (addr: 000000000FEB0050, size: 525344)
    M  ThCreateNoBuffer          allocated 544152 bytes for 1000 entries at 000000000FF40050
    M  ThCreateNoBuffer          index size: 3000 elems
    M  ThCreateVBAdm          allocated 12176 bytes (50 server) at 000000000B240050
    X  EmInit: MmSetImplementation( 2 ).
    X  MM global diagnostic options set: 0
    X  <ES> client 0 initializing ....
    X  Using implementation view
    X  ES initialized.
    B  db_con_shm_ini:  WP_ID = 0, WP_CNT = 13, CON_ID = -1
    B  dbtbxbuf: Buffer TABL  (addr: 000000001DA60160, size: 30000000, end: 000000001F6FC4E0)
    B  dbtbxbuf: Buffer TABLP (addr: 000000001F700160, size: 10240000, end: 00000000200C4160)
    B  dbexpbuf: Buffer EIBUF (addr: 00000000200D0170, size: 4194304, end: 00000000204D0170)
    B  dbexpbuf: Buffer ESM   (addr: 00000000204E0170, size: 4194304, end: 00000000208E0170)
    B  dbexpbuf: Buffer CUA   (addr: 00000000208F0170, size: 3072000, end: 0000000020BDE170)
    B  dbexpbuf: Buffer OTR   (addr: 0000000020BE0170, size: 4194304, end: 0000000020FE0170)
    M  CCMS: AlInitGlobals : alert/use_sema_lock = TRUE.
    S  *** init spool environment
    S  initialize debug system
    T  Stack direction is downwards.
    T  debug control: prepare exclude for printer trace
    T  new memory block 0000000014AC7120
    S  spool kernel/ddic check: Ok
    S  using table TSP02FX for frontend printing
    S  1 spool work process(es) found
    S  frontend print via spool service enabled
    S  printer list size is 150
    S  printer type list size is 50
    S  queue size (profile)   = 300
    S  hostspool list size = 3000
    S  option list size is 30
    S      found processing queue enabled
    S  found spool memory service RSPO-RCLOCKS at 000000002A3000D0
    S  doing lock recovery
    S  setting server cache root
    S  found spool memory service RSPO-SERVERCACHE at 000000002A3004F0
    S    using messages for server info
    S  size of spec char cache entry: 297032 bytes (timeout 100 sec)
    S  size of open spool request entry: 2272 bytes
    S  immediate print option for implicitely closed spool requests is disabled

    A  -PXA--
    A  PXA INITIALIZATION
    A  System page size: 4kb, total admin_size: 5720kb, dir_size: 5664kb.
    A  Attached to PXA (address 000007FFF6D30050, size 150000K)
    A  abap/pxa = shared protect gen_remote
    A  PXA INITIALIZATION FINISHED
    A  -PXA--

    A  ABAP ShmAdm attached (addr=000007FF4FEB9000 leng=20955136 end=000007FF512B5000)
    A  >> Shm MMADM area (addr=000007FF50392E90 leng=244096 end=000007FF503CE810)
    A  >> Shm MMDAT area (addr=000007FF503CF000 leng=15622144 end=000007FF512B5000)
    A  RFC Destination> destination MBQLTY_MBQ_00 host MBQLTY system MBQ systnr 0 (MBQLTY_MBQ_00)
    A  RFC Options> H=MBQLTY,S=00,d=2,
    A  RFC FRFC> fallback activ but this is not a central instance.
    A   
    A  RFC rfc/signon_error_log = -1
    A  RFC rfc/dump_connection_info = 0
    A  RFC rfc/dump_client_info = 0
    A  RFC rfc/cp_convert/ignore_error = 1
    A  RFC rfc/cp_convert/conversion_char = 23
    A  RFC rfc/wan_compress/threshold = 251
    A  RFC rfc/recorder_pcs not set, use defaule value: 2
    A  RFC rfc/delta_trc_level not set, use default value: 0
    A  RFC rfc/no_uuid_check not set, use default value: 0
    A  RFC rfc/bc_ignore_thcmaccp_retcode not set, use default value: 0
    A  RFC Method> initialize RemObjDriver for ABAP Objects
    M  ThrCreateShObjects          allocated 13730 bytes at 000000000B260050
    N  SsfSapSecin: putenv(SECUDIR=D:\usr\sap\MBQ\DVEBMGS00\sec): ok

    N  =================================================
    N  === SSF INITIALIZATION:
    N  ===...SSF Security Toolkit name SAPSECULIB .
    N  ===...SSF trace level is 0 .
    N  ===...SSF library is D:\usr\sap\MBQ\DVEBMGS00\exe\sapsecu.dll .
    N  ===...SSF hash algorithm is SHA1 .
    N  ===...SSF symmetric encryption algorithm is DES-CBC .
    N  ===...sucessfully completed.
    N  =================================================
    N  MskiInitLogonTicketCacheHandle: Logon Ticket cache pointer retrieved from shared memory.
    N  MskiInitLogonTicketCacheHandle: Workprocess runs with Logon Ticket cache.
    M  JrfcVmcRegisterNativesDriver o.k.
    W  =================================================
    W  === ipl_Init() called
    B    dbtran INFO (init_connection '<DEFAULT>' [ORACLE:700.08]):
    B     max_blocking_factor =   5,  max_in_blocking_factor      =   5,
    B     min_blocking_factor =   5,  min_in_blocking_factor      =   5,
    B     prefer_union_all    =   0,  prefer_join                 =   0,
    B     prefer_fix_blocking =   0,  prefer_in_itab_opt          =   1,
    B     convert AVG         =   0,  alias table FUPD            =   0,
    B     escape_as_literal   =   1,  opt GE LE to BETWEEN        =   0,
    B     select *            =0x0f,  character encoding          = STD / <none>:-,
    B     use_hints           = abap->1, dbif->0x1, upto->2147483647, rule_in->0,
    B                           rule_fae->0, concat_fae->0, concat_fae_or->0
    W    ITS Plugin: Path dw_gui
    W    ITS Plugin: Description ITS Plugin - ITS rendering DLL
    W    ITS Plugin: sizeof(SAP_UC) 2
    W    ITS Plugin: Release: 700, [7000.0.114.20050900]
    W    ITS Plugin: Int.version, [33]
    W    ITS Plugin: Feature set: [14]
    W    ===... Calling itsp_Init in external dll ===>
    W  === ipl_Init() returns 0, ITSPE_OK: OK
    W  =================================================
    E  Replication is disabled
    E  EnqCcInitialize: local lock table initialization o.k.
    E  EnqId_SuppressIpc: local EnqId initialization o.k.
    E  EnqCcInitialize: local enqueue client init o.k.

    S Fri May 02 14:43:30 2008
    S  server @>SSRV:MBQLTY_MBQ_00@< appears or changes (state 1)

    B Fri May 02 14:43:44 2008
    B  table logging switched off for all clients

    M Fri May 02 14:43:45 2008
    M  SecAudit(RsauShmInit): WP attached to existing shared memory.
    M  SecAudit(RsauShmInit): addr of SCSA........... = 000000000AF90050
    M  SecAudit(RsauShmInit): addr of RSAUSHM........ = 000000000AF907C0
    M  SecAudit(RsauShmInit): addr of RSAUSLOTINFO... = 000000000AF90800
    M  SecAudit(RsauShmInit): addr of RSAUSLOTS...... = 000000000AF9080C

    A Fri May 02 14:48:47 2008
    A  TH VERBOSE LEVEL FULL
    A  ** RABAX: level LEV_RX_PXA_RELEASE_MTX entered.
    A  ** RABAX: level LEV_RX_PXA_RELEASE_MTX completed.
    A  ** RABAX: level LEV_RX_COVERAGE_ANALYSER entered.
    A  ** RABAX: level LEV_RX_COVERAGE_ANALYSER completed.
    A  ** RABAX: level LEV_RX_ROLLBACK entered.
    A  ** RABAX: level LEV_RX_ROLLBACK completed.
    A  ** RABAX: level LEV_RX_DB_ALIVE entered.
    A  ** RABAX: level LEV_RX_DB_ALIVE completed.
    A  ** RABAX: level LEV_RX_HOOKS entered.
    A  ** RABAX: level LEV_RX_HOOKS completed.
    A  ** RABAX: level LEV_RX_STANDARD entered.
    A  ** RABAX: level LEV_RX_STANDARD completed.
    A  ** RABAX: level LEV_RX_STOR_VALUES entered.
    A  ** RABAX: level LEV_RX_STOR_VALUES completed.
    A  ** RABAX: level LEV_RX_C_STACK entered.

    A Fri May 02 14:48:48 2008
    A  ** RABAX: level LEV_RX_C_STACK completed.
    A  ** RABAX: level LEV_RX_MEMO_CHECK entered.
    A  ** RABAX: level LEV_RX_MEMO_CHECK completed.
    A  ** RABAX: level LEV_RX_AFTER_MEMO_CHECK entered.
    A  ** RABAX: level LEV_RX_AFTER_MEMO_CHECK completed.
    A  ** RABAX: level LEV_RX_INTERFACES entered.
    A  ** RABAX: level LEV_RX_INTERFACES completed.
    A  ** RABAX: level LEV_RX_GET_MESS entered.
    A  ** RABAX: level LEV_RX_GET_MESS completed.
    A  ** RABAX: level LEV_RX_INIT_SNAP entered.
    A  ** RABAX: level LEV_RX_INIT_SNAP completed.
    A  ** RABAX: level LEV_RX_WRITE_SYSLOG entered.
    A  ** RABAX: level LEV_RX_WRITE_SYSLOG completed.
    A  ** RABAX: level LEV_RX_WRITE_SNAP entered.
    A  ** RABAX: level LEV_SN_END completed.
    A  ** RABAX: level LEV_RX_SET_ALERT entered.
    A  ** RABAX: level LEV_RX_SET_ALERT completed.
    A  ** RABAX: level LEV_RX_COMMIT entered.
    A  ** RABAX: level LEV_RX_COMMIT completed.
    A  ** RABAX: level LEV_RX_SNAP_SYSLOG entered.
    A  ** RABAX: level LEV_RX_SNAP_SYSLOG completed.
    A  ** RABAX: level LEV_RX_RESET_PROGS entered.
    A  ** RABAX: level LEV_RX_RESET_PROGS completed.
    A  ** RABAX: level LEV_RX_STDERR entered.
    A  Fri May 02 14:48:48 2008

    A  ABAP Program CL_SWF_XI_CST_DISPATCH_JOB====CP        .
    A  Source CL_SWF_XI_CST_DISPATCH_JOB====CM006      Line 30.
    A  Error Code RAISE_EXCEPTION.
    A  Module  $Id: //bas/700_REL/src/krn/runt/abfunc.c#12 $ SAP.
    A  Function ab_jfune Line 2561.
    A  ** RABAX: level LEV_RX_STDERR completed.
    A  ** RABAX: level LEV_RX_RFC_ERROR entered.
    A  ** RABAX: level LEV_RX_RFC_ERROR completed.
    A  ** RABAX: level LEV_RX_RFC_CLOSE entered.
    A  ** RABAX: level LEV_RX_RFC_CLOSE completed.
    A  ** RABAX: level LEV_RX_IMC_ERROR entered.
    A  ** RABAX: level LEV_RX_IMC_ERROR completed.
    A  ** RABAX: level LEV_RX_DATASET_CLOSE entered.
    A  ** RABAX: level LEV_RX_DATASET_CLOSE completed.
    A  ** RABAX: level LEV_RX_RESET_SHMLOCKS entered.
    A  ** RABAX: level LEV_RX_RESET_SHMLOCKS completed.
    A  ** RABAX: level LEV_RX_ERROR_SAVE entered.
    A  ** RABAX: level LEV_RX_ERROR_SAVE completed.
    A  ** RABAX: level LEV_RX_ERROR_TPDA entered.
    A  ** RABAX: level LEV_RX_ERROR_TPDA completed.
    A  ** RABAX: level LEV_RX_PXA_RELEASE_RUDI entered.
    A  ** RABAX: level LEV_RX_PXA_RELEASE_RUDI completed.
    A  ** RABAX: level LEV_RX_LIVE_CACHE_CLEANUP entered.
    A  ** RABAX: level LEV_RX_LIVE_CACHE_CLEANUP completed.
    A  ** RABAX: level LEV_RX_END entered.
    A  ** RABAX: level LEV_RX_END completed.
    A  ** RABAX: end no http/smtp
    A  ** RABAX: end RX_BTCHLOG|RX_VBLOG
    A  Exception condition "CHECK_FAILED" raised..
    Cheers,
    Rahul

Maybe you are looking for

  • My iPod playlists are deleted every time I plug my iPod into my MacBook Pro.

    Every time I plug my iPod into my MacBook Pro, my iPod playlists are deleted.  I have all the sync features turned off on both the iPod and computer.  What is happening?  I hate having to remake my "Workout" playlist everytime I plug in!

  • OWB 11g

    OS:Windows2003 server DBMS:Oracle 11gr1 I have installed oracle 11g on my server.Now I am trying to execute demo scripts provided by oracle for sample.when I execute loadall.tcl, project is created successfully (createprj.tcl) but when it start execu

  • ESS Overview 500 Internal Error

    Has anyone has experience with the following error on ESS Overview screen, which I am not sure if it is application error or system error.  Thanks, Lotus. The initial exception that caused the request to fail, was:    java.lang.NullPointerException  

  • Problem opening Fireworks

    Hi, when I try to open a fireworks image in dreamweaver it gives me an error message stating that it can't find FIreworks MX 2004. I have Fireworks 8 and Dreamweaver 8, however I did at one time use MX 2004. How do I change the settings so that it tr

  • Multiple war file in single ear in ATG10.1.1 with JBoss

    Hi All, Is it possible to have multiple war files in single ear in ATG? I tried to deploy one but got some errors when. I tried this so that I can have a new site without altering existing crs. I have an ATG10.1.1 instance (Windows 7, JBoss-eap-5.1,