Mid year golive, regular schema is not calculating anualgross for 12 month

HI
its mid year golive payroll , we uploaded april- sept old result. then run inlk schema.
after that when i run  regular payroll system is not taking previous 6 moth salary for annual gross. semilarly system is not considering last 6 month for exemption also
i have uploded /130 tech wagetype also for old result but still its not working.
its calculating everything from oct - march .
please help

Hello Suprita,
I hope your query is on India payroll, if it is so then kindly raise your query in ERP HCM forum, this forum is specific to Payroll North America.
With Regards,
S.Karthik

Similar Messages

  • Income tax Changes for Mid year Golive

    Gurus
         For Income Tax reconciliation with legacy i have used  PCR INVT and changed to ZNVT. 
    It is working perfectly in two scenarios
    1. Adding a Amount(MVT0) to existing Tax Amount  in /460
    2. Repaacing existing tax amount of /460 through (MVT1)
    But our Client want to nullify the tax (i.e what ever the tax amount appearing in SAP without changing any Income, Gross, taxable income) they want to nullyfy the /460.
    Kindly let me know how to manage this scenario on Case to case basis. (When i try to replace amount through WT 8VT1-Copy of MVT1  in It0015 , WT is not accepting 0 As value)

    Are you trying to run payroll from april and match it in the system? in that case if employee has no tax deducted in the legacy system it would be highly difficult to match. It will be easier to go with mid-year go-live schema INLK.
    Consequently you can update the wagetype with a value lesser than Rs 1.
    Raghu

  • List AD accounts that have not been used for months?

    Hello,
    I use oldcmp.exe to show me what computers have not been used for months and I can disable them, but I wish to do the same for users Active Directory accounts, is this possible?
    We use AD 2003
    Thanks

    sorry for slightly belated reply. I've used another version of this script that doesn't have the GUI interface on it, this will make it easier for you to run from a scheduled task.
    copy the code and make the relevant changes to the top section of the script as the comments explain. This will send and email with a link to the report generated.
    #Script designed to search AD for inactive user accounts, mark them as inactive and move them to a specific OU then disable them
    #Script can be run in the following formats
    # 1. Report only
    # 2. Report and move account
    # 3. Report, move and disable
    #Uses quest powershell tools which can be downloaded from http://www.quest.com/powershell/activeroles-server.aspx
    #Version 2.0
    #Added email functionality
    #Denis Cooper
    #Setup script Variables
    #Change the setting from True to false to alter the way the script runs (only one option can be true)
    $ReportOnly = "True" #Generates a CSV file showing all inactive user accounts
    $ReportandMove = "False" #Generates a CSV report, moves the users to a specific OU
    $ReportMoveDisable = "False" #Generates a CSV report, moves the users to specific OU, and sets the description
    #Set the period of inactivity in days
    $InactiveFor = "90"
    #Specify the OU to search for inactive users - us AD CN if searching enire AD
    $SourceOU = "OU=Users,DC=MyDomain,DC=Int"
    #Specify the destination OU to move inactive users to is using report and move or report move disable script options
    $DestinationOU = "OU=Inactive Users,DC=MyDomain,DC=Int"
    #Don't mark anyone with the the specified prefix in the description field to inactive - DND stands for Do Not Disable and is specified
    #in the users account description field for accounts which may not be used to login so will show as inactive but that you don't want to disable
    #must leave the * after the word for wildcard matching
    $DescriptionPrefix = "DND*"
    #Specify the description to set in the computer account on ReportMoveDisable option
    $Description = "Account disabled due to inactivity on $Today"
    #Specify the path to create the csv file (make sure the folder exists)
    $ReportFile = "\\server\share\InactiveUsersReport.csv"
    #Get todays date and store it in the $today variable
    $Today = Get-Date
    #Email Settings
    $SMTPServer = "smtp-server-name" #replace this with your internal smtp server
    $FromAddress = "[email protected]" #replace this with your from address
    $ToAddress = "[email protected]" #replace this with your TO address
    $CCAddress = "[email protected]" #replace this with your TO address
    $Subject = "This is your subject line" #replace this with the subject line for the email
    $MessageContent = "
    Hello,
    Please find a link to the latest report containing users that have been inactive for $inactivefor days
    $ReportFile
    Please take the appropriate action.
    Thanks you,
    IT
    #NO CHANGES BELOW THIS LINE
    Function SendEmail {
    $messageParameters = @{
    Subject = $subject
    Body = $messagecontent
    From = $fromaddress
    TO = $ToAddress
    CC = $CCAddress
    SmtpServer = $SMTPServer
    Send-MailMessage @messageParameters
    #Generates a report showing inactive users
    Function ReportOnly {
    $inactiveUsers | Export-Csv $ReportFile
    $count = $inactiveUsers.Count
    Write-Host -ForegroundColor White "$count inactive users were found and are being processed"
    SendEmail
    Invoke-Item $ReportFile
    #Generates report and moves accounts to desitnation OU
    Function ReportandMove {
    $inactiveUsers | Export-Csv $ReportFile
    $count = $inactiveUsers.Count
    Write-Host -ForegroundColor White "$count inactive users were found and are being processed"
    Invoke-Item $ReportFile
    $inactiveUsers | foreach {
    Move-QADObject $_ -NewParentContainer $DestinationOU
    #Generates report, moves accounts to destination OU, disables the account and sets the description
    Function ReportMoveDisable {
    $inactiveUsers | Export-Csv $ReportFile
    $count = $inactiveUsers.Count
    Write-Host -ForegroundColor White "$count inactive users were found and are being processed"
    Invoke-Item $ReportFile
    $inactiveUsers | foreach {
    Disable-QADUser $_
    Set-QADUser $_ -Description $Description
    Move-QADObject $_ -NewParentContainer $DestinationOU
    #Runs the script
    #Finds all inactive user accounts which are in an enabled state and store them in the variable $inactiveusers
    $inactiveUsers = Get-QADUser -SizeLimit 0 -SearchRoot $sourceOu -NotLoggedOnFor $InactiveFor -Enabled | Where-Object {$_.description -notlike $DescriptionPrefix}
    #Checks which script to run
    If (($ReportONly -eq "True") -and ($ReportandMove -eq "True" -or $ReportMoveDisable -eq "True")) {
    Write-Host -ForegroundColor RED "Only one run condition is allowed, please set only one run value to True and the others to false"
    Break
    If ($ReportONly -ne "True" -and $ReportandMove -ne "True" -and $ReportMoveDisable -ne "True") {
    Write-Host -ForegroundColor RED "No valid run condition was specified, please set only one run value to True and the others to false"
    Break
    If ($ReportONly -eq "True") {
    Write-Host -Foregroundcolor Green "Script running in report only mode."
    Write-Host -Foregroundcolor Green "Checking for accounts inactive for $inactivefor days in the OU $SourceOU"
    Write-Host -Foregroundcolor Green "The report will open automatically once complete, or you can find it here $ReportFile"
    ReportOnly
    If ($ReportandMove -eq "True") {
    Write-Host -Foregroundcolor Green "Script running in report and move mode."
    Write-Host -Foregroundcolor Green "Checking for accounts inactive for $inactivefor days in the OU $SourceOU"
    Write-Host -Foregroundcolor Green "The report will open automatically once complete, or you can find it here $ReportFile"
    Write-Host -ForegroundColor Green "Any inactive accounts will be moved to this OU $destinationOU"
    ReportAndMove
    If ($ReportMoveDisable -eq "True") {
    Write-Host -Foregroundcolor Green "Script running in report, move and disable mode."
    Write-Host -Foregroundcolor Green "Checking for accounts inactive for $inactivefor days in the OU $SourceOU"
    Write-Host -Foregroundcolor Green "The report will open automatically once complete, or you can find it here $ReportFile"
    Write-Host -ForegroundColor Green "Any inactive accounts will be moved to this OU $destinationOU and disabled and their description updated"
    ReportMoveDisable
    This link should help you create a scheduled task to run the script
    http://dmitrysotnikov.wordpress.com/2011/02/03/how-to-schedule-a-powershell-script/
    Regards,
    Denis Cooper
    MCITP EA - MCT
    Help keep the forums tidy, if this has helped please mark it as an answer
    My Blog
    LinkedIn:

  • Should I unplug my AE when not using it for months at a time?

    should I unplug my AE when not using it for months at a time?

    Yes, in my opinion.....unless you really like to have a green light "on" all the time.

  • System not calculating depreciation for assets

    The system is not calculating any depreciation or even showing planned depreciation values under asset explorer.
    Problem is in QAS client checked configuration and all settings are fine and in test client all is fine system is calculating depreciation. Please help thank you

    Hi, check in AW01N in Posted values tab when last depr was posted and when next planed.
    May be acquisition was in the next period from period in which you're trying to post depr. Or may be the case in Period control method, I mean that depr'd  be calculated quarterly

  • Loading date Not calculating Properly for Standard Order.

    Hi Gurus,
    I am facing issues in "OR" order type sales order where Loading date is not getting calculated correctly.
    On discussion with the client it was clear that they tried to schedule the Order manually for couple of times.
    But as much I believe Loading date should automatically be determined in SAP based on scheduling date.
    can any one tell me if there is any OSS note available for this or do we have any alternate solution for this case.
    Early reply Appreciated...
    Thanks in Advance!!!!!!
    Best Regards,

    Hi All,
    Any one who has faced this type of issue.

  • AED not calculated properly for imported capital Goods

    Dear All,
                 I am facing one error while capturing Excise Invoice for Imported capital goods .While performing this AED set off reflecting is 100% which is supposed to be 50%.For raw material its calculation is correct .Any solutions.                                                                               
    Thanks.

    Hi
    check following link
    [http://www.sdn.sap.com/irj/scn/go/portal/prtroot/docs/library/uuid/808c60ca-013b-2c10-34a2-94d1eb442e6f?QuickLink=index&overridelayout=true]
    Regards
    kailas ugale

  • System Not Calculating Taxes for Slab-Men.

    Hi,
    Before Applying the note i created entry for men in T7INT1, although system created a work bench request but the entry for MEN was not reflecting in T7INT1, i am not able to locate it, now the Note is applied & the entries are present.but i want to delete the manually created entry.
    SL23 Income tax rates for men 01.04.2011 31.12.9999
    I believe system is not able to read the slab properly as there are 2 slabs with same charectristics.i want to delete the manully created entry, where can i locate it as it is not present in T7INT1.

    Hi
    Please update the SAP HR Patch level instead of changeing manually.
    This will reflecting in T7INT1.
    Thanks & Regards
    Vikram

  • Schema Trigger not firing except for the schema's user

    Hi. I've created this schema level trigger. The schema is TTMS and the user I created the trigger with is named TTMS. The trigger is designed to alert me by email when someone alters a schema object.
    My problem is that the trigger only fires when I'm logged in as the schema owner (TTMS). When I'm logged in as TTMS and add a column to a table in this schema I get the email alert as expected. But if I log in as my own individual username (SSBUECHL) the trigger doesn't fire.
    Is there a privilege that the TTMS user needs to grant to my user so that this trigger will fire when I'm logged in as SSBUECHL? Any help would be greatly appreciated.
    CREATE OR REPLACE TRIGGER TTMS.altered_ttms_tabs_trigger
    AFTER ALTER ON ttms.SCHEMA
    DECLARE
      PSENDER VARCHAR2(200);
      PRECIPIENT VARCHAR2(200);
      P_CC_RECIPIENT VARCHAR2(200);
      P_BCC_RECIPIENT VARCHAR2(200);
      PSUBJECT VARCHAR2(200);
      PMESSAGE VARCHAR2(6000);
      auditTable_ind varchar2(1);
      BEGIN
        select nvl(count(table_name),0)
        into auditTable_ind
        from all_triggers
        where substr(trigger_name,1,9) = upper('tr_audit#')
        and table_name=ora_dict_obj_name;
        if auditTable_ind > 0 then
          INSERT INTO altered_tabs
          VALUES
          (ora_dict_obj_type, ora_dict_obj_name, SYSDATE, user);
          PSENDER := '[email protected]';
          PRECIPIENT := '[email protected]';
          P_CC_RECIPIENT := '[email protected]';
          P_BCC_RECIPIENT := '[email protected]';
          PSUBJECT := 'TTMS Audit - Altered Audit Table Alert - Action Required';
          PMESSAGE := ora_dict_obj_name||' was altered on '||sysdate||' by '||user||'.  Please rebuild the audit index immediately.';
          TTMS.SEND_MAIL ( PSENDER, PRECIPIENT, P_CC_RECIPIENT, P_BCC_RECIPIENT, PSUBJECT, PMESSAGE );
        end if;
      END;
    /

    No, but I've alter the code as such and it still only fires for the TTMS user:
    CREATE OR REPLACE TRIGGER TTMS.altered_ttms_tabs_trigger
    AFTER ALTER ON ttms.SCHEMA
    DECLARE
      PSENDER VARCHAR2(200);
      PRECIPIENT VARCHAR2(200);
      P_CC_RECIPIENT VARCHAR2(200);
      P_BCC_RECIPIENT VARCHAR2(200);
      PSUBJECT VARCHAR2(200);
      PMESSAGE VARCHAR2(6000);
      auditTable_ind varchar2(1);
      BEGIN
        select nvl(count(table_name),0)
        into auditTable_ind
        from all_triggers
        where substr(trigger_name,1,9) = upper('tr_audit#')
        and table_name=ora_dict_obj_name;
        if auditTable_ind > 0 then
    */      INSERT INTO altered_tabs
          VALUES
          (ora_dict_obj_type, ora_dict_obj_name, SYSDATE, user);
          PSENDER := '[email protected]';
          PRECIPIENT := '[email protected]';
          P_CC_RECIPIENT := '[email protected]';
          P_BCC_RECIPIENT := '[email protected]';
          PSUBJECT := 'TTMS Audit - Altered Audit Table Alert - Action Required';
          PMESSAGE := ora_dict_obj_name||' was altered on '||sysdate||' by '||user||'.  Please rebuild the audit index immediately.';
          TTMS.SEND_MAIL ( PSENDER, PRECIPIENT, P_CC_RECIPIENT, P_BCC_RECIPIENT, PSUBJECT, PMESSAGE );
    --   end if;
      END;
    /Edited by: sharpe on Jun 9, 2011 3:39 PM

  • I want to store my ibook.  Can I take out the battery and simply not use it for months?

    Just bought a new imac and want to mothball the laptop.  Can I simply remove the battery and not use it?
    Do I have to recharge the battery every few months?
    Can't see the point in leaving it plugged in as its not being used, yet in case I need it as a back up would like to keep it.
    Any comments on proper procedure?
    thanks.

    From Apple:
    Storing Your MacBook Pro
    If you are going to store your MacBook Pro for an extended period of time, keep it in a cool location (ideally, 22° C or about 71° F) and do one of the following to preserve your MacBook Pro battery life:
    Discharge the battery 50 percent before storing your MacBook Pro.
    When storing your computer for longer than five months, discharge the battery to approximately 50 percent and then remove it from the MacBook Pro. If you are storing your computer for an extended period, recharge your battery to 50 percent every six months or so.

  • Updates not been run for months

    First, I'd say make sure WSUS is still syncing with MS, and then download and enable my script.http://community.spiceworks.com/scripts/show/2998-adamj-wsus-cleanupAdjust this variable to today's date (21)
    [int]$AdamjDeclineSuperseededUpdatesWhatDayToRun = '1'Run the script and change it back to 1.This will start you off with the best possible (and least number) of updates you need to approve. Then do them 10 a day (after reading what they do).
    Inside of Options, go to Automatic Approvalssee what's in there. you can set it up to "When an update is in critical updates, security updates""approve the update for all computers"enable that, and modify it how you want.

    Ok,I started this job about a month ago, I discovered a WSUS server a little while ago and have just managed to get some time to have a bit of a closer look at it- I can't say I'm overly chuffed with what I've discovered - no updates have been approved since the end of Feb, some of the machines are in need of hundreds of updates. I've confirmed this by looking on a couple of client machines which haven't been updated since end of Feb. I've also got some updates from Mid 2014 that haven't been approved - no idea if these weren't approved for a reason by the last guy.I don't really want to approve them all now - don't think I'm going to be too popular when people close down their computers at the end of the day and they have to wait for a couple hundred updates to install.Any advice as to how best approach this and get these machines up...
    This topic first appeared in the Spiceworks Community

  • Mid year go live issue

    Hi
    its mid year go live i uploaded april to nov. legacy payroll, then run inlk schema . then set the  with each month payroll with releasing and exiting the controll record. then i run December month payroll  with regular schema . now system is not calculating
    annual gross and annual regular income for 12 month, in log tree  for tax calculation.
    it calculating for dec. to march 4 month as annual salary . with is much amount its calculating all tax declaration, so tax calculation is coming wrong.
    exemption /130  tech wage type also its ignoring last 9 month . its calculating from December only.
    help me to solve this issue.
    suprita

    Hello Suprita
    Kindly refer to the notes which would assist you further in your query.
    Please check if you have carried out the changes as required for mid-year golive as per the notes.
    506128: Legacy data transfer
    590725: Documentation for rules in INLK Schema
    563491: Legacy data transfer - FAQ-
    Thanks and Kind Regards
    Ramana

  • Mid Year Go Live

    Hi Experts,
    1. How to upload T558b and 558c. and do we need to do any changes in INLK schema or not if you can explain with examples (Configuration steps)  ??How to run INLK Schema? eg. what should be the period?
    2. In sandbox if I run the payroll and  can I delete and run the payresults after that i want to run the T558b and 558c table...
    3. How to do the configuration for Loan type if for one month I want to enter manually and at the same type if need to be done automatically for diffrent set of employees ?
    4. How to assign different costcenter for one employee with different cost distribution other than 0027 .....1018 in OM .....and which report need torun? Want to see the percentage with different % if i runhe report.
    Thanks
    Ritika K

    How to upload T558b and 558c. and do we need to do any changes in INLK schema or not if you can explain with examples (Configuration steps) ??How to run INLK Schema? eg. what should be the period?
    upload the data by bdc or insert program. run payroll like regular here you have to choose schema INLK.
    2. In sandbox if I run the payroll and can I delete and run the payresults after that i want to run the T558b and 558c table...
    first you upload the data in table T558b and 558c. run mid year golive payroll by chossing schema inlk. once payroll is run. every thing is write. check the PC)payresult.later you can delete the value from the table t558b and t558c.
    once you run the regular payroll you cannot run payroll through INLK schema.

  • Mid Year Go Live - Process & Steps

    Hello,
    We have an Implementation project which is going live in November 1st (Mid Year Go Live)
    I have never done Mid Year Golive before. Can anyone let me know the steps on what to do for Mid Year Golive.
    Thanks in advance..
    Cheers
    Vijay

    Hi,
    The concept of mid year go live will be used mainly for the purpose to get the all statutory reports from SAP like form 16,form 3a,6a etc.
    In order to get these thing we need to have payroll results should be there in the system.So we need to upload the legacy payroll results in to SAP.
    For mid year go live follow these steps
    1.Study this following OSS note : 506128
    2.Down load HR payroll.xls template from service market place
    3.Fill the data in excel file
    4.Upload that into SAP through program HINUULK0
    5.It will update the tables T588B & T588C
    6.Then run the payroll driver with INLK schema
    7.It will convert the data into payroll results.
    cheers
    ramesh

  • Mid-year Go-live query

    Hi All,
    I have a doubt related to mid-year go-live...
    Is it necessary to do mid year go live activity (for India payroll) or can we go live without mid year activity?
    Regards,
    Prasad Lad

    Hi Sikindar ,
    Thanks for the reply.
    The client will be taking the form 16 outside the system for this year & they want the History Master data for all the employees to be stored in the system. Its a problem coz its too much of HR master data....
    Even i was thinking to maintain the 2 tables & run INLK, however while doing that need to check which all wagetypes needs to be taken into consideration.
    Is there any way where i can tell the client that it is not possible to maintain the history data in the system ???
    Regards,
    Prasad Lad

Maybe you are looking for

  • "Media Files" Can't be found!

    I have been organizing footage onto a hard-drive (that is formatted for mac), and recently when I tried to open a project, one clip that I captured didn't work and gave me an error message saying: "Searching for Movie Data..." And then another window

  • IIS (proxy) plug-in and gif images

    I was wondering if anyone has run into the problem of not having the linked images load/show up that within a jsp going thru the iis proxy plug-in setup?           

  • Can a create a fillable document in Pages?

    How can I lock certain text in a document (such as a question), and still be able the forward it to other people to fill in the answers?

  • Merge even and odd pages

    My printer won't do duplex scan, and I need to scan a large amount of 2-sided text. So I'm going to create one document of the odd-numbered pages, and another of the even-numbered pages. I know I can manually combine them into the right order, but I'

  • How to find my windows office 2007 product key?

    Well,i think it can bring you some help: ''URL removed by a moderator - eh''