Unlocking Active Directory Insights with PowerShell: Retrieving Last Logon Data for AD Computers 

Introduction

Understanding when devices last logged onto Active Directory (AD) is crucial for maintaining a secure and well-managed IT environment. Dormant or rarely-used systems can pose risks, such as unauthorized access points or inefficiencies in resource allocation. The PowerShell script provided serves as a robust solution for IT administrators and Managed Service Providers (MSPs) to efficiently retrieve and analyze last logon data for all computers in their AD environment.

Background

Active Directory serves as the backbone for user and device management in many enterprise environments. Tracking the last logon timestamps of computers is essential for auditing, compliance, and maintaining a clean directory. This script simplifies the traditionally cumbersome process of gathering such data by leveraging PowerShell’s automation capabilities and integrating with tools like NinjaOne for extended functionality. It not only fetches last logon timestamps but also provides options to query additional user data and visualize results in a customizable format.

The Script:

#Requires -Version 5.1

<#
.SYNOPSIS
    Gets the last login time for all computers in Active Directory.
.DESCRIPTION
    Gets the last login time for all computers in Active Directory.
    The last login time is retrieved from the LastLogonTimeStamp property of the computer object.
    If the user name cannot be retrieved from an offline computer, the script will return Unknown.
    If the computer name cannot be retrieved, the script will return Unknown.

    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).

.EXAMPLE
    (No Parameters)
    ## EXAMPLE OUTPUT WITHOUT PARAMS ##

PARAMETER: -WysiwygCustomField "myWysiwygCustomField"
    Saves results to a WYSIWYG Custom Field.
.EXAMPLE
    -WysiwygCustomField "myWysiwygCustomField"
    ## EXAMPLE OUTPUT WITH WysiwygCustomField ##
    [Info] Found 10 computers.
    [Info] Attempting to set Custom Field 'myWysiwygCustomField'.
    [Info] Successfully set Custom Field 'myWysiwygCustomField'!

PARAMETER: -QueryForLastUserLogon "true"
    When checked, the script will query for the last user logon time for each computer.
    Note that this will take longer to run and will try to connect to each computer in the domain.
.EXAMPLE
    -QueryForLastUserLogon "true"
    ## EXAMPLE OUTPUT WITH QueryForLastUserLogon ##
    [Warn] Remote computer WIN-1234567891 is not available.
    [Info] Found 2 computers.

    Computer                  Last Logon Date   Last Login in Days   User
    --------                  ---------------   ------------------   ----
    WIN-1234567891            2024-04-01 12:00   0                   Unknown
    WIN-1234567890            2024-04-01 12:00   0                   Fred
    WIN-9876543210            2023-04-01 12:00   32                  Bob

.NOTES
    Minimum OS Architecture Supported: Windows Server 2016
    Release Notes: Initial Release
#>

[CmdletBinding()]
param (
    [Parameter()]
    [String]$WysiwygCustomField,
    [Parameter()]
    [Switch]$QueryForLastUserLogon
)

begin {
    # CIM timeout
    $CIMTimeout = 10

    function Test-IsElevated {
        $id = [System.Security.Principal.WindowsIdentity]::GetCurrent()
        $p = New-Object System.Security.Principal.WindowsPrincipal($id)
        $p.IsInRole([System.Security.Principal.WindowsBuiltInRole]::Administrator)
    }
    function Set-NinjaProperty {
        [CmdletBinding()]
        Param(
            [Parameter(Mandatory = $True)]
            [String]$Name,
            [Parameter()]
            [String]$Type,
            [Parameter(Mandatory = $True, ValueFromPipeline = $True)]
            $Value,
            [Parameter()]
            [String]$DocumentName
        )
    
        $Characters = $Value | Measure-Object -Character | Select-Object -ExpandProperty Characters
        if ($Characters -ge 10000) {
            throw [System.ArgumentOutOfRangeException]::New("Character limit exceeded, value is greater than 10,000 characters.")
        }
        
        # If we're requested to set the field value for a Ninja document we'll specify it here.
        $DocumentationParams = @{}
        if ($DocumentName) { $DocumentationParams["DocumentName"] = $DocumentName }
        
        # This is a list of valid fields that can be set. If no type is given, it will be assumed that the input doesn't need to be changed.
        $ValidFields = "Attachment", "Checkbox", "Date", "Date or Date Time", "Decimal", "Dropdown", "Email", "Integer", "IP Address", "MultiLine", "MultiSelect", "Phone", "Secure", "Text", "Time", "URL", "WYSIWYG"
        if ($Type -and $ValidFields -notcontains $Type) { Write-Warning "$Type is an invalid type! Please check here for valid types. https://ninjarmm.zendesk.com/hc/en-us/articles/16973443979789-Command-Line-Interface-CLI-Supported-Fields-and-Functionality" }
        
        # The field below requires additional information to be set
        $NeedsOptions = "Dropdown"
        if ($DocumentName) {
            if ($NeedsOptions -contains $Type) {
                # We'll redirect the error output to the success stream to make it easier to error out if nothing was found or something else went wrong.
                $NinjaPropertyOptions = Ninja-Property-Docs-Options -AttributeName $Name @DocumentationParams 2>&1
            }
        }
        else {
            if ($NeedsOptions -contains $Type) {
                $NinjaPropertyOptions = Ninja-Property-Options -Name $Name 2>&1
            }
        }
        
        # If an error is received it will have an exception property, the function will exit with that error information.
        if ($NinjaPropertyOptions.Exception) { throw $NinjaPropertyOptions }
        
        # The below types require values not typically given in order to be set. The below code will convert whatever we're given into a format ninjarmm-cli supports.
        switch ($Type) {
            "Checkbox" {
                # While it's highly likely we were given a value like "True" or a boolean datatype it's better to be safe than sorry.
                $NinjaValue = [System.Convert]::ToBoolean($Value)
            }
            "Date or Date Time" {
                # Ninjarmm-cli expects the GUID of the option to be selected. Therefore, the given value will be matched with a GUID.
                $Date = (Get-Date $Value).ToUniversalTime()
                $TimeSpan = New-TimeSpan (Get-Date "1970-01-01 00:00:00") $Date
                $NinjaValue = $TimeSpan.TotalSeconds
            }
            "Dropdown" {
                # Ninjarmm-cli is expecting the guid of the option we're trying to select. So we'll match up the value we were given with a guid.
                $Options = $NinjaPropertyOptions -replace '=', ',' | ConvertFrom-Csv -Header "GUID", "Name"
                $Selection = $Options | Where-Object { $_.Name -eq $Value } | Select-Object -ExpandProperty GUID
        
                if (-not $Selection) {
                    throw [System.ArgumentOutOfRangeException]::New("Value is not present in dropdown")
                }
        
                $NinjaValue = $Selection
            }
            default {
                # All the other types shouldn't require additional work on the input.
                $NinjaValue = $Value
            }
        }
        
        # We'll need to set the field differently depending on if its a field in a Ninja Document or not.
        if ($DocumentName) {
            $CustomField = Ninja-Property-Docs-Set -AttributeName $Name -AttributeValue $NinjaValue @DocumentationParams 2>&1
        }
        else {
            $CustomField = Ninja-Property-Set -Name $Name -Value $NinjaValue 2>&1
        }
        
        if ($CustomField.Exception) {
            throw $CustomField
        }
    }
}
process {
    if (-not (Test-IsElevated)) {
        Write-Host -Object "[Error] Access Denied. Please run with Administrator privileges."
        exit 1
    }

    # Get Script Variables and override parameters with them
    if ($env:wysiwygCustomField -and $env:wysiwygCustomField -notlike "null") {
        $WysiwygCustomField = $env:wysiwygCustomField
    }
    if ($env:queryForLastUserLogon -and $env:queryForLastUserLogon -notlike "null") {
        if ($env:queryForLastUserLogon -eq "true") {
            $QueryForLastUserLogon = $true
        }
        else {
            $QueryForLastUserLogon = $false
        }
    }

    # Check that Active Directory module is available
    if (-not (Get-Module -ListAvailable -Name ActiveDirectory)) {
        Write-Host "[Error] Active Directory module is not available. Please install it and try again."
        exit 1
    }

    # Get the computer system from the CIM
    $ComputerSystem = $(Get-CimInstance -ClassName Win32_ComputerSystem)

    # Check if this script is running on a domain joined computer
    if ($ComputerSystem.PartOfDomain -eq $false) {
        Write-Host "[Error] This script must be run on a domain joined computer."
        exit 1
    }

    # Check if this script is running on a domain controller
    switch ($ComputerSystem.DomainRole) {
        0 { Write-Host "[Info] Running script on a Standalone Workstation." }
        1 { Write-Host "[Info] Running script on a Member Workstation." }
        2 { Write-Host "[Info] Running script on a Standalone Server." }
        3 { Write-Host "[Info] Running script on a Member Server." }
        4 { Write-Host "[Info] Running script on a Backup Domain Controller." }
        5 { Write-Host "[Info] Running script on a Primary Domain Controller." }
    }

    # Get the SearchBase for the domain
    $Domain = "DC=$($ComputerSystem.Domain -split "\." -join ",DC=")"

    # Get Computers from Active Directory
    try {
        $Computers = Get-ADComputer -Filter { (Enabled -eq $true) } -Properties Name, LastLogonTimeStamp -SearchBase "$Domain" -ErrorAction Stop
    }
    catch {
        Write-Host "[Error] Failed to get computers. Make sure this is running on a domain controller."
        exit 1
    }

    $IsFirstError = $true

    $LastLogonInfo = foreach ($Computer in $Computers) {
        try {
            # Get the LastLogonTimeStamp for the computer from Active Directory
            $PCInfo = Get-ADComputer -Identity $Computer.Name -Properties LastLogonTimeStamp -ErrorAction Stop | Select-Object -Property @(
                @{Name = "Computer"; Expression = { $_.Name } },
                @{Name = "LastLogon"; Expression = { [DateTime]::FromFileTime($_.LastLogonTimeStamp) } }
            )
        }
        catch {
            # This should only happen if the script is not running as the system user on a domain controller or not as a domain admin
            Write-Debug "[Debug] $($_.Exception.Message)"
            Write-Host "[Warn] Failed to get details for $($Computer.Name) from Active Directory. Skipping."
            continue
        }
        try {
            if ($QueryForLastUserLogon) {
                # Get the User Principal Name from the computer
                $LastUserLogonInfo = Get-CimInstance -ClassName Win32_UserProfile -ComputerName $Computer.name -OperationTimeoutSec $CIMTimeout -ErrorAction Stop | Where-Object { $_.LocalPath -like "*Users*" } | Sort-Object -Property LastUseTime | Select-Object -Last 1
                $SecIdentifier = New-Object System.Security.Principal.SecurityIdentifier($LastUserLogonInfo.SID) -ErrorAction Stop
                $UserName = $SecIdentifier.Translate([System.Security.Principal.NTAccount])
            }
        }
        catch {
            if ($null -eq $UserName) {
                if ($IsFirstError) {
                    # Only show on the first error
                    Write-Debug "[Debug] $($_.Exception.Message)"
                    Write-Host "[Error] Failed to connect to 1 or more computers via Get-CimInstance."
                    $IsFirstError = $false
                }
                Write-Host "[Warn] Remote computer $($Computer.Name) is not available or could not be queried."
            }
        }

        if ($null -eq $UserName) {
            $UserName = [PSCustomObject]@{
                value = "Unknown"
            }
        }
        if ($null -eq $PCInfo.LastLogon) {
            $PCInfo = [PSCustomObject]@{
                Computer  = $Computer.Name
                LastLogon = "Unknown"
            }
            Write-Host "[Warn] Failed to get LastLogonTimeStamp for $($Computer.Name)."
        }

        # Get the number of days since the last login
        $LastLoginDays = try {
            0 - $(Get-Date -Date $PCInfo.LastLogon).Subtract($(Get-Date)).Days
        }
        catch {
            # Return unknown if the date is invalid or does not exist
            "Unknown"
        }

        # Output the results
        if ($QueryForLastUserLogon) {
            [PSCustomObject]@{
                'Computer'           = $PCInfo.Computer
                'Last Logon Date'    = $PCInfo.LastLogon
                'Last Login in Days' = $LastLoginDays
                'User'               = $UserName.value
            }
        }
        else {
            [PSCustomObject]@{
                'Computer'           = $PCInfo.Computer
                'Last Logon Date'    = $PCInfo.LastLogon
                'Last Login in Days' = $LastLoginDays
            }
        }

        $PCInfo = $null
        $LastUserLogonInfo = $null
        $SecIdentifier = $null
        $UserName = $null
    }

    # Output the number of computers found
    if ($LastLogonInfo -and $LastLogonInfo.Count -gt 0) {
        Write-Host "[Info] Found $($LastLogonInfo.Count) computers."
    }
    else {
        Write-Host "[Error] No computers were found."
        $ExitCode = 1
    }

    function Write-LastLoginInfo {
        param ()
        $LastLogonInfo | Format-Table -AutoSize | Out-String -Width 4000 | Write-Host
    }

    # Save the results to a custom field
    if ($WysiwygCustomField) {
        $LastLoginOkayDays = 30
        $LastLoginTooOldDays = 90
        # Convert the array to an HTML table
        $HtmlTable = $LastLogonInfo | ConvertTo-Html -Fragment
        # Set the color of the rows based on the last logon time
        $HtmlTable = $HtmlTable -split [Environment]::NewLine | ForEach-Object {
            if ($_ -match "<td>(?'LastLoginDays'\d+)<\/td>") {
                # Get the last login days from the HTML table
                [int]$LastLoginDays = $Matches.LastLoginDays
                if ($LastLoginDays -lt $LastLoginTooOldDays -and $LastLoginDays -ge $LastLoginOkayDays) {
                    # warning = 31 days to 89 days
                    $_ -replace "<tr><td>", '<tr class="warning"><td>'
                }
                elseif ($LastLoginDays -ge $LastLoginTooOldDays) {
                    # danger = 90 days or more
                    $_ -replace "<tr><td>", '<tr class="danger"><td>'
                }
                else {
                    # success = 30 days or less
                    $_ -replace "<tr><td>", '<tr class="success"><td>'
                }
            }
            else {
                $_
            }
        }
        # Set the width of the table to 10% to reduce the width of the table to its minimum possible width
        $HtmlTable = $HtmlTable -replace "<table>", "<table style='white-space:nowrap;'>"
        try {
            Write-Host "[Info] Attempting to set Custom Field '$WysiwygCustomField'."
            Set-NinjaProperty -Name $WysiwygCustomField -Value $($HtmlTable | Out-String)
            Write-Host "[Info] Successfully set Custom Field '$WysiwygCustomField'!"
        }
        catch {
            Write-Host "[Error] Failed to set Custom Field '$WysiwygCustomField'."
            Write-LastLoginInfo
            $ExitCode = 1
        }
    }
    else {
        Write-LastLoginInfo
    }

    exit $ExitCode
}
end {
    
    
    
}

 

Save time with over 300+ scripts from the NinjaOne Dojo.

Get access today.

Detailed Breakdown

The script is designed to be both powerful and versatile, ensuring that IT professionals can adapt it to their specific needs. Below is a step-by-step breakdown of its functionality:

1. Prerequisites Check:
The script first verifies the system environment:

a. Confirms that it’s running on a domain-joined computer.

b. Ensures that the Active Directory PowerShell module is installed.

2. Parameter Handling:
The script accepts two key parameters:

a. -WysiwygCustomField: Specifies a custom field in NinjaOne to save the results.

b. -QueryForLastUserLogon: Enables querying for the last user logon details from each computer, although this extends the execution time.

3. Active Directory Query:
The script uses Get-ADComputer to fetch enabled computer objects along with their LastLogonTimeStamp. It organizes the data into a readable table, optionally augmented with the last user logon details.

4. Error Handling and Logging:
Comprehensive error handling ensures the script runs reliably. For example:

a. Offline computers are flagged with warnings.

b. Errors in querying individual systems are logged, but the script continues processing other systems.

5. Data Processing and Visualization:

a. The script calculates the number of days since the last logon.

b. If specified, results are formatted into an HTML table for easier reporting, with color-coded rows indicating the age of logon activity.

6. Integration with NinjaOne:
Results can be saved to a NinjaOne custom field, making them accessible for further analysis and reporting.

Potential Use Cases

Case Study:

An IT administrator for a mid-sized enterprise notices a spike in inactive computers during an annual audit. Using the script:

  • They retrieve last logon data for all devices in the domain.
  • Dormant systems that haven’t logged on in over 90 days are flagged and decommissioned.
  • Insights into user activity are used to optimize the allocation of hardware resources.

This approach improves the organization’s security posture by reducing attack surfaces and saves costs by identifying underutilized resources.

Comparisons

Traditionally, IT administrators would rely on tools like the Active Directory Users and Computers (ADUC) GUI or third-party auditing software to gather logon information. These methods often lack scalability or require significant manual effort. In contrast, this PowerShell script:

  • Automates the data retrieval process, saving time.
  • Provides flexibility through customizable parameters.
  • Integrates with tools like NinjaOne for enhanced reporting.

FAQs

Q: Does the script require administrative privileges?

Yes, it must be run with elevated permissions to query AD data effectively.

Q: How accurate is the LastLogonTimeStamp property?

This property may not reflect real-time activity, as it’s updated approximately every 14 days by default. For precise logon data, consider querying individual domain controllers.

Q: What happens if a computer is offline?

Offline systems are flagged with warnings, and their user details are set to “Unknown.”

Q: Can the script be customized?

Yes, it’s designed to be flexible. Parameters like WysiwygCustomField and QueryForLastUserLogon allow tailored use cases.

Implications

The results generated by this script have significant implications for IT security and operational efficiency:

  • Enhanced Security: Identifying inactive devices reduces potential attack vectors.
  • Improved Compliance: Organizations can meet audit requirements by maintaining accurate device records.
  • Streamlined Operations: Automation eliminates the manual overhead of tracking device activity.

Recommendations

  1. Run Regularly: Schedule the script to run monthly to maintain an up-to-date inventory of active systems.
  2. Combine with Policies: Use the results to enforce policies like decommissioning inactive devices after a set period.
  3. Use Secure Credentials: Ensure the script runs in a secure environment to protect sensitive AD data.

Final Thoughts

For IT administrators and MSPs, automating the retrieval of last logon data is essential for maintaining a secure and efficient AD environment. This PowerShell script not only simplifies the process but also integrates seamlessly with platforms like NinjaOne, allowing for advanced reporting and management. By leveraging tools like this, organizations can optimize their IT operations and bolster their security frameworks.

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

×

See NinjaOne in action!

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

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).