CertificateExpiration.psm1

$script:ModuleRoot = $PSScriptRoot
$script:ModuleVersion = (Import-PowerShellDataFile -Path "$($script:ModuleRoot)\CertificateExpiration.psd1").ModuleVersion

# Detect whether at some level dotsourcing was enforced
$script:doDotSource = Get-PSFConfigValue -FullName CertificateExpiration.Import.DoDotSource -Fallback $false
if ($CertificateExpiration_dotsourcemodule) { $script:doDotSource = $true }

<#
Note on Resolve-Path:
All paths are sent through Resolve-Path/Resolve-PSFPath in order to convert them to the correct path separator.
This allows ignoring path separators throughout the import sequence, which could otherwise cause trouble depending on OS.
Resolve-Path can only be used for paths that already exist, Resolve-PSFPath can accept that the last leaf my not exist.
This is important when testing for paths.
#>


# Detect whether at some level loading individual module files, rather than the compiled module was enforced
$importIndividualFiles = Get-PSFConfigValue -FullName CertificateExpiration.Import.IndividualFiles -Fallback $false
if ($CertificateExpiration_importIndividualFiles) { $importIndividualFiles = $true }
if (Test-Path (Resolve-PSFPath -Path "$($script:ModuleRoot)\..\.git" -SingleItem -NewChild)) { $importIndividualFiles = $true }
if ("<was compiled>" -eq '<was not compiled>') { $importIndividualFiles = $true }
    
function Import-ModuleFile
{
    <#
        .SYNOPSIS
            Loads files into the module on module import.
         
        .DESCRIPTION
            This helper function is used during module initialization.
            It should always be dotsourced itself, in order to proper function.
             
            This provides a central location to react to files being imported, if later desired
         
        .PARAMETER Path
            The path to the file to load
         
        .EXAMPLE
            PS C:\> . Import-ModuleFile -File $function.FullName
     
            Imports the file stored in $function according to import policy
    #>

    [CmdletBinding()]
    Param (
        [string]
        $Path
    )
    
    $resolvedPath = $ExecutionContext.SessionState.Path.GetResolvedPSPathFromPSPath($Path).ProviderPath
    if ($doDotSource) { . $resolvedPath }
    else { $ExecutionContext.InvokeCommand.InvokeScript($false, ([scriptblock]::Create([io.file]::ReadAllText($resolvedPath))), $null, $null) }
}

#region Load individual files
if ($importIndividualFiles)
{
    # Execute Preimport actions
    foreach ($path in (& "$ModuleRoot\internal\scripts\preimport.ps1")) {
        . Import-ModuleFile -Path $path
    }
    
    # Import all internal functions
    foreach ($function in (Get-ChildItem "$ModuleRoot\internal\functions" -Filter "*.ps1" -Recurse -ErrorAction Ignore))
    {
        . Import-ModuleFile -Path $function.FullName
    }
    
    # Import all public functions
    foreach ($function in (Get-ChildItem "$ModuleRoot\functions" -Filter "*.ps1" -Recurse -ErrorAction Ignore))
    {
        . Import-ModuleFile -Path $function.FullName
    }
    
    # Execute Postimport actions
    foreach ($path in (& "$ModuleRoot\internal\scripts\postimport.ps1")) {
        . Import-ModuleFile -Path $path
    }
    
    # End it here, do not load compiled code below
    return
}
#endregion Load individual files

#region Load compiled code
<#
This file loads the strings documents from the respective language folders.
This allows localizing messages and errors.
Load psd1 language files for each language you wish to support.
Partial translations are acceptable - when missing a current language message,
it will fallback to English or another available language.
#>

Import-PSFLocalizedString -Path "$($script:ModuleRoot)\en-us\*.psd1" -Module 'CertificateExpiration' -Language 'en-US'

function Get-RemoteIssuedCertificate {
    <#
    .SYNOPSIS
    Internal Function to lists issued certificates.
     
    .DESCRIPTION
    Internal Function to lists issued certificates.
     
    .PARAMETER FQCAName
    The computername of the CA (automatically detects the CA name)
     
    .PARAMETER Properties
    Properties of the Certificates
     
    .PARAMETER Templates
    Available Templates from the CA
     
    .PARAMETER FilterTemplateName
    Selected Templates from the CA-Templates
     
    .EXAMPLE
    PS C:\> Get-RemoteIssuedCertificate
 
    Returns all issued certificates from the remote computer (CA)
     
    #>

    [Diagnostics.CodeAnalysis.SuppressMessageAttribute('PSAvoidUsingEmptyCatchBlock', '')]
    param (
        $FQCAName,

        $Properties = (
            'Issued Common Name',
            'Certificate Expiration Date',
            'Certificate Effective Date',
            'Certificate Template',
            'Issued Request ID',
            'Certificate Hash',
            'Request Disposition Message',
            'Requester Name',
            'Binary Certificate'
        ),

        $Templates,

        $FilterTemplateName
    )

    if (-not $FQCAName) {
        if (-not (Test-Path "HKLM:\SYSTEM\CurrentControlSet\Services\CertSvc\Configuration")) {
            throw "NO CA Name specified and not executed on a PKI host!"
        }

        $caName = (Get-ItemProperty "HKLM:\SYSTEM\CurrentControlSet\Services\CertSvc\Configuration" -Name Active).Active
        $caConfig = Get-ItemProperty "HKLM:\SYSTEM\CurrentControlSet\Services\CertSvc\Configuration\$caName"
        $FQCAName = '{0}\{1}' -f $caConfig.CAServerName, $caConfig.CommonName
    }

    #region Preparation CA Connect
    try { $caView = New-Object -ComObject CertificateAuthority.View }
    catch { throw "Unable to create Certificate Authority View. $env:COMPUTERNAME does not have ADSC Installed" }

    try { $null = $CaView.OpenConnection($FQCAName) }
    catch { throw }

    $CaView.SetResultColumnCount($Properties.Count)

    foreach ($item in $Properties) {
        $index = $caView.GetColumnIndex($false, $item)
        $caView.SetResultColumn($index)
    }

    $CVR_SEEK_EQ = 1
    # $CVR_SEEK_LT = 2
    # $CVR_SEEK_GT = 16

    # 20 - issued certificates
    $caView.SetRestriction($caView.GetColumnIndex($false, 'Request Disposition'), $CVR_SEEK_EQ, 0, 20)

    $CV_OUT_BASE64HEADER = 0
    $CV_OUT_BASE64 = 1
    $RowObj = $caView.OpenView()
    #endregion Preparation CA Connect

    #region Process Certificates
    while ($RowObj.Next() -ne -1) {
        #region Process Properties
        $Cert = @{
            PSTypeName = "CATools.IssuedCertificate"
        }
        $ColObj = $RowObj.EnumCertViewColumn()
        $null = $ColObj.Next()
        do {
            $displayName = $ColObj.GetDisplayName()
            # format Binary Certificate in a savable format.
            if ($displayName -eq 'Binary Certificate') {
                $Cert[$displayName.Replace(" ", "")] = $ColObj.GetValue($CV_OUT_BASE64HEADER)
                $Cert['Certificate'] = [System.Security.Cryptography.X509Certificates.X509Certificate2]::new(([System.Text.Encoding]::UTF8.GetBytes($Cert[$displayName.Replace(" ", "")])))
            }
            else { $Cert[$displayName.Replace(" ", "")] = $ColObj.GetValue($CV_OUT_BASE64) }
        }
        until ($ColObj.Next() -eq -1)
        Clear-Variable -Name ColObj
        #endregion Process Properties

        #region Process Template Name
        if ($Cert.CertificateTemplate) {
            try {
                $Cert['TemplateDisplayName'] = ($Templates | Where-Object msPKI-Cert-Template-OID -EQ $Cert.CertificateTemplate).DisplayName
                if (-not $Cert['TemplateDisplayName']) {
                    $Cert['TemplateDisplayName'] = ($Templates | Where-Object Name -EQ $Cert.CertificateTemplate).DisplayName
                }
                if (-not $Cert['TemplateDisplayName']) { $Cert['TemplateDisplayName'] = $Cert.CertificateTemplate }
                if ($Cert['Certificate']) { Add-Member -InputObject $Cert['Certificate'] -MemberType NoteProperty -Name TemplateDisplayName -Value $Cert['TemplateDisplayName'] }
            }
            catch { }
        }
        #endregion Process Template Name
        if ($FilterTemplateName) {
            if ($FilterTemplateName -notcontains $cert.TemplateDisplayName) { continue }
        }
        [pscustomobject]$Cert | Add-Member -MemberType ScriptMethod -Name ToString -Value { $this.IssuedCommonName } -Force -PassThru
    }
}

function Export-CertificateReport {
    <#
    .SYNOPSIS
        Exports a list as csv and xml file with the expiring certificates and exports the associated public certificates as cer file.
 
    .DESCRIPTION
        Exports a list as csv and xml file with the expiring certificates and exports the associated public certificates as cer file.
 
    .PARAMETER ExpiringCertificates
        A list containing all certificates to be examined
 
    .PARAMETER Path
        Specifies the path to export
 
    .EXAMPLE
        PS C:\> $expiringCertificates | Export-CertificateReport -Path C:\Temp
 
        Exports the following files to "C:\Temp"
            "expiring_certificates_<date>.csv"
            "expiring_certificates_<date>.xml"
            "<thumbprint.cer"
#>

    [CmdletBinding()]
    param (
        [Parameter(ValueFromPipeline = $true)]
        $ExpiringCertificates,

        [string]
        $Path
    )

    begin {
        $selectProperties = @(
            "IssuedRequestID"
            "Certificate.SerialNumber As SN"
            "RequesterName"
            "Certificate.Subject As Subject"
            "TemplateDisplayName"
            "CertificateExpirationDate"
            "Certificate.Thumbprint As Thumbprint"
            "Certificate.DnsNameList As DnsNameList"
        )
        $allCerts = @()

        $exportFolder = Resolve-PSFPath -Path $Path -SingleItem -Provider FileSystem
        $csvPath = Join-Path -Path $exportFolder -ChildPath "expiring_certificates_$(Get-Date -Format yyyy-MM-dd).csv"
        $xmlPath = Join-Path -Path $exportFolder -ChildPath "expiring_certificates_$(Get-Date -Format yyyy-MM-dd).xml"
    }
    process {
        $ExpiringCertificates | Select-PSFObject $selectProperties | Export-Csv -Path $csvPath -Append
        foreach ($certificate in $ExpiringCertificates) {
            $cerPath = Join-Path -Path $exportFolder -ChildPath "$($certificate.certificate.thumbprint).cer"
            $cerData = $certificate.certificate.Getrawcertdata()
            [System.IO.File]::WriteAllBytes($cerPath, $cerData)
            $allCerts += $certificate
        }
    }
    end {
        $allCerts | Export-PSFClixml -Path $xmlPath -Depth 5
    }
}


function Get-CEIssuedCertificate {
    <#
    .SYNOPSIS
        Lists issued certificates.
 
    .DESCRIPTION
        Lists issued certificates.
 
    .PARAMETER ComputerName
        The computername of the CA (automatically detects the CA name)
 
    .PARAMETER FQCAName
        The fully qualified name of the CA.
        Specifying this allows remote access to the target CA.
        '<Computername>\<CA Name>'
 
    .PARAMETER Properties
        The properties to retrieve
 
    .PARAMETER UseJea
        A boolean switch to use Just Enough Administration (JEA)
 
    .PARAMETER Credential
        A PSCredential object to use Credential instead of integrated Account with JEA
 
    .PARAMETER FilterTemplateName
        with this parameter you have the possibility to specify certain certificate templates as filters
 
    .EXAMPLE
        PS C:\> Get-CEIssuedCertificate
 
        Returns all issued certificates from the current computer (assumes localhost is a CA)
     
    .EXAMPLE
        PS C:\> Get-CEIssuedCertificate -FilterTemplateName <CertificateTemplate>,<CertificateTemplate>
 
        Returns all filtered issued certificates from the current computer (assumes localhost is a CA)
 
    .EXAMPLE
        PS C:\> Get-CEIssuedCertificate -FQCAName "ca.contoso.com\MS-CA-01"
#>

    [Diagnostics.CodeAnalysis.SuppressMessageAttribute('PSAvoidUsingEmptyCatchBlock', '')]
    [CmdletBinding()]
    param (
        [string[]]
        $ComputerName = $env:COMPUTERNAME,

        [string]
        $FQCAName,

        [String[]]
        $Properties = (
            'Issued Common Name',
            'Certificate Expiration Date',
            'Certificate Effective Date',
            'Certificate Template',
            'Issued Request ID',
            'Certificate Hash',
            'Request Disposition Message',
            'Requester Name',
            'Binary Certificate'
        ),

        [string[]]
        $FilterTemplateName,

        [switch]
        $UseJea,

        [pscredential]
        $Credential

    )
    begin {
        $configPath = (Get-ADRootDSE).configurationNamingContext
        $templates = Get-ADObject -SearchBase $configPath -LDAPFilter '(objectClass=pKICertificateTemplate)' -Properties DisplayName, msPKI-Cert-Template-OID, name

        $parameters = @{
            ArgumentList = $FQCAName, $Properties, $templates, $FilterTemplateName
        }
        if ($Credential){
            $parameters["Credential"] = $Credential
        }
        if ($ComputerName -ne $env:COMPUTERNAME) {
            $parameters["HideComputerName"] = $true
            $parameters["ComputerName"] = $ComputerName
        }
        if ($UseJea) {
            $parameters["ConfigurationName"] = 'JEA_PKI_CertificateExpiration'
            $scriptBlock = { Get-RemoteIssuedCertificate -FQCAName $args[0] -Properties $args[1] -Templates $args[2] -FilterTemplateName $args[3] }
        }
        else {
            $scriptBlock = Get-Content function:Get-RemoteIssuedCertificate
        }
    }
    process {
        Invoke-Command @parameters -ScriptBlock $scriptBlock
    }
}


function Get-CertificateAuthority {
    <#
    .SYNOPSIS
        Returns the certification authorities in the Active Directory
 
    .DESCRIPTION
        Returns the certification authorities in the Active Directory
 
    .EXAMPLE
        PS C:\Get-CertificationAuthority
 
        Returns the certifications authorities
        <ComputerName>.<DomainSuffix>
 
#>

    [CmdletBinding()]
    param ()
    $adConfigurationPath = (Get-ADRootDSE).configurationNamingContext
    (Get-ADObject -SearchBase "CN=Enrollment Services,CN=Public Key Services,CN=Services,$adConfigurationPath" -LDAPFilter "(objectClass=pkiEnrollmentService)" -Properties dNSHostName).dNSHostName
}


function Get-ExpiringCertificate {
    <#
    .SYNOPSIS
        Returns the expiring certificates from a list of certificate objects
 
    .DESCRIPTION
        Returns the expiring certificates from a list of certificate objects
 
    .PARAMETER Certificate
        a list with one or more certificate objects
 
    .PARAMETER ExpireDays
        Defines the scope of the search in days in which the next certificates expire
 
    .EXAMPLE
        PS C:\$expiringCertificates = $allCertificates | Get-ExpiringCertificate -ExpireDays 90
 
        Returns the expiring certificates of the next 90 days from a list of certificate objects
#>

    [CmdletBinding()]
    param (
        [Parameter(ValueFromPipeline = $true)]
        $Certificate,

        [Int]
        $ExpireDays
    )
    begin {
        $limit = (Get-Date).AddDays($ExpireDays)
        $certificateHash = @{}
    }
    process {
        foreach ($certificateObject in $Certificate) {
            $certID = "{0}|{1}" -f $certificateObject.TemplateDisplayName, $certificateObject.Certificate.Subject
            if (-not $certificateHash[$certID]) { $certificateHash[$certID] = @() }
            $certificateHash[$certID] += $certificateObject
        }
    }
    end {
        foreach ($certificateSet in $certificateHash.GetEnumerator()) {

            # Expired
            if (-not($certificateSet.Value | Where-Object CertificateExpirationDate -GE (Get-Date) )){
                continue
            }

            # Not Expiring (out of Scope)
            if ($certificateSet.Value | Where-Object CertificateExpirationDate -GE $limit){
                continue
            }

            # Expiring (in Scope from now till limit)
            $certificateSet.Value | Where-Object CertificateExpirationDate -GE (Get-Date)
        }

    }

}


function Install-CEJeaEndpoint {
    <#
    .SYNOPSIS
    Installed the JeaEndpoint on the remote CA
     
    .DESCRIPTION
    Installed the JeaEndpoint on the remote CA
     
    .PARAMETER Identity
    Parameter description
     
    .PARAMETER ComputerName
    The computername of the CA where the JEA endpoint will be installed
     
    .PARAMETER Credential
    A PSCredential object to use Credential
     
    .PARAMETER Basic
    TODO: Parameter description
     
    .EXAMPLE
    PS C:\Install-CEJeaEndpoint -Identity <Identity> -ComputerName <Computer> -Credential $cred -Basic:$true#
 
    TODO: description of the Example
     
    #>

    [CmdletBinding()]
    param(
        [Parameter(Mandatory = $true)]
        [string[]]
        $Identity,

        [PSFComputer[]]
        $ComputerName = $env:COMPUTERNAME,

        [PSCredential]
        $Credential,

        [switch]
        $Basic
    )
    $module = New-JeaModule -Name 'PKI_CertificateExpiration'

    $capabilities = @(
        "$script:ModuleRoot\internal\functions\Get-RemoteIssuedCertificate.ps1"
    )
    $capabilities | New-JeaRole -Name 'PkiIssuedCertificateReader' -Identity $Identity -Module $module

    $module.Author = 'Christian Sohr'
    $module.Description = 'Delegate administrative tasks for PKI servers'
    $module.Version = '0.1.0'

    Install-JeaModule -ComputerName $ComputerName -Credential $Credential -Basic:$Basic -Module $module

}

function Invoke-CENotification {
    <#
    .SYNOPSIS
        Invoke-CENotification gives you a summary of the expiring certificates as mailreport, as file export and/or passthru to the console.
        You can also spcifie if a mail to the certificate contact or requester will be sent
 
    .DESCRIPTION
        Invoke-CENotification gives you a summary of the expiring certificates as mailreport, as file export and/or passthru to the console.
        You can also spcifie if a mail to the certificate contact or requester will be sent
 
    .PARAMETER ExpireDays
        Defines the scope of the search in days in which the next certificates expire
 
    .PARAMETER PKIAdmins
        Specifies the e-mail address of the PKI-Administrator to sent the summary of the report
 
    .PARAMETER ExportPath
        Specifies the path to Export the expiring certificate(s) and report files
 
    .PARAMETER NoContactMail
        Defines if a seperate mail to the certificate contact or requester will be sent
 
    .PARAMETER PassThru
        Defines if an output should be done on the console
 
    .PARAMETER SenderAddress
        Specifies the e-mail address with which the e-mail(s) will be sent
 
    .PARAMETER FilterTemplateName
        A list of certificate templates to be filtered for
     
    .PARAMETER UseJea
        A boolean switch to use Just Enough Administration (JEA)
 
    .PARAMETER Credential
        A PSCredential object to use Credential instead of integrated Account with JEA
 
    .EXAMPLE
        PS C:\Invoke-CENotification -ExpireDays <ExpireDays> -PKIAdmins <recipient@domain.de> -ExportPath <LocalPath> -NoContactMail -SenderAddress <Sender@domain.de> -FilterTemplateName <CertificateTemplate>,<CertificateTemplate>
 
        Sends a mail report about the expiring certificates to the pki-admins with the given sender address and exports the report as csv and xml and the certificates themselves to the export path
 
    .EXAMPLE
        PS C:\Invoke-CENotification -ExpireDays <ExpireDays> -NoContactMail -FilterTemplateName <CertificateTemplate>,<CertificateTemplate> -Credential $cred -UseJea:$false -PassThru
 
        Returns the expiring certificates as powershell output (PassThru) under specification of the pki admin account. JEA is not used.
 
#>

    [CmdletBinding()]
    param (
        [Int]
        $ExpireDays = 90,

        [string]
        $PKIAdmins,

        [PSFValidateScript("PSFramework.Validate.FSPath.Folder", ErrorString="PSFramework.Validate.FSPath.Folder")]
        [string]
        $ExportPath,

        [switch]
        $NoContactMail,

        [switch]
        $PassThru,

        [string]
        $SenderAddress,

        [PSFArgumentCompleter("CertificateExpiration.TemplateDisplayName")]
        [string[]]
        $FilterTemplateName,

        [switch]
        $UseJea,

        [pscredential]
        $Credential
    )


    begin
    {

    }
    process
    {
        $parameters = $PSBoundParameters | ConvertTo-PSFHashtable -Include FilterTemplateName, UseJea, Credential
        $allCertificates = Get-CEIssuedCertificate -ComputerName (Get-CertificateAuthority) @parameters | Resolve-CertificateContact

        $expiringCertificates = $allCertificates | Get-ExpiringCertificate -ExpireDays $ExpireDays

        if ($PKIAdmins) { Send-ExpirationMail -Certificates $expiringCertificates -Recipient $PKIAdmins -SenderAddress $SenderAddress -ExpireDays $ExpireDays -CertificateTemplates $FilterTemplateName }
        if (-not $NoContactMail) {
            $expiringCertificates | Where-Object Contact | Group-Object Contact | ForEach-Object {
                Send-ExpirationMail -Certificates $_.Group -Contact -SenderAddress $SenderAddress -ExpireDays $ExpireDays -CertificateTemplates $FilterTemplateName
            }
        }

        if ($ExportPath) { $expiringCertificates | Export-CertificateReport -Path $ExportPath }
        if ($PassThru) { $expiringCertificates }
    }
}

function Resolve-CertificateContact {
    <#
    .SYNOPSIS
        Adds a "Contact" field to the list of certificates
 
    .DESCRIPTION
        The function tries to read the e-mail address from the certificate or
        to resolve the e-mail address from the requestername in the Active Directory
        and adds a "Contact" field to the list of certificates.
 
    .PARAMETER Certificate
        a list with one or more certificate objects
 
    .EXAMPLE
        PS C:\>$allCertificates = Get-CEIssuedCertificate -ComputerName (Get-CertificateAuthority) -FilterTemplateName $FilterTemplateName | Resolve-CertificateContact
 
        Returns the expiring certificates of the next 90 days from a list of certificate objects including the mail address (if available)
 
    .NOTES
    General notes
#>

    [Diagnostics.CodeAnalysis.SuppressMessageAttribute('PSAvoidUsingEmptyCatchBlock', '')]
    [CmdletBinding()]
    param (
        [Parameter(ValueFromPipeline=$true)]
        $Certificate
    )
    begin{
        $mailHash=@{}
    }
    process{
        foreach($certObject in $Certificate) {
            $contact = ""

            # Prüfen, ob im Certifikatssubject eine E-Mail eingetragen ist
            if($certObject.Certificate.Subject -match "E=") {
                $contact = $certObject.Certificate.Subject -replace '^.{0,}E=(.+?),.+$','$1'
            }

            #
            if(-not $contact -and $mailHash[$certObject.RequesterName] -ne "noMail"){
                if($mailHash[$certObject.RequesterName].Mail) {
                    $contact = $mailHash[$certObject.RequesterName].Mail
                }
                else {
                    try {
                        $adObject = Resolve-Principal $certObject.RequesterName -ErrorAction Stop | Get-ADObject -Properties Mail -ErrorAction Stop
                    }
                    catch { }
                    if($adObject.Mail) {
                        $contact = $adObject.Mail
                        $mailHash[$certObject.RequesterName] = $adObject
                    }
                    else {
                        $mailHash[$certObject.RequesterName] = "noMail"
                    }
                }

            }

            $certObject | Add-Member -MemberType NoteProperty -Name Contact -Value $contact -Force -PassThru
        }

    }
    end{

    }
}


function Send-ExpirationMail {
    <#
    .SYNOPSIS
        Sends a mail of the certificate(s) expiring in the specified period
 
    .DESCRIPTION
        Sends a mail of the certificate(s) expiring in the specified period
        to the specified contact from the certficate or as report to an admin with a given sender address,
        filtered by specified templates
 
    .PARAMETER Certificates
        A list with one or more certificate objects
 
    .PARAMETER Recipient
        Specifies the e-mail recipient address
 
    .PARAMETER SenderAddress
        Specifies the e-mail address with which the e-mail(s) will be sent
 
    .PARAMETER Contact
        A switch to decide if an e-mail should be sent to the contact from the given certificate.
 
    .PARAMETER ExpireDays
        Defines the scope of the search in days in which the next certificates expire
 
    .PARAMETER CertificateTemplates
        A list of certificate templates to be filtered for
 
    .EXAMPLE
        PS C:\Send-ExpirationMail -Certificates <Certficate> -Contact -SenderAddress <SenderAddress> -ExpireDays <ExpireDays> -CertificateTemplates <TemplateFilter>
 
        sends a mail of the certificate(s) <Certificate> expiring in the specified period <ExpireDays>
        to the specified contact from the certficate with the sender address <SenderAddress>,
        filtered by specified templates <TemplateFilter>
 
#>

    [CmdletBinding()]
    param (
        $Certificates,

        [string]
        $Recipient,

        [string]
        $SenderAddress,

        [switch]
        $Contact,

        [int]
        $ExpireDays,

        [string[]]
        $CertificateTemplates
    )

    #region mailbody
    $mailbody = @"
    <html>
    <head>
        <meta http-equiv=Content-Type content="text/html; charset=utf-8">
        <style>
            body{
                font-family:`"Calibri`",`"sans-serif`";
                font-size: 14px;
            }
            @font-face{
                font-family:`"Cambria Math`";
                panose-1:2 4 5 3 5 4 6 3 2 4;
            }
            @font-face{
                font-family:Calibri;
                panose-1:2 15 5 2 2 2 4 3 2 4;
            }
            @font-face{
                font-family:Tahoma;
                panose-1:2 11 6 4 3 5 4 4 2 4;
            }
            table{
                border: 1px solid black;
                border-collapse:collapse;
                mso-table-lspace:0pt;
                mso-table-rspace:0pt;
            }
            th{
                border: 1px solid black;
                background: #dddddd;
                padding: 5px;
            }
            td{
                border: 1px solid black;
                padding: 5px;
            }
            .crtsn{
                font-weight: bold;
                color: blue;
            }
            .crtexp{
                font-weight: bold;
                color: red;
            }
            .crtcn{
                font-weight: bold;
                color: orange;
            }
        </style>
    </head>
    <body>
    <p>
    Hallo Zusammen,<br /><br />
    Nachfolgend eine Liste über Zertifikate die in den nächsten $ExpireDays Tagen auslaufen<br />
    </p>
    <p>
    Auf folgenden Templates gefiltert: <br />
    <ul>
$($CertificateTemplates | Format-String " <li>{0}</li>" | Join-String "`n")
    </ul>
    </p>
    Details: <br />
    <p>
    <table>
        <tr>
            <th>Request ID</th>
            <th>Serial Number</th>
            <th>Requester Name</th>
            <th>Requested CN</th>
            <th>Certificate Template</th>
            <th>Expiration date</th>
        </tr>
%CertificateList%
    </p>
    <p>Mit freundlichen Gr&uuml;&szlig;en<br /><br /> Ihr PKI-Team</p>
    </body>
    </html>
"@

    $tableHTML = $Certificates |
    Select-PSFObject IssuedRequestID, "Certificate.SerialNumber As SN", RequesterName, "Certificate.Subject As Subject", TemplateDisplayName, "CertificateExpirationDate" |
    ConvertTo-Html -Fragment |
    Split-String "`n" |
    Select-Object -Skip 3 |
    Format-String " {0}"

    $mailbody = $mailbody | Set-String -OldValue %CertificateList% -NewValue ($tableHTML -join "`n") -DoNotUseRegex
    #endregion mailbody

    if ($Contact) { $Recipient = @($Certificates)[0].Contact }

    Set-MDMail -To $Recipient -Subject "Certificate Expiration Warning" -Body $mailbody -BodyAsHtml
    if ($SenderAddress) { Set-MDMail -From $SenderAddress }
    Send-MDMail -TaskName CertficateExpirationReport

}


<#
This is an example configuration file
 
By default, it is enough to have a single one of them,
however if you have enough configuration settings to justify having multiple copies of it,
feel totally free to split them into multiple files.
#>


<#
# Example Configuration
Set-PSFConfig -Module 'CertificateExpiration' -Name 'Example.Setting' -Value 10 -Initialize -Validation 'integer' -Handler { } -Description "Example configuration setting. Your module can then use the setting using 'Get-PSFConfigValue'"
#>


Set-PSFConfig -Module 'CertificateExpiration' -Name 'Import.DoDotSource' -Value $false -Initialize -Validation 'bool' -Description "Whether the module files should be dotsourced on import. By default, the files of this module are read as string value and invoked, which is faster but worse on debugging."
Set-PSFConfig -Module 'CertificateExpiration' -Name 'Import.IndividualFiles' -Value $false -Initialize -Validation 'bool' -Description "Whether the module files should be imported individually. During the module build, all module code is compiled into few files, which are imported instead by default. Loading the compiled versions is faster, using the individual files is easier for debugging and testing out adjustments."

<#
Stored scriptblocks are available in [PsfValidateScript()] attributes.
This makes it easier to centrally provide the same scriptblock multiple times,
without having to maintain it in separate locations.
 
It also prevents lengthy validation scriptblocks from making your parameter block
hard to read.
 
Set-PSFScriptblock -Name 'CertificateExpiration.ScriptBlockName' -Scriptblock {
     
}
#>



Register-PSFTeppScriptblock -Name "CertificateExpiration.TemplateDisplayName" -ScriptBlock {
    (Get-ADObject -SearchBase (Get-ADRootDSE).configurationNamingContext -LDAPFilter '(objectClass=pKICertificateTemplate)' -Properties DisplayName).DisplayName
} -CacheDuration 24h

<#
# Example:
Register-PSFTeppArgumentCompleter -Command Get-Alcohol -Parameter Type -Name CertificateExpiration.alcohol
#>


New-PSFLicense -Product 'CertificateExpiration' -Manufacturer 'Christian Sohr' -ProductVersion $script:ModuleVersion -ProductType Module -Name MIT -Version "1.0.0.0" -Date (Get-Date "2021-07-23") -Text @"
Copyright (c) 2021 Christian Sohr
 
Permission is hereby granted, free of charge, to any person obtaining a copy
of this software and associated documentation files (the "Software"), to deal
in the Software without restriction, including without limitation the rights
to use, copy, modify, merge, publish, distribute, sublicense, and/or sell
copies of the Software, and to permit persons to whom the Software is
furnished to do so, subject to the following conditions:
 
The above copyright notice and this permission notice shall be included in all
copies or substantial portions of the Software.
 
THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR
IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY,
FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE
AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER
LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM,
OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN THE
SOFTWARE.
"@

#endregion Load compiled code