Watch Demo×
×

See NinjaOne in action!

By submitting this form, I accept NinjaOne's privacy policy.

Mastering Scheduled Tasks in Windows with PowerShell: A Guide for IT Professionals

Key takeaways

  • PowerShell efficiency: The script showcases the efficiency of PowerShell in managing scheduled tasks on Windows systems.
  • Enhanced task management: Offers detailed insights into scheduled tasks, surpassing traditional GUI methods.
  • Flexible parameters: Includes options to filter tasks by Microsoft origin and disabled status.
  • Administrative access requirement: Requires running with administrative privileges for full functionality.
  • Customizable output: Provides options to output task information to the host or save to a custom field.
  • Security and compliance: Assists in auditing tasks for security and compliance purposes.
  • Automated reporting: Simplifies the process of generating reports on scheduled tasks.
  • NinjaOne integration: Highlights the script’s compatibility and enhanced functionality with NinjaOne’s IT management tools.
  • Broad compatibility: Compatible with Windows 10 and Windows Server 2012 R2 and later versions.
  • Best practices: Emphasizes the importance of regular audits and careful management of output data for security.

Effectively managing scheduled tasks in Windows is a critical aspect of system administration, offering a window into the automated tasks that keep IT infrastructure running smoothly. PowerShell, a powerful scripting tool, plays a pivotal role in this domain, providing flexibility and depth that surpasses traditional GUI-based approaches.

Background

This PowerShell script is designed for IT professionals and Managed Service Providers (MSPs) who require an efficient way to retrieve and manage scheduled tasks on Windows systems. The ability to list, analyze, and optionally modify scheduled tasks is crucial for maintaining system health, security, and performance. This script addresses these needs by offering a detailed overview of scheduled tasks, with options to include or exclude tasks based on specific criteria.

The script:

<#
.SYNOPSIS
    Retrieves a list of scheduled tasks and outputs the list into the activity log. This list can optionally be saved to a Custom Field.
.DESCRIPTION
    Retrieves a list of scheduled tasks and outputs the list into the activity log. This list can optionally be saved to a Custom Field.
.EXAMPLE
    (No Parameters)
    
    Scheduled Task(s) Found!

    TaskName                          TaskPath  State
    --------                          --------  -----
    Firefox Background Update 3080... \Mozilla\ Ready

PARAMETER: -IncludeMicrosoft
    Includes Scheduled Tasks created by Microsoft in the report.

PARAMETER: -IncludeDisabled
    Includes Scheduled Tasks that are currently disabled in the report.

PARAMETER: -CustomFieldName "ReplaceMeWithAnyMultilineCustomField"
    Name of a multiline custom field to save the results to. This is optional; results will also output to the activity log.

.OUTPUTS
    None
.NOTES
    Minimum OS Architecture Supported: Windows 10, Windows Server 2012 R2
    Release Notes: Initial Release
By using this script, you indicate your acceptance of the following legal terms as well as our Terms of Use at https://www.ninjaone.com/terms-of-use.
    Ownership Rights: NinjaOne owns and will continue to own all right, title, and interest in and to the script (including the copyright). NinjaOne is giving you a limited license to use the script in accordance with these legal terms. 
    Use Limitation: You may only use the script for your legitimate personal or internal business purposes, and you may not share the script with another party. 
    Republication Prohibition: Under no circumstances are you permitted to re-publish the script in any script library or website belonging to or under the control of any other software provider. 
    Warranty Disclaimer: The script is provided “as is” and “as available”, without warranty of any kind. NinjaOne makes no promise or guarantee that the script will be free from defects or that it will meet your specific needs or expectations. 
    Assumption of Risk: Your use of the script is at your own risk. You acknowledge that there are certain inherent risks in using the script, and you understand and assume each of those risks. 
    Waiver and Release: You will not hold NinjaOne responsible for any adverse or unintended consequences resulting from your use of the script, and you waive any legal or equitable rights or remedies you may have against NinjaOne relating to your use of the script. 
    EULA: If you are a NinjaOne customer, your use of the script is subject to the End User License Agreement applicable to you (EULA).
#>

[CmdletBinding()]
param (
    [Parameter()]
    [Switch]$IncludeMicrosoft = [System.Convert]::ToBoolean($env:includeMicrosoftTasks),
    [Parameter()]
    [Switch]$IncludeDisabled = [System.Convert]::ToBoolean($env:includeDisabledTasks),
    [Parameter()]
    [String]$CustomFieldName
)

begin {
    # Get CustomFieldName value from Dynamic Script Form.
    if ($env:customFieldName -and $env:customFieldName -notlike "null" ) { $CustomFieldName = $env:customFieldName }

    # Some Scheduled Tasks require Local Admin Privileges to view.
    function Test-IsElevated {
        $id = [System.Security.Principal.WindowsIdentity]::GetCurrent()
        $p = New-Object System.Security.Principal.WindowsPrincipal($id)
        $p.IsInRole([System.Security.Principal.WindowsBuiltInRole]::Administrator)
    }

    # Initialize Generic List for Report
    $Report = New-Object System.Collections.Generic.List[String]
}
process {
    if (-not (Test-IsElevated)) {
        Write-Error -Message "Access Denied. Please run with Administrator privileges." -Category PermissionDenied -Exception (New-Object -TypeName System.UnauthorizedAccessException)
        exit 1
    }

    # By default, we'll exclude tasks made by Microsoft. They don't always put themselves down as an author.
    if (-not $IncludeMicrosoft) {
        $ScheduledTasks = Get-ScheduledTask | Where-Object { $_.Author -notlike "Microsoft*" -and $_.TaskPath -notlike "\Microsoft*" }
    }
    else {
        $ScheduledTasks = Get-ScheduledTask
    }

    # We should ignore disabled tasks unless told otherwise.
    if (-not $IncludeDisabled) {
        $ScheduledTasks = $ScheduledTasks | Where-Object { $_.State -notlike "Disabled" }
    }

    # The activity log isn't going to fit all this output, so we'll trim it if it's too large.
    if ($ScheduledTasks) {
        $FormattedTasks = $ScheduledTasks | ForEach-Object {
            $Name = if (($_.TaskName).Length -gt 30) { ($_.TaskName).Substring(0, 30) + "..." }else { $_.TaskName }
            $Path = if (($_.TaskPath).Length -gt 30) { ($_.TaskPath).Substring(0, 30) + "..." }else { $_.TaskPath }

            [PSCustomObject]@{
                TaskName = $Name
                TaskPath = $Path
                State    = $_.State
            }
        }

        Write-Host "Scheduled Task(s) Found!"
        $Report.Add(( $FormattedTasks | Format-Table TaskName, TaskPath, State -AutoSize | Out-String ))
    }
    else {
        $Report.Add("No Scheduled Tasks have been found.")
    }

    # Output our results.
    Write-Host $Report

    # Save our results to a custom field.
    if ($CustomFieldName) {
        Ninja-Property-Set -Name $CustomFieldName -Value $Report
    }
}
end {
    
    
    
}

 

Access 300+ scripts in the NinjaOne Dojo

Get Access

Detailed breakdown

The script begins with a CmdletBinding declaration, allowing it to be used as a PowerShell cmdlet with various parameters. These parameters include flags to include Microsoft and disabled tasks, and an option to save output to a custom field.

In the ‘begin’ block, the script checks for administrative privileges, a prerequisite for accessing all scheduled tasks. It then proceeds to the ‘process’ block, where the core functionality resides. Here, it filters tasks based on the user’s input, excluding Microsoft or disabled tasks as specified. The script smartly truncates task names and paths for better readability and compiles this data into a report.

In the ‘end’ block, the report is output to the host and optionally saved to a custom field, catering to different reporting needs.

Potential use cases

Consider an IT administrator who needs to audit scheduled tasks across multiple servers to ensure compliance with company policies. By running this script, they can quickly gather and analyze task information, identify unauthorized or potentially harmful tasks, and take necessary actions.

Comparisons

Traditional methods of managing scheduled tasks often involve manual checks or using the Windows Task Scheduler GUI. This script, however, automates the process and provides more flexibility, especially in environments with numerous servers.

FAQs

  • Can this script run on any Windows version?
    • It supports Windows 10 and Windows Server 2012 R2 onwards.
  • Is it necessary to run the script with admin privileges? –
    • Yes, for complete access to all tasks.
  • Can the script output be customized? –
    • Yes, through the $CustomFieldName parameter.

Implications

Automating task management enhances system security by enabling regular audits and quick identification of anomalies. However, administrators must be cautious with the script’s output, as it may contain sensitive information about system operations.

Recommendations

  • Always run the script with administrative privileges for a complete overview.
  • Regularly audit scheduled tasks, especially in environments with frequent changes.
  • Use the custom field output option for detailed reporting and analysis.

Final thoughts

In an era where automation and security are paramount, this PowerShell script stands as a testament to the capabilities of tools like NinjaOne. NinjaOne can further streamline these processes, integrating seamlessly with scripts like this to provide comprehensive IT management solutions. By leveraging such scripts, IT professionals can not only ensure efficient operations but also bolster their security posture, a necessity in today’s rapidly evolving digital landscape.

Next Steps

Building an efficient and effective IT team requires a centralized solution that acts as your core service deliver tool. NinjaOne enables IT teams to monitor, manage, secure, and support all their devices, wherever they are, without the need for complex on-premises infrastructure.

Learn more about NinjaOne Remote Script Deployment, check out a live tour, or start your free trial of the NinjaOne platform.

Categories:

You might also like

NinjaOne Terms & Conditions

By clicking the “I Accept” button below, you indicate your acceptance of the following legal terms as well as our Terms of Use:

  • Ownership Rights: NinjaOne owns and will continue to own all right, title, and interest in and to the script (including the copyright). NinjaOne is giving you a limited license to use the script in accordance with these legal terms.
  • Use Limitation: You may only use the script for your legitimate personal or internal business purposes, and you may not share the script with another party.
  • Republication Prohibition: Under no circumstances are you permitted to re-publish the script in any script library belonging to or under the control of any other software provider.
  • Warranty Disclaimer: The script is provided “as is” and “as available”, without warranty of any kind. NinjaOne makes no promise or guarantee that the script will be free from defects or that it will meet your specific needs or expectations.
  • Assumption of Risk: Your use of the script is at your own risk. You acknowledge that there are certain inherent risks in using the script, and you understand and assume each of those risks.
  • Waiver and Release: You will not hold NinjaOne responsible for any adverse or unintended consequences resulting from your use of the script, and you waive any legal or equitable rights or remedies you may have against NinjaOne relating to your use of the script.
  • EULA: If you are a NinjaOne customer, your use of the script is subject to the End User License Agreement applicable to you (EULA).