Help with SUM function ??

Hi,
I am trying to build a SUM function into the following SELECT statement;
SELECT   emp_code "EmployeeCode", trn_date "TransactionDate", project "ProjectCode",
phase_code "PhaseCode", task_code "TaskCode", reg_hrs "RegularHoursAmt", rate_reg "RegularHoursRate", ot_hrs "OvertimeHoursAmt", rate_ot "OvertimeHoursRate"
Currently when i do the extract to xls I manually compile the "RegularHoursAmt" and "RegularHoursRate" manually and it's quite a task. I'm sure it can be completed in teh SELECT but I'm not clear on how and it's been quite some time since my last foray into SQL. Any assistance appreciated.
I need to sum "RegularHoursAmt" and "RegularHoursRate"
per "EmployeeCode"
by "TransactionDate"
with unique combo of "ProjectCode", "PhaseCode", "TaskCode"
Cheers, Peter

Hi, Peter,
PJS5 wrote:
Thanks Frank for the quick response. Ok, here goes;
The TABLES already exist and I am only pulling the data for the columns in my SELECT statement so no CREATE of INSERT as such.Post CREATE TABLE and INSERT statements so that the people who want to help you can re-create the problem and test their ideas.
The data is in Oracle 10g 10.1.0.2.0Perfect!
So you want totals that represent the entire day for a given employee.
Yes, but rows are by the unique combo per employee of "ProjectCode", "PhaseCode", "TaskCode"So a row of output will represent a distinct combination of employee, day, ProjectCode, PhaseCode and TaskCode, and that one output row may correspond to more than one row of input; is that right?
eg Tom works on 4 unique "ProjectCode/PhaseCode/TaskCode" efforts on "TransactionDate"What does "effort" mean here? If I could look at some actaul data (or actual fake data; don't post anything like real credit card numbers) and the results you want from that data, perhaps it would be clear.
One of those unique "ProjectCode/PhaseCode/TaskCode" efforts however has 3 timesheet entries as he has added unique Descriptions of what his efforts were aimed at achieving.
We are not extracting the Descriptions and thereby want to SUM those 3 timesheet entries into one row.
Do you also want a total for each employee, over all days? No thanks
Do you want a grand total for all employees and all days? No thanks
Do you want the totals on the same output rows as your current reuslts? That would be handy
If so, use the analytic SUM function. I'm not familiar with this
Do you want separate rows for the the totals? That could helpPost the exact results you want from a small set of given data. It's fine to describe the results, as you did above, but describe them in addition to (not instead of) actually showing them.
Does that make my questions easier to follow?It looks good, but without some sample data and the results you want from that data, I can't say for sure.
Please post CREATE TABLE and INSERT statements (relevant columns only) for a little sample data, so that I (and the others who want to help you) can see exactly what your tables are like, and actually try our solutions. Simplify as much as possible. For example, if the data is actually coming from a multi-table join, but you already know how to join all the tables perfectly, then pretend all the data is in one table, and post CREATE TABLE and INSERT statements for that one table that looks sort of like your current result set. Post just enough data to show what you want to do. Based on what you've said so far, I'm guessing that 10 to 20 rows of raw data, resulting in 3 to 7 rows of output could give a nice example.
Also, post the exact results you want from the sample data you post. Explain, with specific examples, how you get those results from that data.
If parts of your desired output are optional (that is, if some parts "would be handy" or "could help") then post a couple of different sets of results from the same data, and explain, something like this:
"What I'd really love to get for results is" ...
but, if that makes things really complicated or inefficient, I don't absolutely need ... or ...,
so I'd settle for these results: ..."
I know it's a lot of work to post all this information, but it's really necessary. If I could help you without making you do all this, then I would. Unfortunately, I really don't have a good idea of where you're coming from or where you want to go.
Edited by: Frank Kulash on Oct 19, 2010 8:01 PM

Similar Messages

  • Help with stored function

    Hi...I was wondering if I could get help with this function. How do i write a function to return hours between a begin date and an end date for an employee. Thanks so much

    EdStevens wrote:
    AlexeyDev wrote:
    sb92075 wrote:
    select (date2-date1)*24 from dual;not as above but as below
    select (date2-date1)/24 from dual;date2-date1 is amount of days. Divide it by 24 and what? if you multiply it on 24 you will have a chance to know how many hours between these two dates. :-)Don't forget that a DATE type also includes a time component.I suppose it doesn't matter if you did a difference between two dates. The result is always number of days.

  • Dont want to use group by with sum function..

    Hi all
    I am using sum function but i dont want to use group by since my query give me following output which i dont want I want.
    0------------22---------(null)     Furniture
    0-----------     3700------     (null)     अनपेड बिल्स देणे
    15800-----14202-----(null)     Petty Cash
    (null)------     (null)------ 9109     Furniture
    (null)------ (null)------ 1789     Petty Cash
    (null)-------(null)------ 0     Checking In-Transfer
    I want like
    0------------22---------9109     Furniture
    0-----------     3700------     0     अनपेड बिल्स देणे
    15800-----14202-----1789     Petty Cash
    what should be the problem how I can handle the query my query is
    select  null as totalcr, null as totaldr, (sum(acct.amtsourcecr)-sum(acct.amtsourcedr)) as opening , ev.name as accountname
    from fact_acct acct right OUTER join  c_elementvalue ev on acct.account_id= ev.c_elementvalue_id
    where acct.dateacct < '01/04/2010'
    and ev.cr_account_base=2
    group by ev.name
    UNION
    select sum(acct.amtsourcecr) as totalcr, sum(acct.amtsourcedr) as totaldr, null as opening
    *,ev.name as accountname*
    from fact_acct acct right OUTER join  c_elementvalue ev on acct.account_id= ev.c_elementvalue_id
    where  acct.datetrx BETWEEN '01/04/2010' and '01/04/2010'
    group by  ev.name
    if I remove group by it shows me error .....not a single group by function ...
    please help me out ,,,
    thanking you

    This is one way you can do it without a group by:
    SQL> with t as
      2    (
      3      select 0 amt1, 22 amt2, null amt3, 'Furniture' tag from dual union all
      4      select 15800,14202,null, 'Petty Cash' from dual union all
      5      select null, null, 9109, 'Furniture' from dual union all
      6      select null, null, 1789, 'Petty Cash' from dual
      7    )
      8  select tag, amt1, amt2, amt3
      9  from
    10  (
    11    select sum(amt1) over (partition by tag) amt1
    12          ,sum(amt2) over (partition by tag) amt2
    13          ,sum(amt3) over (partition by tag) amt3
    14          ,first_value(t.tag) over (partition by t.tag order by rownum) tag
    15          ,row_number() over (partition by t.tag order by rownum) rn
    16    from t
    17  )
    18  where rn = 1
    19  /
    TAG              AMT1       AMT2       AMT3
    Furniture           0         22       9109
    Petty Cash      15800      14202       1789

  • Need help with sum from previous years

    Hi All,
    In a report i have 4 fields. The first field shows the YTD invoice totals for the current FY 2010 (which i accomplished). The other 3 fields are :
    2nd field Sum of the value of invoices for the FY 1YEAR prior to the current year
    3rd field Sum of the value of invoices for the FY 2YEAR's prior to the current year.
    4th field Sum of the value of invoices for the FY 3YEAR's prior to the current year.
    How can i get the desired results for the second,third and the fourth fields, please need help or advice.
    Thanks

    Hi
    If you have the values for several years in the same report you should be able to do what you want using the analytic LEAD and LAG.
    LAG will retrieve values from previous rows whereas LEAD will retrieve values from following rows.
    The basic syntax is the same and look like this:
    LAG(value, offset) OVER ({optional_partition_clause} ORDER BY mandatory_order_clause)
    The ORDER BY clause is mandatory and cannot be omitted. However, this ORDER BY has nothing to do with the sort order you manually create in the worksheet. Generally, most people will set their sort order the same as the ORDER BY in the calculation.
    Here's an example that gets year to date from 2 financial years ago:
    LAG(YTD,2) OVER (ORDER BY FY)
    You have to understand that Discoverer will pull values from previous rows not from previous cells as displayed on the report, although if the cells may happen to be rows too then it will appear as though it is pulling previous cells. I personally am very experienced with analytuc functions and can make manipulate data within Discoverer just about any way that I want. Generally, if I can see data on the screen even when they are in different cells or rows I can create functions to manipulate it. This capability only comes about as a result of experience and I would strongly advise you to practice with the analytics and see if you can at least master some of them. You'll find your Discoverer capabilities will improve dramatically and you will become a great asset at work.
    When working with a new report I generally duplicate the report as a table so that I can see the values. Then if I need to sort the items in order to line up the values I want to work with I do so. Having worked out what sort order I need I can then see what offset I use then I create the analytic and use it in the main worksheet.
    Hope this helps
    Best wishes
    Michael

  • Help with ASO function

    Hi all,
    I need some help with ASO mdx function.
    Avg({Leaves([Employees].Currentmember)}, [Calculated_Field]). This will give me the average for Calculated_Field for all levels of Employees. But i want to add more dimensions like Region and year.
    Please advice how can I achieve this.
    Thanks
    Andy

    you have to use cross join in order to add more dimension members to the formula.This will give you some idea
    Re: Writing formula in Outline??????
    Regards,
    RSG

  • Help with Sum using FormCalc in Livecycle

    Hello. I'm stuck. I've been doing searches, readings, and all that on how to sum up certain cells in Livecycle. I have tried examples and tutorials and I get stuck when the application says "Error: Accessor ' ' Unknown".
    I'm such a novice in using Livecycle and I'm not a programmer. So, if someone can help me on why it does this, that would be awesome!

    Here you go.  I rename it.  Couple of things.  Too many subforms (unless you intend to do something else with this).  Also, make sure you save your forms as "dynamic" if you intend to have user enter info.  I couldn't tell if you were importing/exporting to a spreadsheet.  Note the formcalc.  Your fields need to be named the same.  In my example they are: ExpCosts.
    I'm not very good with the formcalc/java and variables but am more than willing to help with what I can

  • I need help with Analytic Function

    Hi,
    I have this little problem that I need help with.
    My datafile has thousands of records that look like...
    Client_Id Region Countries
    [1] [1] [USA, Canada]
    [1] [2] [Australia, France, Germany]
    [1] [3] [China, India, Korea]
    [1] [4] [Brazil, Mexico]
    [8] [1] [USA, Canada]
    [9] [1] [USA, Canada]
    [9] [4] [Argentina, Brazil]
    [13] [1] [USA, Canada]
    [15] [1] [USA]
    [15] [4] [Argentina, Brazil]
    etc
    My task is is to create a report with 2 columns - Client_Id and Countries, to look something like...
    Client_Id Countries
    [1] [USA, Canada, Australia, France, Germany, China, India, Korea, Brazil, Mexico]
    [8] [USA, Canada]
    [9] [USA, Canada, Argentina, Brazil]
    [13] [USA, Canada]
    [15] [USA, Argentina, Brazil]
    etc.
    How can I achieve this using Analytic Function(s)?
    Thanks.
    BDF

    Hi,
    That's called String Aggregation , and the following site shows many ways to do it:
    http://www.oracle-base.com/articles/10g/StringAggregationTechniques.php
    Which one should you use? That depends on which version of Oracle you're using, and your exact requirements.
    For example, is order importatn? You said the results shoudl include:
    CLIENT_ID  COUNTRIES
    1        USA, Canada, Australia, France, Germany, China, India, Korea, Brazil, Mexicobut would you be equally happy with
    CLIENT_ID  COUNTRIES
    1        Australia, France, Germany, China, India, Korea, Brazil, Mexico, USA, Canadaor
    CLIENT_ID  COUNTRIES
    1        Australia, France, Germany, USA, Canada, Brazil, Mexico, China, India, Korea?
    Mwalimu wrote:
    ... How can I achieve this using Analytic Function(s)?The best solution may not involve analytic functions at all. Is that okay?
    If you'd like help, post your best attempt, a little sample data (CREATE TABLE and INSERT statements), the results you want from that data, and an explanation of how you get those results from that data.
    Always say which version of Oracle you're using.
    Edited by: Frank Kulash on Aug 29, 2011 3:05 PM

  • Help with Sort function in Terminal

    Hello all... this is my first post on here as I'm having some trouble with some Termianl commands. I'm trying to learn Terminal at the moment as it is but I would appreciate some help with this one....
    I'm trying to sort a rather large txt file into alphabetical order and also delete any duplicates. I've been using the following command in Terminal:
    sort -u words.txt > words1.txt
    but after a while I get the following error
    sort: string comparison failed: Illegal byte sequence
    sort: Set LC_ALL='C' to work around the problem.
    sort: The strings compared were `ariadnetr\345dens\r' and `ariadnetr\345ds\r'.
    What should my initial command be? What is Set LC_ALL='C'?
    Hope you guys can help?

    Various languages distinct sorting - collation - sequences. 
    The characters can and variously do sort differently, depending on what language is involved. 
    Languages here can include the written languages of humans, and a few settings associated with programming languages.  This is all part of what is known as internationalization and localization, and there are are various documents around on that topic.
    The LC_ALL environment variable sets all of the locale-related settings en-mass, including the collation sequence that is established via LC_COLLATE et al, and the sort tool is suggesting selecting the C language collation.
    Here, the tool is suggesting the following syntax:
    LC_ALL=C sort -u words.txt > words1.txt
    This can also be done by exporting the LC_ALL, but it's probably better to just do this locally before invoking the tool.
    Also look at the lines of text in question within the files, and confirm the character encoding of the file.
    Files can have different character encodings, and there's no reliable means to guess the encoding.  For some related information, see the file command:
    file words.txt
    ...and start reading some of the materials on internationalization and localization that are posted around the 'net. Here's Apple's top-level overview.
    In this case, it looks like there's an "odd" character and probably an å character on that line and apparently the Svenska ariadnetrådens. 
    Switching collation can help here, or - if the character is not necessary - removing it via tr or replacing it via sed can be equally effective solutions. 
    Given it appears to be Svenska, it might work better to switch to Svenska collation thanto  the suggested C collation.
    I think that's going to be sv_SE, which would make the command:
    LC_ALL=sv_SE sort -u words.txt > words1.txt
    This is all generic bash shell scripting stuff, and not specific to OS X.  If you haven't already seen them, the folks over at tldp have various guides including a bash guide for beginners, and an advanced bash scripting guide - both can be worth skimming.  They're not exactly the same as bash on OS X and some specific commands and switches can differ, and as bash versions can differ, but bash is quite similar across all the platforms.

  • Help with bash function(set background=dark/light in vimrc)

    I couldn't find any gvimrc files so I guess it uses the regular one. And since I work pretty much in X too  I thought it would be nice with a function that sets background=light if I'm in X an background=dark if not. Is that possible?
    /Richard

    vimrc configuration is not the same as bash.
    You probably want something like this in your ~/.vimrc:
    if has('gui_running')
    set background=light
    else
    set background = dark
    endif

  • Help with analytical function

    I successfully use the following analytical function to sum all net_movement of a position (key for a position: bp_id, prtfl_num, instrmnt_id, cost_prc_crncy) from first occurrence until current row:
    SELECT SUM (net_movement) OVER (PARTITION BY bp_id, prtfl_num, instrmnt_id, cost_prc_crncy ORDER BY TRUNC (val_dt) RANGE BETWEEN UNBOUNDED PRECEDING AND 0 FOLLOWING) holding,
    what i need is another column to sum net_movement of a position but only for the current date, but all my approaches fail..
    - add the date (val_dt) to the 'partition by' clause and therefore sum only values with same position and date
    SELECT SUM (net_movement) OVER (PARTITION BY val_dt, bp_id, prtfl_num, instrmnt_id, cost_prc_crncy ORDER BY TRUNC (val_dt) RANGE BETWEEN UNBOUNDED PRECEDING AND 0 FOLLOWING) today_net_movement
    - take the holding for the last date and subtract it from the current holding afterwards
    SELECT SUM (net_movement) OVER (PARTITION BY bp_id, prtfl_num, instrmnt_id, cost_prc_crncy ORDER BY TRUNC (val_dt) RANGE BETWEEN UNBOUNDED PRECEDING AND -1 FOLLOWING) last_holding,
    - using lag on the analytical function which calculates holding fails too
    I also want to avoid creating a table which stores the last holding..
    Does anyone sees where I make a mistake or knows an alternative to get this value?
    It would help me much!
    Thanks in advance!

    Thank you,
    but I already tried that but it returns strange values which are not the correct ones for sure.
    It is always the same value for each row, if its not 0, and a very high one (500500 for example), even if the sum of all net_movement of that date is 0 (and the statement for holding returns 0 too)
    I also tried witch trunc(val_dt,'DDD') with the same result (without trunc it is the same issue)
    please help if you can, thanks in advance!

  • Help with a Function-module

    Hi again forum:
       I have a program and i need to pass basic functionality to a set of funtion module.
       I have a description of a internal table in the program, that i need to use in the function-module
    Example:
         PROGRAM
    " In the top of the program i declared.
    "This the actual version
            TYPES: BEGIN OF t1
                         END OF t1.
            DATA:  it_some TYPE STANDARD TABLE of t1 with header line.
            SELECT *
            FROM
            INTO TABLE it_some.
          FUNCTION MODULE
    Now in the new version i need to declare an output paramter of type t1 in the exports parameters of the function ZMY_FUNCTION, and t1 is an internal_table, what can i do forum ?..
    The thing is that how can i declare an export parameter that is not know?
    please help
    Thanks
    Joshua

    hi,
    we can pass internal table to FM by using CHANGING or TABLE options.
    regards,
    AshokReddy.

  • Help with Java function

    Hi all,
    I am suppose to write a java function for the following source and target structure:
    <u>Source Structure</u>
    Root A (0..unbounded)
      |_ A
    Root B (0..unbounded)
      |_ B
    Root C (0..unbounded)
      |_ C
    <u>Target Structure</u>
    Root_target (0..unbounded)
       |_ T
    Based upon every occurrence of A, B and C, i have to first compare their values and for every unique value i have to create a separate instance of 'T'
    i.e. if all the three A, B and C are different the output should be:
    Root_target (0..unbounded)
       |_ T  (for A)
    Root_target (0..unbounded)
       |_ T (for B)
    Root_target (0..unbounded)
       |_ T (for C)
    I am writing a java function in the graphical mapping for it, but i am stuck with the code to create target segments dynamically.
    Any help in this regards is appreciated.
    Regards,
    Varun

    Hi Varun,
    I understood unique values form A,B,C  need to map  to T.
    In this case change the context of  all these A,B,C to their respective parent node.
    write a user define function to accept these 3 queues , write a java logic to fiund uniqueness among all the records,  add the resulkt to Resultset , which is output map to T.
    Thanks,
    venu.

  • Need help with effect / function stop!

    Hi all!
    I tried to build some kind of custom pop-up-menu with fade
    in/out effect, however the menu sometimes (< very often, but not
    always) disappears while the mouse is still over it.
    So i defined a function to stop/abort the effects, but this
    doesn't work right.
    Could anybody please tell me, how to stop all functions,
    while the mouse is over a link?
    /// This is the container to appear / disappear:
    <div id="navislide" style="height:292px;
    overflow:hidden;">
    <a href="mylink.html" onMouseOver="killall();"
    onMouseOut="hideit();">mylink</a>
    </div>
    /// This is the link to show the container:
    <a href="#"
    onMouseOver="slidefadein.start();">mylink</a>
    <script type="text/javascript">
    function displayblock() {
    var thediv = document.getElementById('navislide');
    thediv.style.display= "block";
    slidetimer = setTimeout('slidefadeout.start();', 2000);
    hideit = function() {
    slidetimer = setTimeout('slidefadeout.start();', 2000);
    function displaynone() {
    var thediv = document.getElementById('navislide');
    thediv.style.display= "none";
    killall = function() {
    clearTimeout(slidetimer);
    slidefadeout.stop();
    slidefadein.stop();
    displayblock();
    slidefadeup.start();
    var slidefadein = new Spry.Effect.Fade("navislide", {from:0,
    to:100, toggle:false, setup:displayblock, finish:hideit});
    var slidefadeout = new Spry.Effect.Fade("navislide",
    {from:100, to:0, toggle:false, finish:displaynone});
    var slidefadeup = new Spry.Effect.Fade("navislide",
    {from:100, to:100, toggle:false});
    </script>
    Probably, its all about the "killall"-function, because when
    the mouse moves over the link, the function to abort all other
    effects, does not take effect.
    Thank you so much vor any kind of help or hint!!
    Cheers,
    idefix

    I would be most interested in a reply to this for I asked
    weeks ago how to use an onClick stop() function for the links in my
    page. I was given the stop function by VFusion (it is to stop
    panels from rotating), but I could never figure out how to actually
    get the function to stop the panels and could not get it no matter
    what I tried, eventually had to take the panel rotation out.

  • Help with log function

    Hallow experts,
    I'm doing an  interface from sap into anther  application and in this interface (log interface) I use two  function  below in program and I have to send to customer in text file in which field of infotype change was made
    This to function helping me but I miss the action like insert was made or update or delete
    Did dome one can help me with that?
    HREIC_GET_LOGGED_INFTY_CHANGES
    HR_INFOTYPE_LOG_GET_DETAIL
    Best Regards

    hi Naveen Bathini
    thankes for your answer
    i thihk u dont understand me ,
    HR_INFOTYPE_LOG_GET_DETAIL bring table fields with all the field that change
    but i dont now if user create new infotype for employee or just take one field and change it like from infotype 0006 just change street or postal code
    i wont to now if it is an insert (create new infotype ) or update or delete fields from infotype.
    Best regards

  • Help with existNode function

    I am using the existNode function to check whether a specific node exists or has a value for it in the XML.
    So, am using it within an IF condition as below;
    IF L_xml.existSNode('/ItemFamily/Style/Item/Attributes/ItemAttributes/ExtRefNo/text()') > 0 THEN
             DBMS_OUTPUT.PUT_LINE('L_xml = Style exists');
    END IF;
    Here L_xml is my initial XML message received which is a CLOB converted to an XMLTYPE.
    The above works fine.
    But after I do an EXTRACT operation on the above XML to get only the portion of it (from a particular start tag to its corresponding end tag), and feed this output for my existNode function as below;
        IF L_itm_xml.existSNode('/ItemFamily/Style/Item/Attributes/ItemAttributes/ExtRefNo') > 0 THEN
             DBMS_OUTPUT.PUT_LINE('itm_xml = ');
        END IF;
    It does not give me the desired output.
    I would like to know, if there is any restriction on the existNode usage.
    Am asking this coz am a bit skeptical on whether this is happening due to XML being stripped off its header.
    Could someone please help me find an answer for this.

    The sample data is as below;
    <?xml version="1.0" encoding="utf-8"?>
    <ItemFamily>
      <Style>
        <Item>
          <ParentExtRefNo>str1234</ParentExtRefNo>
          <PackInd>str1234</PackInd>
          <ItemLevel>str1234</ItemLevel>
          <TranLevel>str1234</TranLevel>
          <Diff1>str1234</Diff1>
          <Diff2>str1234</Diff2>
          <Diff3>str1234</Diff3>
          <Diff4>str1234</Diff4>
          <ItemDesc>str1234</ItemDesc>
          <ShortDesc>str1234</ShortDesc>
          <SuggRetail>str1234</SuggRetail>
          <HandlingTemp>str1234</HandlingTemp>
          <HandlingSens>str1234</HandlingSens>
          <SellableInd>str1234</SellableInd>
          <OrderableInd>str1234</OrderableInd>
          <ShipAloneInd>str1234</ShipAloneInd>
          <Dept>str1234</Dept>
          <Class>str1234</Class>
          <Subclass>str1234</Subclass>
          <Comments>str1234</Comments>
          <GiftWrapInd>str1234</GiftWrapInd>
          <CheckUDAInd>str1234</CheckUDAInd>
          <OriginalRetail>str1234</OriginalRetail>
          <LastUpdateId>str1234</LastUpdateId>
          <ForecastInd>str1234</ForecastInd>
          <Suppliers>
            <ItemSupplier>
              <Supplier>str1234</Supplier>
              <PrimarySuppInd>str1234</PrimarySuppInd>
              <VPN>str1234</VPN>
              <DirectShipInd>str1234</DirectShipInd>
              <LastUpdateId>str1234</LastUpdateId>
              <Countries>
                <SuppCountry>
                  <SuppCountryType>str1234</SuppCountryType>
                  <OriginCountryId>str1234</OriginCountryId>
                  <PrimarySupplierInd>str1234</PrimarySupplierInd>
                  <PrimaryCountryInd>str1234</PrimaryCountryInd>
                  <SuppPackSize>str1234</SuppPackSize>
                  <InnerPackSize>str1234</InnerPackSize>
                  <UnitCost>str1234</UnitCost>
                  <LastUpdateId>str1234</LastUpdateId>
                  <Dimensions>
                    <SuppCountryDim>
                      <DimType>str1234</DimType>
                      <DimObject>str1234</DimObject>
                      <Height>str1234</Height>
                      <Width>str1234</Width>
                      <Length>str1234</Length>
                      <LwhUOM>str1234</LwhUOM>
                      <Weight>str1234</Weight>
                      <NetWeight>str1234</NetWeight>
                      <WeightUOM>str1234</WeightUOM>
                      <LastUpdateId>str1234</LastUpdateId>
                    </SuppCountryDim>
                  </Dimensions>
                </SuppCountry>
              </Countries>
            </ItemSupplier>
          </Suppliers>
        </Item>
      </Style>
    </ItemFamily>
    The L_xml will have this as its value.
    The L_itm_xml will have the subset of the XML extracted from it as its value.
    As below;
        <Item>
          <ParentExtRefNo>str1234</ParentExtRefNo>
          <PackInd>str1234</PackInd>
          <ItemLevel>str1234</ItemLevel>
          <TranLevel>str1234</TranLevel>
          <Diff1>str1234</Diff1>
          <Diff2>str1234</Diff2>
          <Diff3>str1234</Diff3>
          <Diff4>str1234</Diff4>
          <ItemDesc>str1234</ItemDesc>
          <ShortDesc>str1234</ShortDesc>
          <SuggRetail>str1234</SuggRetail>
          <HandlingTemp>str1234</HandlingTemp>
          <HandlingSens>str1234</HandlingSens>
          <SellableInd>str1234</SellableInd>
          <OrderableInd>str1234</OrderableInd>
          <ShipAloneInd>str1234</ShipAloneInd>
          <Dept>str1234</Dept>
          <Class>str1234</Class>
          <Subclass>str1234</Subclass>
          <Comments>str1234</Comments>
          <GiftWrapInd>str1234</GiftWrapInd>
          <CheckUDAInd>str1234</CheckUDAInd>
          <OriginalRetail>str1234</OriginalRetail>
          <LastUpdateId>str1234</LastUpdateId>
          <ForecastInd>str1234</ForecastInd>
          <Suppliers>
            <ItemSupplier>
              <Supplier>str1234</Supplier>
              <PrimarySuppInd>str1234</PrimarySuppInd>
              <VPN>str1234</VPN>
              <DirectShipInd>str1234</DirectShipInd>
              <LastUpdateId>str1234</LastUpdateId>
              <Countries>
                <SuppCountry>
                  <SuppCountryType>str1234</SuppCountryType>
                  <OriginCountryId>str1234</OriginCountryId>
                  <PrimarySupplierInd>str1234</PrimarySupplierInd>
                  <PrimaryCountryInd>str1234</PrimaryCountryInd>
                  <SuppPackSize>str1234</SuppPackSize>
                  <InnerPackSize>str1234</InnerPackSize>
                  <UnitCost>str1234</UnitCost>
                  <LastUpdateId>str1234</LastUpdateId>
                  <Dimensions>
                    <SuppCountryDim>
                      <DimType>str1234</DimType>
                      <DimObject>str1234</DimObject>
                      <Height>str1234</Height>
                      <Width>str1234</Width>
                      <Length>str1234</Length>
                      <LwhUOM>str1234</LwhUOM>
                      <Weight>str1234</Weight>
                      <NetWeight>str1234</NetWeight>
                      <WeightUOM>str1234</WeightUOM>
                      <LastUpdateId>str1234</LastUpdateId>
                    </SuppCountryDim>
                  </Dimensions>
                </SuppCountry>
              </Countries>
            </ItemSupplier>
          </Suppliers>
          <UDAs>
            <ItemUDA>
              <UdaId>str1234</UdaId>
              <UdaValue>str1234</UdaValue>
              <LastUpdateId>str1234</LastUpdateId>
            </ItemUDA>
          </UDAs>
          <Channels>
            <ItemChannel>
              <ChannelType>str1234</ChannelType>
            </ItemChannel>
          </Channels>
          <Attributes>
            <ItemAttributes>
              <ExtRefNo>str1234</ExtRefNo>
              <ParentExtRefNo>str1234</ParentExtRefNo>
              <Collection>str1234</Collection>
              <PerishableInd>str1234</PerishableInd>
              <PersAvailInd>str1234</PersAvailInd>
              <ShortDesc30>str1234</ShortDesc30>
              <ItemType>str1234</ItemType>
              <ConveyableType>str1234</ConveyableType>
              <GiftWrapType>str1234</GiftWrapType>
              <LastUpdateId>str1234</LastUpdateId>
            </ItemAttributes>
          </Attributes>
          <Ticket>
            <ItemTicket>
              <TicketTypeId>str1234</TicketTypeId>
              <LastUpdateId>str1234</LastUpdateId>
            </ItemTicket>
          </Ticket>
          <Carriers>
            <CarrierService>
              <CarrierSvc>str1234</CarrierSvc>
              <DefCarrierSvcInd>str1234</DefCarrierSvcInd>
            </CarrierService>
          </Carriers>
          <Shipping>
            <ShipRestrictions>
              <Carrier>str1234</Carrier>
              <AddressCode>str1234</AddressCode>
            </ShipRestrictions>
          </Shipping>
          <Pricing>
            <RetailPrice>
              <ZoneId>str1234</ZoneId>
              <UnitRetail>str1234</UnitRetail>
              <LastUpdateId>str1234</LastUpdateId>
            </RetailPrice>
          </Pricing>
          <PackItems>
            <PackItem>
              <CompExtRefNo>str1234</CompExtRefNo>
              <Qty>str1234</Qty>
              <LastUpdateId>str1234</LastUpdateId>
            </PackItem>
          </PackItems>
        </Item>
    The existNode is functioning with L_xml as the argument but not with L_itm_xml.
    Hope you have the clarity you were seeking out for.

Maybe you are looking for

  • Itunes wont start up when nano is connected

    i have installed itunes and my nano was working fine ,then one day i plugged in my nano and waited for itunes to start up .....it never did ? when i try and start itunes manually it does not responed nor do any of my songs when i try and play them al

  • Syncing Video using Playlists?

    Didn't we at one point have more options for syncing video? It seems I used to be able to manage this by checking and unchecking items in the library, and there were more options similar to TV Shows. Having to manually check items under Movies in the

  • Upload GL Master - Transaction Code FS00 using LSMW

    Hi All, I have created LSMW for GL master- Tcode FS00. I have used below batch Input: Object                 0010                  GL A/C Master Record Method                0002                  Flat structure Program Name    RFBISA00 Program Type  

  • Modifying Detailed Sales Report Query

    Hello All -- Can we adjust the Query below so that the current Company, Address, City, State and Zip have the letters BT in front (for Bill To)? Then, can we add new columns of the Company, Address, City, State and Zip for the Ship To with ST in the

  • Search in File Server using TREX

    Hello, We have TREX up and running. We wanted to integrated Files system search with it. This means we should have a place in where we put the document in file system and TREX should be able to index and get document from here. Note: Point promissed