Customer sold to account numbers

Hi All,
         We have issue with account numbers of Customer sold to. We are running out of Customer sold to account numbers and here is the example.
Customer sold to account numbers start with 0711111111, I cannot extend this to 08 as it is used by other account group and i cannot use alpha numberic as it is used by another account group. Please suggest multiple solutions.
Thank you
Kris

Thanks Krish for your I/P, Can anyone provide more Insights into this with out going for External number range?
Thank you
Kris
Edited by: Kris on Oct 23, 2009 7:37 AM
Edited by: Kris on Oct 23, 2009 7:42 AM
Edited by: Kris on Oct 23, 2009 8:25 AM

Similar Messages

  • Customer carrier account numbers

    Hi,
    We have a lot of customers with collect account numbers for UPS, FedEx and DHL.
    how can I manage this in SAP?
    As it is account number given by the customer I don't want to manage them as a partner function whereas this would mean that I have to create them as vendor.
    Thanks for your help;
    Best Regards
    Isa

    All,
    There is no standard solution for this in SAP.  Obviously, you are using carriers for UPS, FedEx, etc. and assigning those to customers or orders.  The trick is getting the customers UPS account # associated with the customer and carrier.  I have done this 2 different ways with clients using standard functionality.  The other option that is always available is a custom one with a Z-table and enhancements in the order/delivery.  The 2 ways I have implemented are as follows:
    1.  In the customer Master "Partner Functions Tab".  Here you have assigned the Carrier partner of UPS/FedEx, etc.  There is a field to the right for "Partner Description".  This is where I have added the account number.  This way it is associated with the customer for that carrier.  This will pull through on orders/deliveries.  You will obviously have to update your interface to pull this value from the KNVP-KNREF field.  There is one downside to this approach in that you cannot change the account number on the order.  However, this account number should not change but if it does you can change the customer master.
    2.  This solution was suggested earlier in this thread.  Create a new Vendor master for each Customer that has an 3rd party freight billing account.  Assign the account number in a field of your choice (e.g. "Comments" field on the address screen).  Then add that vendor to the customer master as a SEPERATE partner function (e.g. ZT).  This way you will have the standard carrier partner UPS as the CR partner and the New (3rd party billing) vendor assigned to the ZT partner Function.  The obvoius down side is that you end up creating a lot of vendors just to represent the account number.  However, the upside is that you now have a seperate partner to represent the 3rd party freight billing.  This way in your interface to the carrier systems you can key off of that partner as the trigger to pull the account number.

  • Simple stored procedure to validate multiple customer account numbers without defining a type

    I would like to create a simple stored procedure to validate up to 1-10 different customer account numbers at a time and tell me which ones are valid and which ones are invalid (aka exist in the Accounts table).  I want it to return two columns, the
    account number passed in and whether each is valid or invalid.  
    The real catch is I don't want to have to define a type and would like to do it with standard ANSI sql as my application has to support using multiple dbms's and not just sql server.  Thanks!

    Hi again :-)
    Now we have the information to help you :-)
    I write the explanation in the code itself. Please read it all and if you have any follow up question then just ask
    This solution is for SQL Server and it is not fit for all data sources. Please read all the answer including the comments at the end regarding other data sources. Basically you can use one String with all the numbers seperated by comma and
    use a SPLIT function in the SP. I give you the solution using datatype as this is best for SQL Server.
    In this case you should have a split function and this is very different from one database to another (some have it build it, most dont)
    ------------------------------------------------------------------- This part call DDL
    CREATE TABLE Accounts(
    AccountNbr [char](10) NOT NULL,
    CustomerName [varchar](100) NOT NULL,
    CONSTRAINT [PK_Accounts] PRIMARY KEY CLUSTERED ([AccountNbr] ASC)
    GO
    ------------------------------------------------------------------- This part call DML
    INSERT INTO Accounts(AccountNbr, CustomerName)
    SELECT
    cast(cast((9000000000* Rand() + 100000) as bigint ) as char(10)) as AccountNbr
    ,SUBSTRING(CONVERT(varchar(255), NEWID()), 0, 11) as CustomerName
    GO
    ------------------------------------------------------------------- Always I like to check the data
    SELECT * from Accounts
    GO
    /* Since you use random input in the DML and I need to check valid or in-valid data,
    Therefore I need to use this valid AccountNbr for the test!
    AccountNbr CustomerName
    6106795116 E689A83F-A
    -------------------------- Now we sytart with the answer ------------------------------------
    -- You should learn how to Create stored Procedure. It is very eazy especially for a developr!
    -- http://msdn.microsoft.com/en-us/library/ms345415.aspx
    -- dont use the SSMS tutorial! use Transact-SQL
    -- Since you want to insert unknown number of parameters then you can use Table-Valued Parameters as you can read here
    -- http://msdn.microsoft.com/en-us/library/bb510489.aspx
    -------------------------- Here is what you looking for probably:
    /* Create a table type. */
    CREATE TYPE Ari_AcountsToCheck_Type AS TABLE (AccountNbr BIGINT);
    GO
    /* Create a procedure to receive data for the table-valued parameter. */
    CREATE PROCEDURE Ari_WhatAccountsAreValid_sp
    @AcountsToCheck Ari_AcountsToCheck_Type READONLY -- This is a table using our new type, which will used like an array in programing
    AS
    SET NOCOUNT ON;
    SELECT
    T1.AccountNbr,
    CASE
    when T2.CustomerName is null then 'Not Valid'
    else 'Valid'
    END
    from @AcountsToCheck T1
    Left JOIN Accounts T2 On T1.AccountNbr = T2.AccountNbr
    GO
    -- Here we can use it like this (execute all together):
    /* Declare a variable that references the type. */
    DECLARE @_AcountsToCheck AS Ari_AcountsToCheck_Type;
    /* Add data to the table variable. */
    Insert @_AcountsToCheck values (45634),(6106795116),(531522),(687),(656548)
    /* Pass the table variable data to a stored procedure. */
    exec Ari_WhatAccountsAreValid_sp @AcountsToCheck = @_AcountsToCheck
    GO
    ------------------------------------------------------------------- This part I clean the DDL+DML since this is only testing
    drop PROCEDURE Ari_WhatAccountsAreValid_sp
    drop TYPE Ari_AcountsToCheck_Type
    -------------------------- READ THIS PART, for more details!!
    -- validate up to 1-10 different customer account numbers at a time
    --> Why not to validate alkl ?
    --> SQL Server work with SET and not individual record. In most time it will do a better job to work on one SET then to loop row by row in the table.
    -- tell me which ones are valid and which ones are invalid (aka exist in the Accounts table)
    --> If I understand you correctly then: Valid = "exist in the table". true?
    -- I want it to return two columns, the account number passed in and whether each is valid or invalid.
    --> It sound to me like you better create a function then SP for this
    -- The real catch is
    -- I don't want to have to define a type
    --> what do you mean by this?!? Do you mean the input parameter is without type?
    -- and would like to do it with standard ANSI sql
    --> OK, I get that you dont want to use any T-SQL but only pure SQL (Structured Query Language),
    --> but keep inmind that even pure SQL is a bit different between different databases/sources.
    -->
    -- as my application has to support using multiple dbms's and not just sql server.
    --> If you are looking a solution for an applicatin then you probably should use one of those approach (in my opinion):
    --> 1. You can use yourown dictunery, or ini file for each database, or resources which is the build in option forwhat you are looking for
    --> You can create for each data source a unique resources
    --> If the queries that need to be execut are known in advance (like in this question), then you can use the above option to prepare the rigt query for each data source
    --> Moreover! one of those resources can handle as general for "other ources"
    --> 2. There several ORM that already do what you ask for and know how to work with different data sources.
    --> You can use those ORM and use their query languge instead of SQL (for example several work with LINQ).
    I hope this is helpful :-)
    [Personal Site] [Blog] [Facebook]

  • Mapping EBS account codes to Group Account Numbers - Customization

    Hi,
    I want to map the account codes that are present in the Oracle EBS to BI Mappings.
    I am aware of the changes to be made to the following three files:
    ■ file_group_acct_names.csv - this file specifies the group account names and their corresponding group account codes.
    ■ file_group_acct_codes_ora.csv - this file maps General Ledger accounts to group account codes.
    ■ file_grpact_fsmt.csv - this file maps Financial Statement Item Codes to group account codes.
    The overview of my case is as flows:
    The client requires the general accounts to be clubbed into different sub-groups based on their reporting practices. This would lead to generation of around 60-70 odd group account numbers. My queries are as follows:
    1.There are cases where accounts belonging to a single parent account needs to be bifurcated into two different group account numbers. In that case, to which group account number should the parent account be classified?
    2.Can we go about modifying the existing group account numbers and adding new group account numbers as long as we are able to categorize them in the existing 6 financial statement buckets?
    3.What are the changes needed to be done in the RPD file to reflect the changes made to the group account numbers? Any documentation highlighting the same would be highly helpful.
    Thanks,
    Regards,
    Rajit

    Hi Krishna,
    I have the same required as yours.
    I implemented the note 914437.
    I noticed two peculiar cases from the standard mapping i.e. (standard BP Role sold to party)
    1) In BP transaction, in Display in BP Role drop down list box there is no custom BP Role as shown above but if I select the detail Icon I can find it there as shown in below screen shot.
    2) I found in Tx BP there is only one BP Role as shown above but in CRM Web UI there are two BP Roles in the ROLEs assignment block.
    Could you please add your comments or solution for it.
    Thanks,
    Raja

  • Find Free Number Ranges of Customer and Vendor Accounts

    Hi,
    We have a requirement where we want to report to customer the free numbers present in customer and Vendor Accounts Groups.
    To solve this, I went through XKN1 and XDN1, where I go the current number for each Vendor and Customer Account Group.
    But the customer is having a strange requirement. They want to know, the free numbers available in these customer range.
    Please see the attached doc for the requirement and the solution which has been given.
    Please let me know, how to find the free numbers available in SAP system.
    Regards,
    Devdatth

    Hello Devdath,
    You can go to table KNA1. In the selection criteria, give the number range for each Account group and click on Number of entries.
    This will give you the number of customers created for that account group. SUbtract this number from the total number to get the Balance.
    Note: This is for the number ranges which are externally defined.
    For internally defined number ranges, you can simply go to XDN1 and get the balance.
    Similarly for Vendors, use table LFA1
    I hope this is what you needed.
    BR
    Amitash

  • BAI2 - Bank Account Numbers 10 characters

    We are having an issue with the bank account number on the BAI2 format being 10 characters while the accounts numbers on the customer master are larger than 10 (13). This is causing some the payments to be applied to the wrong account. For example on the bai2 structure the bank account number is 1234567890, but should be 1234567890123
    In the customer master the there could be a bank account number of 1234567890 and 1234567890123. When the lockbox program runs the cash is applied to customer of 1234567890 which is in correct.
    SAP has a note 136065 which could be a solution, but also is a change to standard. Has anyone applied this note? Is there another solution.
    Thanks for any help.

    Jyothsna,
    You need to extend Bank Account number length....even though 18 will be the max length..by default assignment of length will be different from country to country. So you need to extend the length of Bank a/c number in trasaction OY17.....select the country and change the bank a/c number length to 18 and Checking rule to 5 max value length.
    Mohan

  • Do you know if FF will be supporting the Secure Online Account numbers add-on from Discover Card in the future?

    I love FF but your new version doesn't support this credit card add-on, which I also love and use. I could downgrade but you won't be supporting the previous versions for long, according to your site info. Thank you, Ellen

    It's not up to Firefox to support add-ons, but rather for add-on developers to keep up with new versions of Firefox.
    This page -
    http://www.discovercard.com/customer-service/security/soan-download.html - says that add-on is compatible with Firefox 3, under System Requirements on that page, which indicates to me that either that support page hasn't been updated in a few years or that add-on hasn't been updated in a few years. Check with Discover support to see what the status of that Secure Online Account numbers program is, as far as Firefox compatibility goes. <br />
    Firefox 3 was released on June 17, 2008 - 3 years ago <br />
    Firefox 4 came out on 03-22-2011, and Firefox 5 is sue to be released this coming Tuesday June 21.

  • FI And CO Account Numbering

    Hi
    Can anyone please help with the standard numbering of FI and CO accounts. For example G/L accounts in the 7* range are balance sheet accounts in FI, etc. All CO and FI numbering standards will be appreciated
    Please also explain the relationship between CO and FI accounts; i.e. CO accounts (cost elements) that do not have a corresponding G/L account, and balance sheet accounts that do not have a corresponding CO account. How does FI and CO stay in balance if one or the other does not have a corresponding acccount
    Thanks

    Hi
    The Account numbers in FI are maitained for account groups that need to be maintained for classification of account , this is done through transaction OBD4.
    Similarly there are account group's for Customer and Vendor wherein you have to maintain the grouping and the number range.
    For the document numbers you need to maintain through transaction FBN1.
    In CO There are two types , one is primary cost element which is same as a Gl account only thing this will have only P&L accounts.
    For the secondary cost element it is externally numbered and can be alpha numeric , this is used for posting with CO only there is no corresponding posting in FI unlike a Primary cost element.
    The document numbers in CO are given through transaction KANK , this is done for business process in groups.
    Anand

  • Moved last month and now have 2 bills and 2 account numbers

    I moved on September 1.  We were still under our 2 year contract and stuck with Verizon for this reason and because we prefer it to comcast.  The installation and everything went smoothly.  However, the hardware return and billing has been nothing but a problem. 
    First, I checked the box where I said I would take my router with me when setting up my move.  They still asked for it back and I called and they couldn't fix it and said I could send it back and be without internet until I got a new one or they'd have to credit my account later.  I don't think I've been billed for this yet so this isn't the main issue now.
    THE BILL(s):  I now seem to have 2 separate account numbers and bills.  They are asking for 2 different amounts due on 2 different dates and I have no idea which one to pay.  None of this makes sense at all.  I thought I'd give it some time and it would be figured out after a month but it hasn't been.  I am an attorney and don't have time to sit on the phone with verizon all day. (and my staff has more important matters to tend to).
    Has anyone else had this problem?  I'm very frustrated by the moving process and don't think I will be doing it again if it's going to be this difficult.  I'm pay the fee to break the contract and take my business elsewhere.

    Hi cwdavisjr,
    Just a friendly reminder, this is a forum where users help other users. Have you contacted Verizon Support about the billing issue?  It looks like your issue may require a Verizon representative to review your account details. Please visit Contact Us, or our Support page for a variety of ways to contact Verizon, including “Ask Verizon,” our virtual chat agent, and customer support phone numbers.  Billing questions should be submitted during normal business hours.

  • How to get all open sales orders of a customer and also account group

    I want to know the logic to find all open sales orders of a customer and also account group

    Hi,
    You can check the status weather a Sales order is Open or not by checking its billing status form the following:
    Check table VBUK and VBUP for delivery status "LFSTK" and billing status "FKSTK".
    Rward points if helpful answer.
    Ashven

  • Creation of New Special GL Indicator for customer long term accounts

    Hi Experts,
    We have a GL account (GL111) created for Long term accounts. this is a reconciliation account for customer. However, we have another GL account (GL222) assigned to our customer group this account is being invoiced for some expenses. Because of this we cannot assing GL111 to customer master data.
    We need to post in the same customer expense and loans. How can we create a new special gl indicator that will allow the posting from GL222 to GL111?
    Any inputs are very much appreciated. Thank you very much.

    Hi,
         Creating Own Special G/L Transactions: Specify  (OBYR-T.CODE)
    -  The account type for which the special G/L indicator is to apply
    -  Posting keys (for outgoing and incoming debit and credit postings)
    -  How it is posted
    - Properties for each special G/L indicator (noted item, relevance for the credit limit check, Warning message for liabilities and target special G/L indicator)
    -  transaction type (bill of exchange, down payment etc.).
    EXP:Go to T.code: OBYR path: Financial Accounting (New)>Accounts Receivable and Accounts Payable>Business Transactions>Down Payment Made>Define Alternative Reconciliation Account for Down Payments click on Define Alternative Reconciliation Account for Down Payments and click on double click on K F Pmt req Down Payment Requests and click on Properties (F8) and tick the Noted items ,Target sp.G/L ind. AIMB1 and save .
    Regards
    Sridhar
    Edited by: sridhar.shetty on Feb 28, 2012 1:21 PM

  • Custom field in Account Partners Edit page

    Need to display a new custom field in Account Partners Edit page. We are not able to find the object definition of "Account Partners" which we can edit. Is option of adding a custom field in Account Partners Edit available in CRMOD? Will enabling "Partner Relationship Management" help in this regard?

    At this time it is not possible to add a custom field in the Account Partners Edit. I would recommend submitting a enhancement request to CRM On Demand customer care.

  • Alpha-numeric Bank Account numbers

    Hi,
    How do I capture Alpha-numberic Bank account numbers in a vendor bank details on tcode: XK02
    Please advise,
    Themba

    Hi,
    Why, is it stopping you?  Actually it shouldn't unless you have country specific checks activated in customising.
    To check, go into General Settings --> Set countries -->Set country specific checks.  For the vendor country, see which checking rule is active.  This node is in the IMG (in SPRO) right above enterprise structure (In ECC it is under the SAP Netweaver node).
    You may change the rule to 5, but do note that control for all vendors and house banks will be set to this.
    Cheers

  • G/L Account Numbers missing in the Query Designer

    Hi Experts
                   New G/L Account numbers are been added to some items like Rebates & Discounts. These G/L Account Numbers are been seen in the RSA1 and are not present in the Query Designer. So i want to know the procedure to update these G/L Account numbers in the Query Designer, Can you please help me.
    G/L Account Numbers in RSA1 = 718 and in Query Designer it is 661 so please guide me to update the rest of the G/L Account nos in the query designer.
    Thanking you
    Regards
    Mrudul.
    Edited by: Mrudul Naidu Cherukupalli on Feb 1, 2008 5:23 PM

    Yes, the problem is with the extractor
    It is not been enhanced because i am working on SAP BW 3.1C and its been implemented in 2004 and since then it is not been used properly.
    The Datasource is 0EC_PCA_3 (Enterprice Controlling line items).
    Yes i maximized to 1000 records per call and searched for the G/L Account E16411 which i cannot find in the cube.
    When i checked the results with R/3 i found the totals are doubled and when divided the Key figure Net of Credit and Debit by 2 i got the some results correctly(Sales Revenue, Sales Revenue of Exports and Sales Revenue of Domestic)
    I Checked the Service Marketplace and found the note which should be implemented to rectify the error of duplicating the records,
    Can you please help me to update the  G/L Accounts in the datasource.
    My Development System contains more then 2000 G/L accounts in the cube (query designer).
    Thanking you,
    Regards
    Mrudul.

  • How to Register a Custom Template for Accounts Payable

    How do I register a Custom Template for Accounts Payable?

    Found this thread on the forum: Registering Template in Oracle Applications
    Take a look to see if the thread helps..

Maybe you are looking for

  • Excel time stamp format mismatch

    Hello all,                                        I am writing time stamp into an excel file. Time stamp for time 2013 & 2012 appears different although format & method of writing is same in both the cases. In the attached file below. When time stamp

  • Turn a script into an .exe file?

    Hi, How can I turn a JavaScript into an .exe file (on Windows)? The advantage is that if the script uses only ScriptUI features, it will never need to launch InDesign. Additionally, it is possible to package it that way with a special icon that appea

  • Including external javascript and css files in servlet

    Hello, I am struggling to generate an HTML page from within a servlet using external javascript and css files. I am not sure how to point the servlet to the external files. Any code sample to accomplish the above will be much appreciated. Thanks inad

  • Why can't I send a code to reset my security questions but I have a rescue email address?

    Why can't I send a code to reset my security questions but I have a rescue email address?

  • High memory utilization after few days - ciscoworks LMS 4.0.1

    Hello, I have the problem that our ciscoworks server gets out of memory after few days. The memory utilization is always getting higher an higher (above 95%). Sometimes it is only after 3 days and sometimes it is after 1 week. So it happens not regul