Extended Rebate Functionality with Variable Keys

Hello All,
I am trying to find information on extended rebate functionality in 4.7. I have looked though white pages G72, G63, and G64 but have yet to find what I am looking for.
Basically I want to be able to spread a rebate settlement (credit memos) to multiple partners in a customer hierarchy evenly based on their individual sales volume (instead of one Rebate recipient per agreement I want many based on customer hierarchy node).
I also would like to spread the settlement against multiple materials.
I have heard this is may be possible using the variable keys and structure S469 but for the life of me I cannot figure out if it is possible to do what I am asking.
I really appreciate any help that can be extended to me.
Thanks,
Lance

Hi Lance,
thr price-conditions ( values or rabates ) are stored in Tables like S+++ ( S469).
You want to have an access to a pricing table with other keys as you found in the standard system.
Therefor : make you own S9++.
there are the following steps:
Check, if your key is in the selected keys for pricing - if not, add it there.
The field must be in an apend of structure KOMG ( generally ) and KOMP ( for position fields ) or KOMK ( for header fields ).
Create your own S9++ -- ( in Pricing, i have about 150 own pricing tables ).
Next : go to the Customizing of the ?? German = Zugriffsfolge ?? for the condition.
Here you can add up to 99 Zugriffe to get the condition. Here you need your new S9++ and you have to connect it with the fields.
( i have had problems with the 'little' number of 99. for one Condition i need up to 160 Zugriffe - i have split it up into 2 Conditions ).
In one S9++ you can connect several fields to one Condition table.
The customer - numer and the hierarchi - number and the recipienst-number - all fields are of the sae kind.
In the Zugriffsfolgen, you can do  several Zugriffe for the same Table S9++ - but in the connection of the fields, you can variate the souce fields -- first Zugriff : Customer - number / secons Zugriff : Hierarchy 1 / ....
With this method, you can also add customer fields of VBAP or VBAK into your pricing module.
I hope, youve got an idea, where t go. see also in the SAP documentation - in german, i have picked many things out of the documentation.
Hans

Similar Messages

  • Extended Rebate functionality (and its use)

    Iu2019m currently working at an international customer with operations in Europe. They sell products in almost all countries in Europe, which are being sourced normally from one single plant.
    They are using the intercompany billing process.
    They are currently using the standard Rebate functionality, including Rebate settlement.
    They are facing with an issue with the Rebate settlement process.
    They setup the rebate agreement with an element of a material, e.g. the material pricing group, since the product portfolio is too large to use a material in the rebate agreement.
    Normally a product is delivered from one source (one single plant), but occasionally the product will be delivered from another plant (in another country)
    The issue in the rebate settlement is the proper determination of the tax code and therefore the proper tax percentage. This since the products can be from several source (delivering plant) in several countries.
    It is impossible to create all combinations in a rebate agreement, including the delivering plant, since there could be over 30 of them.
    We have already thought of the fact to include the material tax classification in the setup of the rebate agreement.
    Currently we are looking at the following options
    Implement Vistex u2013 a (fairly) expensive proposition
    Do nothing u2013 this will mean, that the Finance department will need to use a (custom) BW report to make financial posting and Credit Memou2019s
    Made enhancements in the current process u2013 this will mean a long time for analysis and a longer time to made the enhancement and even a longer time to properly test all changes.
    Implement Extended Rebate functionality. We have been looking at this and have a couple of questions on this:
    Can we turn on the extended rebate functionality for existing agreement types?
    Should we create new agreement types and use Extended Rebate functionality on the new agreement types?
    The configuration of the Variable keys u2013 are there any hidden u201Cissuesu201D we should be aware off?
    Any comment, documentation, link to documentation, remark, suggestion is welcome.
    Thanks and regards,
    Jan Pel

    Hi Jan Pel,
    Did manage to find a solution for your problem?
    We are facing a similar issue but the situation is more difficult since we don't use standard sap to determine the tax. Instead we use an external system and due to this we don't have more than 2 tax codes maintained (they are meaningless really).
    I'm also trying to understand the standard sap behavior for tax determination on the rebate settlements. Since the settlement is creating an item per condition record, how is the correct tax applied (and multiple documents/items created if different tax applicable). Is standard sap creating different settlement invoices/items in the settlement invoice if there are different tax codes in the underlying billing documents in scope of the rebate agreement?
    I would appreciate your feedback.
    Thanks and best regards,
    Kevin

  • Extending a function with logic stored in a table?

    Let's say I have a function with local variables and I have a select statement in it. This statement populates (using into) these variables, one of which contains a condition which has the name of some local variables in it. I would like for this to be evaluated. Is this possible?
    for example, if I have variables named local_value1, local_value2 and local_condition and local_condition is loaded from a table column in which the expression is: local_value1 < local_value2
    I'd then need to do a: if local_condition then blah....
    I've been looking at ways to use execute immediate to do this, but it doesn't look like I can do that, as it wont do substitution of local variables, only bound variables.
    I've done this with various scripting languages in the past, but I've not seen anything on the forums on how to do this with pl/sql.
    Any suggestions?

    wether this is really meaningful or not ... here is a way:
    michaels>  CREATE TABLE demo_logic
    ( demo_logic_id NUMBER,
    demo_logic_statement VARCHAR2(4000),
    CONSTRAINT demo_logic_pk PRIMARY KEY (demo_logic_id) ENABLE
    Table created.
    michaels>  -- The data:
    michaels>  INSERT INTO demo_logic
         VALUES (1, 'local_value1 < local_value2')
    1 row created.
    michaels>  INSERT INTO demo_logic
         VALUES (2, '(local_value1 = local_value2) or (local_value1 < 7)')
    1 row created.
    michaels>  -- Then the function:
    michaels>  CREATE OR REPLACE FUNCTION func_demo (condition_id IN NUMBER)
       RETURN NUMBER
    IS
       local_value1            NUMBER                                 := 5;
       local_value2            NUMBER                                 := 2;
       local_value_to_return   NUMBER                                 := 0;
       local_condition         demo_logic.demo_logic_statement%TYPE;
    BEGIN
       SELECT demo_logic_statement
         INTO local_condition
         FROM demo_logic
        WHERE demo_logic_id = condition_id;
    --next we would evaluate 'local_condition' and if true we would then continue and do more work
    --and assign something to local_value_to_return.
       EXECUTE IMMEDIATE 'DECLARE
                            local_value1 number := :1;
                            local_value2 number := :2;
                          BEGIN
                            IF '
                         || local_condition
                         || ' THEN
                              :out := 1;
                            ELSE
                              :out := 0;
                            END IF;
                          END;
                   USING local_value1, local_value2, OUT local_value_to_return;
       RETURN local_value_to_return;
    END func_demo;
    Function created.
    michaels>  SELECT func_demo ('1') res
      FROM DUAL
           RES
             0
    1 row selected.
    michaels>  SELECT func_demo ('2') res
      FROM DUAL
           RES
             1

  • About ECM's function with release key

    hello,every expert.
    Help me solve a problem.
    current situation:
    we use the tunction with release key in ECM,when we  process the last step,release ECO,at first,set status ECOR,next,input release key 01,finally,save.
    in this case,if don't input release key,still may save.
    hope result:
    after set status ECOR,if don't input release key,don't allow save.
    how to achieve our hope result?
    Best Regard.
    YangTing PANG.

    Hello Raghu,
    It is standard SAP behaviour that ECR/ECM with release key certain items will be greyed out. So try without release key. There is a SAP note"159414" to modify this behavior.
    Regards
    Prasad K
    Edited by: Prasad K on Jul 7, 2010 4:31 AM
    Edited by: Prasad K on Jul 7, 2010 4:32 AM

  • Call a function with variable function name

    Hey guys,
    I have a func_table which maintains function names (each one makes reference to a dynamically generated stored function)
    I need to make a procedure that calls the functions in that table one by one using its name retrieved from SELECT func_name FROM func_table;
    Thanks

    929955 wrote:
    I have a func_table which maintains function names (each one makes reference to a dynamically generated stored function)
    I need to make a procedure that calls the functions in that table one by one using its name retrieved from SELECT func_name FROM func_table;Okay, first the bit where I, foaming at mouth and vigorously waving a well used lead pipe around, tell you that this is HIGHLY SUSPECT and likely a FLAWED DESIGN. That dynamic code is 99% of the time wrong. That dynamic code opens securities hole for code injection. That dynamic code often results in severe performance penalties as the coder is clueless about what the Oracle Shared Pool is about. And so on...
    As for a basic procedure template to do this - assuming all functions get the same parameter as input and that all functions returns the same data type:
    create or replace procedure FooBarFunctions( paramVal number ) is
      .. variables and types and cursor definitions..
    begin
      for c in (
        select function_name from my_fubar_functions order by function_order
      ) loop
          plsqlBlock := 'begin :result := '||c.function_name||'( param => :p ); end;';
          execute immediate plsqlBlock using out funcResult, in paramVal;
          .. do something with funcResult ..
      end loop;
      .. more code..
    end;
    {code}
    Looks not like a sensible approach though - and begs for justification as to why this approach is needed. What justification do you have?                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                           

  • Shift and CMD keys not functioning with other keys

    System Specs:
    15-inch, Early 2011
    Processor  2.2 GHz Intel Core i7
    Memory  16 GB 1333 MHz DDR3
    Software  OS X 10.8.5 (12F37)
    Hello,
    My issue is with the keybaord of my Macbook Pro. Just yesterday I noticed the following problems with my keyboard.
    Error Issue:
    Right Shift key+D
    Right Shift key+C
    Right Shift key+E
    Left CMD+C
    Are all not functioning. I don't know what happened, I ran the keyboard viewer and tested all these keys out, the weird thing is that I can use the alternate keys on right and left, like shift and CMD.
    Please help your urgent feedback is appreciated.

    I suggest trying the following (check after each step):
    1) Reboot
    2) Reset PRAM using this procedure: http://support.apple.com/kb/HT1379
    3) Reset the SMC: http://support.apple.com/kb/ht3964
    4) check in a different user space (maybe it's a preferences problem)
    5) take to Apple store

  • @RETURN function with variables

    Hello all:
    I've been doing some testing with the @ERROR function and have had no luck getting it to error out when using it within an IF statement that uses a variable (of any kind). All of the following examples validate and run, but none stop the script.
    Assume VAR QUIT = 1, SubVar QUIT2 is set to 1 and there is an environment variable named QUIT3 is set to 1;
    These all don't stop the script (or put the expected ERROR in the app log):
    "Actual"(
         IF(QUIT==1)
              @RETURN("Error!), ERROR
         ENDIF)
    "Actual"(
         IF(&QUIT2==1)
              @RETURN("Error!), ERROR
         ENDIF)
    "Actual"(
         IF($QUIT3==1)
              @RETURN("Error!), ERROR
         ENDIF)
    It seems like IF can't evaluate a numeric value in a variable.
    Your thoughts?

      Use technical account (or slice ) for storing variables values.
    For native using variables u need to do technical settings
       1)  turn off CPU Hyper Threading
       2)  turn calculation to  serial mode
    And all of this don't guarantee what calc will be correct.
    p..s
    ("Error!), or  ('Error!')

  • Can we write function with variable number of argument

    Hi
    Can anybody tell that can we pass variable number of arguments to a function in oracle 10gR2.
    As in function decode we can pass variable no. of arguments upto 255 arguments, similarly can we creat a function which accept any no. of variables.

    I'm not sure that this is what you were asking about, but depending on the logic you want to implement, you can declare the maximum possible number of parameters to your function, give them default values, and then pass to your func as many parameters as you want:
    SQL> create or replace function test(p_a number:=null, p_b number:=null) return varchar2 is
      2    Result varchar2(100);
      3  begin
      4    result:='a='||p_a||', b='||p_b;
      5    return(Result);
      6  end test;
      7  /
    Function created
    SQL> select test() from dual;
    TEST()
    a=, b=
    SQL> select test(1) from dual;
    TEST(1)
    a=1, b=
    SQL> select test(1,2) from dual;
    TEST(1,2)
    a=1, b=2
    SQL> drop function test;
    Function dropped
    SQL>

  • How to activate Extended Rebate Processing in Customizing for billing?

    sap gurus:
    How to activate Extended Rebate Processing in Customizing for billing?

    SAP Knowledge Base Article
    1520390 - Activation of Enhanced Rebate Functionalities - IMG Customizing Transactions - SAP Menu
    Version 1 Validity: 19.10.2010 - active
    Language English
    Symptom
    Enhanced Rebate Functionality is not available and should be activated
    In the customizing IMG (Transaction SPRO) the node for Extended Rebate with the relevant customizing transactions are not visible
    The SAP Menu does not include the transactions for Extended Rebate
    Environment Enterprise Function EA-ISE must be available in the system (visible in transaction SFW5).
    Reproducing the Issue
    Call transaction SPRO
    Node Extended Rebate Processing is missing:
    IMG
    Sales and Distribution
       > Billing
            > Rebate Processing
                 > .................
    Resolution To activate the Extended Rebate Processing and make the node and customizing transactions visible proceed in the following way:
    Call transaction SFW5   
    In the folder ENTERPRISE_EXTENSIONS choose the function EA-ISE
    Activate this enterprise extension
    Thereafter the menu path in SPRO for Extended Rebate Processing will be visible:
    IMG
    Sales and Distribution
       > Billing
            > Rebate Processing
                > Extended Rebate Processing
                            * Settings for Agreement Types
                            * Set up Variable Key for Rebate Settlement
                            * Check Variable Key for Rebate Settlement
                            * Activate Extended Rebate Processing
                            * Simulate And Execute Reorganization of Statistical Data
    Furthermore the users will have the relevant transactions available in the SAP Menu:
    SAP menu
      > Logistics
         > Sales and Distribution
              > Billing
                   > Rebate 
                        > Extended Rebate Processing
                             * RBT_ENH_VB7 - Extended Rebate Settlement
                             * RBT_ENH_ACT - Update of Indirect Sales
                             * RBT_ENH_PLAN - Update of Indirect Planning Data
    For futher infomation on the extended rebate process please refer to the following links of SAP help portal:                     
    http://help.sap.com/erp2005_ehp_04/helpdata/EN/5a/5b9b3c0f4da40ee10000000a11405a/frameset.htm
    http://help.sap.com/erp2005_ehp_04/helpdata/EN/79/a5ee3c1f63a518e10000000a11405a/frameset.htm
    Keywords
    Extended rebate agreement, extended rebate processing, erweiterte Bonusabwicklung, Menü, Pfad nicht vorhanden, aktivieren, erweiterter Bonus, Bonusabsprache
    Header Data
    Released On
    21.10.2010 08:01:20
    Release Status
    Released to Customer
    Component
    SD-BIL-RB-ENH Enhanced Rebates
    Other Components
       SD-BIL-RB Rebate Processing
    Priority
    Normal
    Category
    How To
    Product    
    Product
    Product Version
    SAP ERP Central Component
    All versions
    SAP R/3 Enterprise 4.7
    All versions

  • Extended Rebate Processing-Pendelum List Indirect Sales

    Hello Experts,
    I find myself with the following requirement.
    Situation:
    -       Bonus/rebate payouts are currently conducted to end customers via third party tools.
    -       These end customers are not served by the company directly, instead goods are sold by some agents.
    -       The agents buy from the company, therefore the sales process to the end customer is not reflected in the company ERP.
    -       End customers are not created as customers in company ERP systems.
    Requirements:
    -       Solution required to automize bonus/rebate payouts to end customers based on delivered sales revenues by the agents.
    Conclusions:
    -        COPA EHP functionality for extended rebate processing to be analyzed if suitable for this requirement.
    I have been doing some searching and came across the “Pendulum List Indirect Sales”
    “The Pendelum List Indirect Sales component is an enhancement of Extended Rebate Processing. The pendulum list enables you to process indirect sales. The Pendulum List component provides tools for automatic data import.”
    Extended Rebate Processing is integrated in SAP Profitability Analysis (CO-PA). SAP Profitability Analysis supports the article-specific update of the “customer rebate”
    Ref-http://help.sap.com/erp2005_ehp_04/helpdata/EN/5a/5b9b3c0f4da40ee10000000a11405a/frameset.htm
    The above statements seem to fit my requirement but I am not able to find any further literature on the topic which explains in detail how it actually works. Most of the prior SDN topics are also unanswered or partially answered.
    I would really appreciate it if some one could help me understand how this works and <Text removed by Moderator.>, that would be really great.
    Thanks and Regards
    ES
    Notes: Text was removed, as you were asking either for document or video or presentation or link or step by step process, which is neither allowed nor encouraged. So, be specific when you are asking questions
    Message was edited by: Jyoti Prakash

    Thanks Arun.
    I understand now that to have the extended rebate functionality we have to activate the generic Business Function- EA-ISSE (Industry specific sales enhancement).
    I am more interested in the Indirect sales functionality for which I understand we have to use the Pendulum List Indirect Sales component.
    I have a situation where I am a producer and I have wholesalers who have end customers. The end customers may or may not belong to a corporation(an umberalla organization) .
    I want to set rebates on the sales of the end customers. The sales details of the end customer would be given to me (producer) by the wholesaler. But the rebate payments, I (the producer) want to pay it out to the Wholesaler ( I understand the standard solution is to pay out to the end customer) with details of each end user rebates.
    Do you have any pointers to how this could be acheived?

  • Extended Rebate Processing - Data flow in tables

    Hi Gurus,
    Can somebody help me understand how data flows through various tables in extended rebate processing. i.e. once a new condition record for a rebate agreement is created, in which table it is updated first? Once VBOF is executed, which are the tables taken as reference and which are the ones updated on execution.
    Please explain wrt all concerned tables and info-structures like KONA,KONV,KONH,KONP,S136 & S469.
    It'll be a great help if somebody could explain thoroughly.
    Thanks & Regards.

    Thanks Arun.
    I understand now that to have the extended rebate functionality we have to activate the generic Business Function- EA-ISSE (Industry specific sales enhancement).
    I am more interested in the Indirect sales functionality for which I understand we have to use the Pendulum List Indirect Sales component.
    I have a situation where I am a producer and I have wholesalers who have end customers. The end customers may or may not belong to a corporation(an umberalla organization) .
    I want to set rebates on the sales of the end customers. The sales details of the end customer would be given to me (producer) by the wholesaler. But the rebate payments, I (the producer) want to pay it out to the Wholesaler ( I understand the standard solution is to pay out to the end customer) with details of each end user rebates.
    Do you have any pointers to how this could be acheived?

  • TPM Accruals with Variable Rebates

    Hi,
    I am configuring TPM with CRM 7.0 and I can't understand how the accruals are performed in this new version of CRM. In prior versions of CRM (5.0) the accruals were done in ECC just like the old ECC Rebate Functionality.
    However with the new version of TPM 2007 and 7.0 the variable accruals (according to SAP slides and training material), the use of BI is required to perform the accruals. How do the accruals reach the G/L in ECC?
    Does anyone know the exact process to perform the configuration settings?
    By the way, SAP Best Practices or Building blocks doesn't contain any information for TPM, it only contains for other areas of CRM.
    In Solution Manager the configuration guide doesn't include the configuration for the variable accruals, so I need to understand how these are configured and set in the system.\
    Your help is appreciated,
    Thanks
    Chris

    Hi Chris,
    There is a whole list of configuration needed for accrual. First you have to figure out whether you want to do a fund based accrual or Event based accrual. Based on your question, I am assuming that you are doing Event based accruals. For variable rebates (shipment based), you have set accrual calculation as ERP_SV (based on Sales Volume). Technically, CRM sends a zero accrual rate to ERP. You release promotion in TPM first, do invoicing in ERP which would apply the variable BB condition type. You run the following accrual jobs in CRM: Sales Volume load, Accrual Calculation and Accrual posting to get accruals in CRM.
    In accrual scenario for TPM, BI is used for fund usage generation, which links to a accrual profile. You see the accrual postings against the fund usage. You will need to have a calculated key figure which will show the planned funding during release of Trade Event.
    There are also configuration setps in CRM to link it Accounting document in ECC.
    It is not possible to list all accrual configuration in this post. I guess you need to think of accrual design first. You would need to talk with your ERP and FI team.
    Hope this helps to an extent.
    -Sanajy

  • Help Needed With "Extend Marker" Function Not Working

    I have several Clips and used the "DV Start/Stop Detect" function to find the time code breaks, which seems to work well. I've now got a clip full of Segment markers.
    The problem arises when I try to use Extent Markers "Option + `" to make subclips. When I put the play head on a subsequent marker, the Marker/Extend function is grayed out.
    Extending a marker that I have created using the M key works perfectly.
    Why can I not use the Extend function on Segment Markers?
    Any help on this is greatly appreciated. I have 30 odd clips that I need to set up segments for, and doing it manually will add hours to my workload.
    Thanks
    Gary
    Dual G5 2.5 GHz Dual Core, 2.5 GB RAM, 500 GB HDD   Mac OS X (10.4.3)   Final Cut Studio FCP 5.0.4

    Thanks for the reply.
    I am completely aware of items 1 through 3, and never Extend markers in the Timeline. Only the Viewer.
    To perform an Extend Marker and avoid headaches, load the captured clip - the one with the video icon in the Browser - into the Viewer. Then, as you scrub along in the Viewer, Option-` as needed.
    That is precisely what I am doing.
    To Extend the marker I first double click the clip to load the entire clip into the Viewer, where all the Section markers are displayed. I then check Mark>Markers>Extend and the function is grayed out. However, if I move the playhead one frame prior to the Section marker, the previous Section marker extends to the frame prior to the new play head position.
    If I do this with manually entered markers (using the M key, creating Marker 1, 2, 3.... in sequence on the Viewer timeline), then the Previous marker is extended to the frame immediately prior the the current play head position - i.e. from Marker 1 to Marker 2. I do not have to move off the Marker 2 position to be able to extend Marker 1.
    Also, simply selecting all your Markers and either dragging them to another bin (or pressing Command-U) does not produce the needed subclips?
    Of this I am also aware. I find the Command-U process just confuses the issue, creating more clips to manage (others may disagree). I prefer to simply drag the "Subclips" directly from the Main clip into a Timeline.
    Because you're doing all this to get subclips, right? Or wrong?
    If I understand your reply correctly, I think you misunderstood my problem. I have been using subclips for several years, and find them VERY useful, especially with multi-camera shoots. So, I am quite familiar with creating and extending markers.
    I just started experimenting with the Detect feature and find it works quit well (most of the time). My problem is that the Segment markers created by the Detect process, do not perform the same as manually place markers, as far as the Extend marker function is concerned, anyway.
    BTW - By using the TC display in my Panasonic PV-GS400 Camera, and sending the FCP video via Firewire to the camera, the camera displays the TC on the captured clip, which I then rename the marker to for TC reference. As long as the Date/Time on the cameras are properly synced, syncing clips in the Timeline is a breeze!!
    Anyway, to clarify, my process is as follows:
    1. Capture a clip.
    2. Display the clip in the Viewer
    3. Select "DV Start/Stop Detect" and watch as the section markers appear in the Viewer.
    4. In Viewer, place play head on the first Section marker
    5. Press the M key to Edit Marker.
    6. Change the Name of the marker to the timecode of the Marker now displayed in the Camcorder window.
    7. Use Shift-Down Arrow to move to the next Section Marker
    8. Press Option+` to Extend the previous marker - which does not work and is grayed out in the Mark>Markers>Extend menu.
    9. Back to step 5.
    This process works perfectly with manually created markers. Because the Extend works if I move the play head one frame prior to the current Section marker, this tells me there is something "special" about the Section marker that disables the Extend function, unlike a manually created marker.
    BTW - If I delete the Section marker, and create a manual marker at the same frame, the Extend marker function works again. Again, indicating that Section markers are different somehow from manual Markers.
    Hopefully, this wordy explanation of my process clarifies my problem.
    Aside: The clips are supplied to me by a customer on a 500GB FW800 drive. FCP5 was used to capture the clips from the original Tapes (which I do not have access to). I am the editor for the project.
    Thanks again for the reply. It is greatly appreciated. If there is any other info that I have missed that will help figure this out, please let me know and I will post a response a quickly as possible.
    Gary

  • Since Mavericks, the scroll-with-modifier-key-to-zoom functionality often fails, and I have to deselect it and reselect it in the accessibility pref-pane to get it working again.

    Since Mavericks, the scroll-with-modifier-key-to-zoom functionality often fails, and I have to deselect it and reselect it in the accessibility pref-pane to get it working again.

    Take it to your local Apple Store or AASP, it's covered by a 1 year hardware warranty. If you have AppleCare then give them a call but I'm pretty sure they will advise the same. If you have not purchased AppleCare yet please do, this will extend the warranty to 3 years however it MUST be purchased within the first  year of ownership. Let it go 366 days and you are out of luck. AppleCare will also include telephone support too.
    Good luck.

  • Material price change with variable G/L account - which function module?

    Hi,
    do you know a function module which allows to change the material price (S or V) and accepts a cost center for the price variances that is not the one from customizing?

    Hi Tony.
    I feel that you are in extended classic scenario.
    For the "extended classic scenario" with services you must consider the following corrections in the R/3 system as of Release 40.
    1) Three new function modules
    2) Source code corrections in R/3 System
    ->  account assignment category in R/3 system can be changed for EBP
    These information are from one SAP note.
    Note 431954 - Extended classic scenario (services): Changes in R/3.
    regards,nishant
    please reward point if this helps

Maybe you are looking for

  • How to get the text present in JTextArea

    i am writing application for some system to be computerised and i am not getting how to get the text present in text area and set it into database...can anybody suggest me solution??

  • I crashed my HD this week. My photoshop CS6 release is lost. How can I recover my software.

    I already replace a new HD in my notebook. I installed Window 7, all my drivers and start to recover my softwares. Unformtunatly, my photoshop CS6 was downloaded, and I don't have any sources to re-install it. Please, give me a link to download my re

  • LMS4.1 aggregated duplicate MAC-Report

    Hello, We want to quickly identify ports with probably attached mini-switches/hubs. Does a report type exist in LMS4.1 showing duplicate MACs aggregated with its count of occourence, not line by line? Is it planed to bring out basic aggragate functio

  • [CS2/CS3] - Browsing all inline graphical objects

    Hello,     I have a text frame, where are placed inline graphical objects (square, circle, ...) and I want to browse all these objects.<br/><br/> Sample: I have valid UIDRef to entire text frame, but when I use this code: InterfacePtr<IHierarchy> hie

  • Mail Shows Wrong Messages

    About a week ago Mail starting getting very confused. When I click on a message in the list, it shows a completely unrelated (and older) email in the body. Is there a way to "rebuild" the index or something?