ML- how to update actual cost to copa

hi friends
i need to update actual costing in copa.
see i have configured the costing key, in which i selected 'total cost component split and total cost",under that i have select first one, not period/year.before close the period i sold the good, now "VPRS" updated, after period close,i run ckmlcp, now i am getting error that ''run cumulative transaction,and set the flag''
plz tell me sollution
regards
sowmya

hi
I am getting error while executing the ckmlcp,what is mainproblem is if i give "period" in costing key for period/year,no error,but if I select period a/c line item(above period/year),i am getting error,that it is saying" cumulative run and set the flag".
regards
sowmya

Similar Messages

  • Transferring Standard and Actual costs to COPA

    Hi,
    We are using 3 valuations (Legal, Profit Center and Group Valuations). In order to transfer standard and actual costs to COPA for all 3 valuations do we need to create 3 costings (total 6) for transferring standard and and 3 costings keys for transferring actual costing to COPA?
    Thanks.

    Hi Ravi.
    Very interesting question!
    1: Ledgers in FI are not related with Material Ledger Valuation. EG, in FI you can have IFRS, TAX, and GAAP; and in ML You can have "currency/valuations"  Legal, PCA / Group. Keep in mind this are different stuff.
    2: In Material Ledger, you can valuate your stock according to different ledgers, with the bussiness function FIN_CO_COGM (Paralell cost of goods manufactured). The idea of this BF is have alternative valuations assigned to the principles (IFRS, TAX, GAAP), so in FI you can accomplish different Stocks, COGS and on accounts, based on different accounting principles. You can understand this as the brothers of FI Ledgers, in order to do product costing.
    3: In PA, you only post (or transfer) one record.  You have to decide if use "Local, Group, PCA or Paralell Cost of Goods Manufactured". (Im 90% sure based on lot of reading, maybe im missing somethings).
    Please, check this old post. Waman is a good source of info!
    CO-PA & IFRS
    Hi Waman!Waman Shirwaicar Could you please clarify the concept?  This is a topic that there are not much info!
    Arturo.

  • How to update the COST column using another table's column

    Dear All,
    I have table:
    table parts: pno, pname, qoh, price, olevel
    table orders: ono, cno, eno, received, shipped
    table odetails: ono, pno, qty
    view:orders_view: ono, cno, eno, received, shipped,sum(qty*price)order_costview:odetails_view: ono, pno, qty, (qty*price)cost
    after I update the price in parts, I need to update COST and ORDER_COST too. The orders_view does not have pno, qty, and price, the odetails_view does not have price, how can I update the COST and ORDER_COST. Please help and Thanks in advance!!!
    I wrote the update the price in parts:
    create or replace procedure change_price(ppno in parts.pno%type, pprice in parts.price%type) as
    begin
        update parts
        set price = pprice
        where pno = ppno;
    end;
    show errorsthis procedure works fine.
    I wrote the trigger:
    create or replace trigger update_orders_v
    after update of price on parts
    for each row
    begin
        update orders_view
        set order_cost = sum(parts.(:new.price)*parts.qty)
        where parts.pno = :new.pno;
    end;
    show errorsIt gives me:Errors for TRIGGER UPDATE_ORDERS_V:
    LINE/COL ERROR
    3/5 PL/SQL SQL Statement ignored
    4/22 PL/SQL ORA-00934: group function is not allowed hereplease help!

    You could add the columns to the tables and then you would need a trigger to update those columns. However, you could just as easily select the price * qty to get the cost, without creating an additional column or trigger. I have no idea what you might want to do with a global temporary table. I think you need to explain what your purpose is, before any of us can suggest the best method. Since I have already demonstrated an update with a view, I will demonstrate an update with the cost column added to the odetails table and a trigger as you asked about. Notice that you will need triggers on both tables, the one that has qty and the one that has price.
    scott@ORA92> create table parts
      2    (pno    number(5) not null primary key,
      3       pname  varchar2(30),
      4       qoh    integer check(qoh >= 0),
      5       price  number(6,2) check(price >= 0.0),
      6       olevel integer)
      7  /
    Table created.
    scott@ORA92> create table odetails
      2    (ono    number(5),
      3       pno    number(5) references parts,
      4       qty    integer check(qty > 0),
      5       cost   number,
      6       primary key (ono,pno))
      7  /
    Table created.
    scott@ORA92> create or replace procedure change_price
      2    (ppno   in parts.pno%type,
      3       pprice in parts.price%type)
      4  as
      5  begin
      6    update parts
      7    set    price = pprice
      8    where  pno = ppno;
      9  end;
    10  /
    Procedure created.
    scott@ORA92> create or replace trigger update_cost1
      2    after insert or update of price on parts
      3    for each row
      4  begin
      5    update odetails
      6    set    cost = qty * :new.price
      7    where  pno = :new.pno;
      8  end update_cost1;
      9  /
    Trigger created.
    scott@ORA92> show errors
    No errors.
    scott@ORA92> create or replace trigger update_cost2
      2    before insert or update of qty on odetails
      3    for each row
      4  declare
      5    v_price parts.price%type;
      6  begin
      7    select price
      8    into   v_price
      9    from   parts
    10    where  pno = :new.pno;
    11    --
    12    :new.cost := :new.qty * v_price;
    13  end update_cost2;
    14  /
    Trigger created.
    scott@ORA92> show errors
    No errors.
    scott@ORA92> insert into parts values (1, 'name1', 1, 10, 1)
      2  /
    1 row created.
    scott@ORA92> insert into odetails values (1, 1, 22, null)
      2  /
    1 row created.
    scott@ORA92> -- starting data:
    scott@ORA92> select * from parts
      2  /
           PNO PNAME                                 QOH      PRICE     OLEVEL
             1 name1                                   1         10          1
    scott@ORA92> select * from odetails
      2  /
           ONO        PNO        QTY       COST
             1          1         22        220
    scott@ORA92> -- update:
    scott@ORA92> execute change_price (1, 11)
    PL/SQL procedure successfully completed.
    scott@ORA92> -- results:
    scott@ORA92> select * from parts
      2  /
           PNO PNAME                                 QOH      PRICE     OLEVEL
             1 name1                                   1         11          1
    scott@ORA92> select * from odetails
      2  /
           ONO        PNO        QTY       COST
             1          1         22        242
    scott@ORA92> -- select works without extra cost column or trigger:
    scott@ORA92> select o.ono, o.pno, o.qty, (o.qty * p.price) as cost
      2  from   odetails o, parts p
      3  where  o.pno = p.pno
      4  /
           ONO        PNO        QTY       COST
             1          1         22        242
    scott@ORA92>

  • How to Post Actual Costs for Overhead

    Hi All,
       Kindly let me know the steps or T-Code as to how to post the actual costs for the Overheads.

    Hi
    Use the t.code KGI2 and post the actual costs for the Overheads.
    Award points if it is useful.
    Thanks & Regards,
    A.Anandarajan.

  • How to avoid actual cost error log while confirm production order activity

    Hi
    I dont want to post actual activity cost via production order activity confirmation. But i want standard value keys for my production duration purpose. So,i defined activites(strd value key) in work center without assigning cost center to that work center. While i confirm in CO11N, system throws erro log as Actual cost calculation contain errors and allows me to confirm the activities. I am doing MB31 and all CO settlement activities also. But when i try to close the order it says error log exists,so closing of order is not possible. How to overcome this problem as i dont want to capture any cost of activites via production order,but i want confirmation only for production analysis.

    Hi
    Issue is resolved thru PP forum. Thanks for ur reply.
    Solution lies in Control key of routing and BOM costing relevancy.

  • How to post Actual costs

    Dear all,
    I have number of activities in that i have costs(activities) planned cost is 1lac. But actual am not able get in project planning board. Plz suggest me how to go further, If i miss actual confirmation somewhere.
    Regards,
    S.Suresh.

    Hi Suresh,
    I am posting this again as i typed wrong word for point no 4.
    1.If you are using Internal Activity to plan Labor Hours then while confirming the Activity system will post actual cost(Controlling document) .The cost is Secondary cost.
    2.For external services it will be after acceptance of service in ML81N.
    3.For external services it will be after MIGO.
    4.For General Cost activities you cant get costs after confirmation.For that you can post by FB50 or you can post a controlling document also by various CO tcodes(Manual cost allocation) i think tcode is KB15N .
    Muzamil

  • How to Update material cost of user defined org specific cost type

    Hi,
    We need to update material cost sub elements of an item for an org specific and user defined cost type.
    I have inserted a sample row in the CST_ITEM_CST_DTLS_INTERFACE, and running open interface 'Mass Update Material Costs', but the program is not at all processing the rows, the Process_flag remains 1.
    insert into cst_item_cst_dtls_interface
    (inventory_item_id,
    organization_id,
    resource_id,
    usage_rate_or_amount,
    cost_element_ID,
    Process_Flag ,
    last_update_date,
    last_updated_by,
    creation_date,
    created_by
    values
    (96023,
    343,
    52538,
    0.00208012,
    1,
    1,
    sysdate,
    fnd_global.user_id,
    sysdate,
    fnd_global.user_id
    Can someone help me out with this, thanks.
    Regards
    Dasu

    I think there is some confusion.
    "Mass Edit Material Costs" program is used to apply new activity rates to item costs. For this, you don't have to insert records in the interface. You have to define/update the new activity rates using screen.
    To process records in the cost interface tables, you have to run the "Cost Import Process" program.
    For more details, refer to http://download.oracle.com/docs/cd/A60725_05/html/comnls/us/cst/settas06.htm
    Hope this answers your question
    Sandeep Gandhi
    Omkar Technologies Inc.
    Independent Techno-functional Consultant

  • How to analyse actual cost for each operation in Process/Production Order?

    Hi all,
    IN SAP, I know that we can analyze plan cost for Operation in Process Order/ Production Order.
    However, I can not analyze Actual cost for Operation .
    I know the object when I good issue material is ORDER, not OPERATION.
    But, as requirement of users, they want to analyze actual cost for each Operation.
    CAn SAP do this analyze?
    If Yes, What should I do in SAP to have this reports?
    THanks in advance,
    Emily Nguyen

    Hi Emily,
    as I see from one other message that you're using material ledger. Then your expectation is apparently to also see the actual costs of materials in your production order by operation.
    This is not supported. Actual material costs are handed up in material ledger multi-level settlement from one material to the next, bypassing the production orders.
    That means the production order will always contain the material costs valuated at plan price, not at actual price.
    For activity prices that might be better, when you revalue the orders at actual activity prices with CON2. But even there I am not sure that it will always be assigned correctly to the operations.
    There is currently an enhancement in development, the operation level costing. But that will affect more the planned cost side not the actuals. Might be interesting to learn more about your requirements and the use case behind.
    best regards,
                      Udo

  • How to update actual assignments in project server 2013 client object model

    hi sir ,
    I try to update actual assignment using client object model 2013.. but i am not able to do it and hoe to use statusing assignment in csom model of 2013.
    vijay

    Hi,
    Basically ProjectOnline CSOM authentication is the same as SharePoint (or Office365) so you will want to review the TechNet info on that:
    Three authorization systems for apps for SharePoint 2013
    Depending on your App type and specific requirements.
    If however you want to do something like Delegation of a specific Project Online user (as you could in the past), then you're out of luck as that is not supported in the client object model.
    HTH,
    Martin Laukkanen
    Nearbaseline blog - nearbaseline.com/blog
    Bulk Edit and other Apps - nearbaseline.com/apps

  • How to update extisting data in COPA

    Hi,
    We have made significant changes in already activated COPA configuration which is in terms of Characteristics and Value Fields. now we are going live and my client wants newly added characteristics and value fields in COPA.
    Is there any way by which we can achive this?
    Thanks and Regards,
    Sayujya

    Hi,
    do you mean to have the old CO-PA data available in the new data structure / value field assignment?
    Reverse and repost the line items (in test client first), depending on their source this is done using T-codes KE4S, KE4SFI, KE4SMM.
    The question is how much documents are affected as this procedure is time consuming and every old line item creates 2 new line items (one reversal, one new).
    Maybe its needed to physically delete old Co-PA documents => SAPNET note 69370 (RKECADL1) and 1405404 and repost them once again to CO-PA.
    Do this in test client first and take care.
    best regards, Christian

  • How to delete actual line item - COPA

    Dear Experts,
                          I created one line item manually in COPA, now i want to delete it. (FI to COPA) how i can delete this entry.
    Thanks in advance
    Regards
    avudaiappan

    If you created it using KE21N, then simply post it again but use negative values (if they where originally postive, and vice versa).
    If youcreated it through FI, then simply reverse the document FB08.

  • Actual costs posted to work order without maintaining costing variant

    hi,
    i havent maintained costing variant for work order(maintenance order) type i used to create the work order. so when i posted goods issue, how does the actual costs get posted with out maintaining the costing variant for work order type. what is the role of costing variant configuration in work order type settings.
    thanks,
    monica

    Hi monica,
    Costing variant forms the link between the application and Customizing, since all cost estimates are carried out and saved with reference to a costing variant. The costing variant contains all the control parameters for costing.
    The configuration parameters are maintained for costing type, valuation variants, date control, and quantity structure control.In costing type we specify which field in the material master must the price be updated,
    In valuation variant we specify in what order the system should go about accessing prices for the material master planned price, standard price, moving average price etc. Further which is the price which should be considered for activity price. How the system should select BOM and routing.
    assign points if useful
    Regards
    Genie

  • How to post actual COGS to PA

    Dear all,
    When we create billing document, revenue and COGS(cost of goods sold) will be posted to PA. This COGS is standard cost which got from condition type VPRS, however, it is not actual cost now. After we run material ledger, actual cost is calculated, my question is how to adjust COGS according to the actual cost in the system? this means we should post a variance to COPA.
    Would anyone help me ?
    Rgds,
    Ben

    Hi Ben,
    Like I said, you'll have to force the posting of the Actual Costs to COPA.
    For this, create a Costing Key for the transfer of Actual Cost using the following menu path:
    SPRO --> ... --> Profitability Analysis --> Master Data --> Valuation --> Setup Valuation using Material Cost Estimate --> Define Access to Actual Costing / Material Ledger.
    In this screen, you need to select the Val View "Legal" and the Type of Valuation as option 2 or 3 (the option should include transfer of Total Cost).
    Leave the Time reference as Period according to line item and set the radio button "Leave line item plant as cost est plant" for the plant value.
    Once done, click "Val Field allocation ... MAP" in the lefthand window and key the VF you wish to post the MAP value to.
    Now assign this Costing Key to any combination of values for which you wish to transfer actual costs. Make sure the Point of Val is 02 for Actual Costs transfer.
    Save and run KE27 now. The system should post the value(s) to the mentioned value field(s).
    Cheers.

  • We want to post actual cost through statistical WBS elements.

    when we do the posting on Costcenter assigned to a Statistical WBS element (2nd level), I was in the opinion that, the actual cost posted on the Costcenter of statistical WBS (2nd level) will reflect to the top WBS element (which is non-statistical in 1st level).
    But, I cannot able to see the actual cost in the 1st level WBS which also a Billing element (with this, finally we want to  do the Resource Related Billing).
    So expalin me how to bring actual cost posted on the costcenter of a Statistical WBS, to top WBS element which is non-statistical.

    U can book the actual cost from Procurement Cycle or by direct Invoice posting using FI transaction.
    Procurement Cycle:
    When you create PR or PO user Account Assignment Q or P and maintain WBS element. When u do GR or service entry actual cost is captured on the Project (WBS element).
    Using FI Transaction:
    When there is no PO and to book the cost u can use  F-43  to post actual cost (via Invoice) and mention WBS element.
    U can check the Actual Cost using Line item report CJI3 or S_ALR_87013532.
    Venkat

  • Transfer depreciation cost to COPA

    Hi COPA gurus,
    As i know, there is no way to assign assets to profit segment, and depreciation run is automatic, so how to transfer depreciation cost to COPA directly (not via cost center then allocation to profit segments)?
    Another point, business transactions to have Profit segment found automatically using substitution are only transactions from MM modules (price differences, revaluation, inventory differences). So Is substitution not able to apply with depreciation posting in this case?
    Could anyone show me, how does depreciation data transfer directly to COPA?
    Thanks so much,
    HuyenTT

    Dear Pradeep
    I have the similar issue.
    With the cost center in asset master, CO-PA document is not generated.
    Instead, Controlling document (CO object is CTR) is generated.
    Without the cost conter in asset master, CO-PA document and
    Controlling document(CO object CTR as statistics) is also generated.
    But, as you mentioned, even with the cost center in asset master,
    CO-PA and Controlling document should be generated, right?
    Customization I've done are
    - GGB1: Substitution
    - OKB9: Flag-on to "profitability segment" for the Depreciation cost element
    - OKC9: Activate 0_SCO10
    If I miss something, pls let me know.
    BR
    Y.Kaneko

Maybe you are looking for

  • Error when creating a new session manager

    I am an absolute rookie in Java and Object to Persistence, and just need a push in the right direction please? Using MyEclipse 5.0 with JBoss 4.0 but just trying a very basic employee mapping with Toplink 10.1.3.1. Standard java application just to r

  • Flat file with soap adapter

    Hi,   Can anybody tell me is it possible to send flat file as an atttachment via soap adapter. Regards, Dhill

  • Iphoto not saving updated library

    I've been trying to add my latest photos into iphoto and it copies them all across ok, shows them all in the library and I can rotate them or add titles etc but when I quit iphoto and then reopen it, the library goes back to how it was before and all

  • No picture when contacts call.

    When I call someone I get a little tiny picture that I assigned the contact up in the corner. But when the contact calls me , no picture shows up. I would like for their picture to take up the screen. I have a iPhone 4. I am on iOS 7.1.2.

  • Mouseover Button in Keynote 09

    Is there any way to create a rollover button to hyperlink to another presentation? In other words, when you place the mouse over the button, the button changes it appearance.