Clearing of GL-ACC

Hi,
We carry out posting (health insurance contribution) on a GL-Account. This amount is to be paid over to the insurance company periodically and in the end the GL-account is cleared. Currently this clearing process gets done manually.
Can we automate this clearing process in order to prevent manual clearing?
Thanks and regards

Hi,
Use T-Code F.13, to set automatic clearing for your GL in the system
Use transaction code OB74, to define criterion for Automatic Clearing in SPRO.
Regards,
SAPFICO
Edited by: SAPFICO on Feb 11, 2011 3:11 PM

Similar Messages

  • Single-statement 'write consistency' on read committed?

    Please note that in the following I'm only concerned about single-statement read committed transactions. I do realize that for a multi-statement read committed transaction Oracle does not guarantee transaction set consistency without techniques like select for update or explicit hand-coded locking.
    According to the documentation Oracle guarantees 'statement-level transaction set consistency' for queries in read committed transactions. In many cases, Oracle also provides single-statement write consistency. However, when an update based on a consistent read tries to overwrite changes committed by other transactions after the statement started, it creates a write conflict. Oracle never reports write conflicts on read committed. Instead, it automatically handles them based on the new values for the target table columns referenced by the update.
    Let's consider a simple example. Again, I do realize that the following design might look strange or even sloppy, but the ability to produce a quality design when needed is not an issue here. I'm simply trying to understand the Oracle's behavior on write conflicts in a single-statement read committed transaction.
    A valid business case behind the example is rather common - a financial institution with two-stage funds transfer processing. First, you submit a transfer (put transfer amounts in the 'pending' column of the account) in case the whole financial transaction is in doubt. Second, after you got all the necessary confirmations you clear all the pending transfers making the corresponding account balance changes, resetting pending amount and marking the accounts cleared by setting the cleared date. Neither stage should leave the data in inconsistent state: sum (amount) for all rows should not change and the sum (pending) for all rows should always be 0 on either stage:
    Setup:
    create table accounts
    acc int primary key,
    amount int,
    pending int,
    cleared date
    Initially the table contains the following:
    ACC AMOUNT PENDING CLEARED
    1 10 -2
    2 0 2
    3 0 0 26-NOV-03
    So, there is a committed database state with a pending funds transfer of 2 dollars from acc 1 to acc 2. Let's submit another transfer of 1 dollar from acc 1 to acc 3 but do not commit it yet in SQL*Plus Session 1:
    update accounts
    set pending = pending - 1, cleared = null where acc = 1;
    update accounts
    set pending = pending + 1, cleared = null where acc = 3;
    ACC AMOUNT PENDING CLEARED
    1 10 -3
    2 0 2
    3 0 1
    And now let's clear all the pending transfers in SQL*Plus Session 2 in a single-statement read-committed transaction:
    update accounts
    set amount = amount + pending, pending = 0, cleared = sysdate
    where cleared is null;
    Session 2 naturally blocks. Now commit the transaction in session 1. Session 2 readily unblocks:
    ACC AMOUNT PENDING CLEARED
    1 7 0 26-NOV-03
    2 2 0 26-NOV-03
    3 0 1
    Here we go - the results produced by a single-statement transaction read committed transaction in session 2, are inconsistent � the second funds transfer has not completed in full. Session 2 should have produced the following instead:
    ACC AMOUNT PENDING CLEARED
    1 7 0 26-NOV-03
    2 2 0 26-NOV-03
    3 1 0 26-NOV-03
    Please note that we would have gotten the correct results if we ran the transactions in session 1 and session 2 serially. Please also note that no update has been lost. The type of isolation anomaly observed is usually referred to as a 'read skew', which is a variation of 'fuzzy read' a.k.a. 'non-repeatable read'.
    But if in the session 2 instead of:
    -- scenario 1
    update accounts
    set amount = amount + pending, pending = 0, cleared = sysdate
    where cleared is null;
    we issued:
    -- scenario 2
    update accounts
    set amount = amount + pending, pending = 0, cleared = sysdate
    where cleared is null and pending <> 0;
    or even:
    -- scenario 3
    update accounts
    set amount = amount + pending, pending = 0, cleared = sysdate
    where cleared is null and (pending * 0) = 0;
    We'd have gotten what we really wanted.
    I'm very well aware of the 'select for update' or serializable il solution for the problem. Also, I could present a working example for precisely the above scenario for a major database product, providing the results that I would consider to be correct. That is, the interleaving execution of the transactions has the same effect as if they completed serially. Naturally, no extra hand-coded locking techniques like select for update or explicit locking is involved.
    And now let's try to understand what just has happened. Playing around with similar trivial scenarios one could easily figure out that Oracle clearly employs different strategies when handling update conflicts based on the new values for the target table columns, referenced by the update. I have observed the following cases:
    A. The column values have not changed: Oracle simply resumes using the current version of the row. It's perfectly fine because the database view presented to the statement (and hence the final state of the database after the update) is no different from what would have been presented if there had been no conflict at all.
    B. The row (including the columns being updated) has changed, but the predicate columns haven't (see scenario 1): Oracle resumes using the current version of the row. Formally, this is acceptable too as the ANSI read committed by definition is prone to certain anomalies anyway (including the instance of a 'read skew' we've just observed) and leaving behind somewhat inconsistent data can be tolerated as long as the isolation level permits it. But please note - this is not a 'single-statement write consistent' behavior.
    C. Predicate columns have changed (see scenario 2 or 3): Oracle rolls back and then restarts the statement making it look as if it did present a consistent view of the database to the update statement indeed. However, what seems confusing is that sometimes Oracle restarts when it isn't necessary, e.g. when new values for predicate columns don't change the predicate itself (scenario 3). In fact, it's bit more complicated � I also observed restarts on some index column changes, triggers and constraints change things a bit too � but for the sake of simplicity let's no go there yet.
    And here come the questions, assuming that (B) is not a bug, but the expected behavior:
    1. Does anybody know why it's never been documented in detail when exactly Oracle restarts automatically on write conflicts once there are cases when it should restart but it won't? Many developers would hesitate to depend on the feature as long as it's not 'official'. Hence, the lack of the information makes it virtually useless for critical database applications and a careful app developer would be forced to use either serializable isolation level or hand-coded locking for a single-statement update transaction.
    If, on the other hand, it's been documented, could anybody please point me to the bit in the documentation that:
    a) Clearly states that Oracle might restart an update statement in a read committed transaction because otherwise it would produce inconsistent results.
    b) Unambiguously explains the circumstances when Oracle does restart.
    c) Gives clear and unambiguous guidelines on when Oracle doesn't restart and therefore when to use techniques like select for update or the serializable isolation level in a single-statement read committed transaction.
    2. Does anybody have a clue what was the motivation for this peculiar design choice of restarting for a certain subset of write conflicts only? What was so special about them? Since (B) is acceptable for read committed, then why Oracle bothers with automatic restarts in (C) at all?
    3. If, on the other hand, Oracle envisions the statement-level write consistency as an important advantage over other mainstream DBMSs as it clear from the handling of (C), does anybody have any idea why Oracle wouldn't fix (B) using well-known techniques and always produce consistent results?

    I intrigued that this posting has attracted so little interest. The behaviour described is not intuitive and seems to be undocumented in Oracle's manuals.
    Does the lack of response indicate:
    (1) Nobody thinks this is important
    (2) Everybody (except me) already knew this
    (3) Nobody understands the posting
    For the record, I think it is interesting. Having spent some time investigating this, I believe the described is correct, consistent and understandable. But I would be happier if Oracle documented in the Transaction sections of the Manual.
    Cheers, APC

  • Document splitting generate lines with alternative +/- signs-- GLT0002

    Hello Gurus,
    Can anybody please help in this case.
    The user is trying to clear the GL account by F-03,but is unable to go ahead as the error is given by the system.
    We are working on ECC 5.0 and with service pack 16 upgrade in place.
    The OSS note (note number 929482) is already been implemented.
    If this depends on some other settings in SAP than please share those settings .
    Please respond this is urgent.
    Definately Points are there , No doubt on that..
    Thanks in Advance

    Hi,
    Please Check the Following Steps for Document Splitting configuration
    1. Clasiffy GL AC for Doc Splitting here give GL Range and to which category they belong.
    2. Clasiffy Doc types with combination of Business Transaction Variant.
    3. Define Zero Balance clearing AC with Acc Key 000 Dr 40 and Cr 50 Posting Keys combination.
    4.Define Doc Splitting Charectaristics for GL as shown below
    Field                   Zero Balance            Partner Field               Mandatory Field
    Profit Center           Check                     PPRCTR                       Check
    Center                    Check                    PSEGMENT                 Check
    5. Activate Document Splitting
    In Extended Document Splitting
    6. Define Document Splitting Method
    7. Define Doc Splitting Rule with the combination of Item Category and Base Item category which is in turn assigned to ur Splitting method, Business Transaction.
    8. Assign Document Splitting Method
    9. Define Business Transction in combination of Accounting Transaction and Item Categories for such Business Transaction and make the fields as required /forbidded/only once based on the business transactions.
    Regards
    Balaji

  • Confusion about dmvpn debug message

    my friends h r you
    i have a big confusion please clear my confusion
    acc my i have 1 hub and three spoke router and i attach me    topology.
    so the confusion is
    i recieve a message
    Dec 19 17:41:54.363: ISAKMP:(0:1:SW:1):purging node 1972349893
    Dec 19 17:50:19.019: ISAKMP:(0:16:SW:1):purging node -447036947
    what it is mean please tell me
    and second problem is please tell me how can i understand it i mean what is mean of number with purging node as inlustrate
    ISAKMP:(0:16:SW:1):purging node -447036947

    cloaked wrote:
    Thanks for helping. I'm not the greatest PL/SQL developer, so how to use log_message isn't obvious to me.
    The procedure is 300+ lines long. I just wanted to know if it was getting to the LI128_IMPORT line, which is inside a CASE statement. Here's a snippet of the code where I put the log_message. (log_message is on line 201)
    WHEN 'LI128_IMPORT'
    apex_debug_message.log_message('made it to import section') ;
    THEN
    l_ddl   :=
    Here is the error...
    ERROR line 201, col 13, ending_line 201, ending_col 30, Found 'apex_debug_message', Expecting: THEN -or- OR -or- AND -or- BETWEEN IN LIKE LIKE2 LIKE4 LIKEC MEMBER SUBMULTISET -or- -or- ! != < <= <> = > >= ^ ^= IS NOT -or- + - || -or- * / MOD REMAINDER -or- ** -or- ( (+) AT DAY MULTISET YEARNothing freaky about <tt>apex_debug_message</tt>, just your garden variety syntax error.
    As it says in the error message "Expecting: THEN":
    WHEN 'LI128_IMPORT'
    THEN
      apex_debug_message.log_message('made it to import section') ;
      l_ddl   := ...

  • Bank clearing acc

    hi,
    may i know why need to use bank clearing account instead of directly charge to bank account? for example when receive vendor payment, DR bank clearing CR vendor. what happen to bank account?
    how's the double entry to update to bank account? later cr bank clearing and dr bank acc?
    thanks

    Hi Eliana,
    The reason why Bank Clearing Account is used is as follows.
    1. When you received cash from various Customers, this can be paid directly to your bank account. In this instance, you would not require a bank clearing account.
    2. When you received Cheques from various Customers, these takes a few days to clear before the cheques become cash. Therefore, you pay this into your Bank Clearing account. Once value has been received, you can then
    Dr Bank a/c and
    Cr Bank Clearing a/c.
    However, if the cheque is returned unpaid for whatever reason, what you do in this instance is to
    Dr Customer a/c and
    Cr Bank Clearing a/c
    3. In the same vein, when you issue Cheques to your various Vendors for payment of Goods/Services delivered to you, the money does not leave your bank account immediately. You record the transaction by
    Dr Vendor a/c and
    Cr Bank Clearing a/c 
    Once the Cheque is presented to your bank and it is paid, the money would leave your account. At this point, you
    Dr Bank Clearing a/c and
    Cr Bank a/c.
    Practically speaking, at any point in time, your Bank account is showing your <b>true cash position</b> whilst your bank clearing account allow you to see "<b>Unpresented Cheques</b>" and "<b>Uncleared Cheques</b>". It minimises the effort required for Bank Reconciliation at the end of every month.
    I hope the above helps to clarify any grey area.
    Do not forget to award the point please.
    Regards,
    Jacob

  • When i try to use hulu acc.i keep getting the same message / sorry we are unable to load the player please check your internet connection clear your browser cache and try again. i thought i did it right .

    Question
    when i try to use hulu acc.i keep getting the same message / sorry we are unable to load the player please check your internet connection clear your browser cache and

    I found a solution! (at least, for my platform; Windows XP Home SP3, Firefox 4.0.1) =) Go to http://labs.adobe.com and download the Release Candidate 1 version of Adobe Flash 10.3.181.5. I swear, the Second I installed this, it worked INSTANTLY xD. Best of luck to you! (and anyone else who sees this =)
    -Erik P.

  • I have lost my iphone4 and i guess the theft have already clear up the data include my mails and so on. what can i do? i use the iphone only 2months and i dont have any icloud or mobileme acc. how apple can help me?

    i have lost my iphone4 and i guess the theft have already clear up the data include my mails and so on. what can i do? i use the iphone only 2months and i dont have any icloud or mobileme acc. how apple can help me?

    Apple can't/won't help you:
    Reporting a lost or stolen Apple product - http://support.apple.com/kb/ht2526 - "... Apple does not have a process to track or flag lost or stolen product..."
    Texas Mac Man links on lost/stolen i-devices - https://discussions.apple.com/message/18781718
    Contact the police about the theft.  Change passwords on any accounts used with the device.  Contact the carrier about discontinuing service and possibly blocking future contracts with the phone.  Shop for a new phone.

  • GR/IR clearing acc for services

    Dear Experts,
    i need to assign seperate G/L account for GR/IR clearing account(WRX) for services how can i do this.
    Regards
    prakash

    The valuation class from the service master is not used for the GR/IR  clearing account determination (Transaction WRX) when posting the  external services management. Instead, valuation class ' ' is  assumed.Thus, the same account is found as if you make a posting for a   purchase order with material number 0.
    userexit EXIT_SAPLKONT_011 is available which you can use to set  the account grouping code for transaction/event WRX in relation to   the characteristics of the purchase order. Thus the determination of the GR/IR account can be controlled separately for material andservice orders via the user exit.

  • PO Number has not displayed in FBL3N (GR/IR Clearing Acc)

    Hi All,
    As mentioned in the subject of this mail, I could not find the Purchase Doc. (PO Number) at the GL Line Items Display for the GR/IR Clearing account (transaction code FBL3N). But I have seen that there is a column found in the report (Purchase Doc.) but no values.
    Pls help to let me know if anything needs to be config to get PO number.
    Thank you
    Chandu

    Hi dear,
    You have to run two programs through SE38.
    For FBL3N
    RFPOSXEXTEND (After that we have to check that U_ is prefixed with special field in structure RFPOSXEXT.)
    For FAGLL03
    Call transaction SE37, enter the function module ITEM_STRUC_EXTENSION and execute it with the following parameters:
    BASIC_STRUCNAME                 FAGLPOSY
    EXT_STRUCNAME                  FAGLPOSYEXT
    EXT_FIELDS_TABNAME              T021S
    I_LSTCL                         D
    X_TRANSPORT                     ' '
    After you have executed the function module, the structure should be regenerated correctly.
    The below programs is common for both FBL3N & FAGLL03
    RFXPRA33
    For buffer use can use report BALVBUFDEL after consulting SAP note 215798
    Give a try and revert for any clarification.
    Regards

  • F-03 Acc.Clear with Purchasing Doc. line item variant

    Dear All,
    I like to ask about T.Code F-03 Clear G/L Account
    Execute the report with specific accounting document number, and process the open item
    after the report shows list of open item for the specific document, I choose line item variant "Purchasing Document"
    and it goes blank, no purchasing document appear there, though the accounting document does have information for purchasing document number.
    Have no idea for this problem
    please help
    thank you
    rgds,
    Dicky

    Hi Dicky,
    In order to use the fields in F-03, these fields must exist in BSIS (secondary index for GL line items). As EBELN or EBELP aren´t in BSIS the data is not shown at
    F-03 as you mentioned.
    You can add this field into BSIS, but please note that additing this field to BSIS is considered a modification.
    Please chcek note 493238 which describes how to make this modification. Please be aware that if any assistance required to implement this note must be carried out with a consulting resource.
    Additionally please check the note 62435.
    Please assign points if it useful.
    Regards
    Ravinagh Boni

  • Transfer payment entries from cash desk clearing Acc to Bank clearing Acc.

    Hi experts,
    Can some one tell as how, in the in payments, the transfer of Payment entries from cash desk clearing account to Bank clearing account in ISU is done?
    Thanks in advance.
    Regards,
    Irshad Khan.

    Hi Irshad?
    I'm not sure about your question. Are you talking about Transfer postings in FICA or EBS in FI/CO?
    Pls be more clear.
    Rgds
    Rajendra

  • Cenvat Clearing acc posting

    Hello Experts
                         I have three excise divisions and GL determination is by warehouse.Each division has its own incoming/outgoing Cenvat clearing account. But while doing sales ( of Division A) the excise amount is posted in Outgoing Cenvat Clearing account of Division B  (Which i have mapped in GL determination->General tab) instead of same outgoing cenvat clearing account of Division A to which amount was  posted while saving outgoing excise invoice.Why this is happening?
    Regards
    Manoj

    I have three excise divisions and GL determination is by warehouse
    Dear Brother
    How did you map in SAP like each branch is treated as warehouse am i right?
    If i am right you have to map the cenvat clearing account each warehouse separately,  then it will post based on the warehouse which you selected in the document.
    Actually GL account determination is only for default,  it will not control your postings. The postings based on warehouse or item group wise only.
    regards

  • I can go to every other website except for facebook even if i use other browsers all i can see is 404 Not found or HTTP 500 Error since yesterday I tried reinstalling clearing history and cookies enabling them make sure that my firewall permits me to acce

    I can go to every other website except for facebook. I try every other browser in my computer but the only thing I can see is HTTP 500 error and 404 Not Found. I tried clearing cache history and cookies, enabling cookies, checking my modem, make sure my firewall permits me to access this web and even pt 's' in front of 'http' but it still dosent work. I can go to facebook with my dad's laptop and my handphone but not with this computer, why?
    == URL of affected sites ==
    http://www.facebook.com

    Problem Resolved!
              I found out that I had 'http' instead of 'httpd' in the statement where I
              registered my servlet, SqlServlet.
              Now, I am having difficulty with hot deployment. The server is returning
              error 404.
              

  • Not able to view clearing acc column in FBZP bank determination

    Hi Gurus
    I am able to view 'clearing account' column in fbzp - Bank determination - Company code A - Bank accounts
    But I am not able to see this column 'clearing account' for a different company code B. Can anyone please let me know, how I can make this column appear for company code B, so that i can enter a clearing account.
    Thx
    Princeoflight

    Hello,
    There is no config. that show the clearing account. It is a standard screen. Probably you need to scroll further.
    Regards,
    Ravi

  • GRNI G/L Acc not automatically clearing (reconciling)

    Hi Everyone
    My GRNI account is continuing to build up and build up transactions without automatically reconciling itself.
    (I.e.: the Credit posted from the GR PO is not automatically reconciling with the Debit posted from the AP Invoice.)
    What could be the reasons for this?
    Is there a tick box I’m missing somewhere perhaps?
    I found this thread http://scn.sap.com/thread/1575608 which has a similar issue but the solutions are inconclusive.
    To try and cover what I done so far:
    My G/L Account Determination Allocation Account is posting to my GRNI Account, this is both at the main level and at the warehouse level as set by my Item. The warehouse has been ticked as Nettable.
    I have done an Internal Reconciliation to manually reconcile the all Debits and Credits in the GRNI account so I’m left with just the open items (or GRPO’s where there is no Vendor/Supplier Invoice received yet)
    I have run the SQL query from the thread above which pointed me to two JE entries which I’ve also manually reconciled.
    My SAP Version is 8.81 PL:08
    One possible solution offered in the thread is “You need to check the links between GRPO and AP Invoices.  Some links must be wrong or broken.”  - Does this mean the base and target document links in both the document row tables could be incorrect?
    Any further help will be gladly received.
    Thanks
    Hayden

    Hi,
    Goods Received Not Invoiced is the account balancing Stock on the Goods Receipt PO document. In SAP Business One this is referred to as 'Allocation Account' in Ware House and Item Group accounts definitions.
    Goods Receipt PO:
    Debit  - Stock
    Credit - Goods Received Not Invoiced
    AP Invoice based on Goods Receipt PO:
    Debit  - Goods Received Not Invoiced
    Credit - Supplier
    The account will also be used in similar way when posting Goods Returns and when either closing this manually or basing an AP credit on the return.
    Rule:
    If there are no open Goods Receipt POs/Goods Returns in the system this account should have a balance of zero.
    Hope it helps.
    With Regards
    Balaji

Maybe you are looking for