PSWriteHTML.psm1
function Add-CustomFormatForDatetimeSorting { <# .SYNOPSIS .DESCRIPTION This function adds code to make the datatable columns sortable with different datetime formats. Formatting: Day (of Month) D - 1 2 ... 30 31 Do - 1st 2nd ... 30th 31st DD - 01 02 ... 30 31 Month M - 1 2 ... 11 12 Mo - 1st 2nd ... 11th 12th MM - 01 02 ... 11 12 MMM - Jan Feb ... Nov Dec MMMM - January February ... November December Year YY - 70 71 ... 29 30 YYYY - 1970 1971 ... 2029 2030 Hour H - 0 1 ... 22 23 HH - 00 01 ... 22 23 h - 1 2 ... 11 12 hh - 01 02 ... 11 12 Minute m - 0 1 ... 58 59 mm - 00 01 ... 58 59 Second s - 0 1 ... 58 59 ss - 00 01 ... 58 59 More formats http://momentjs.com/docs/#/displaying/ .PARAMETER CustomDateTimeFormat Array with strings of custom datetime format. The string is build from two parts. Format and locale. Locale is optional. format explanation: http://momentjs.com/docs/#/displaying/ locale explanation: http://momentjs.com/docs/#/i18n/ .LINK format explanation: http://momentjs.com/docs/#/displaying/ locale explanation: http://momentjs.com/docs/#/i18n/ .Example Add-CustomFormatForDatetimeSorting -CustomDateFormat 'dddd, MMMM Do, YYYY','HH:mm MMM D, YY' .Example Add-CustomFormatForDatetimeSorting -CustomDateFormat 'DD.MM.YYYY HH:mm:ss' #> [CmdletBinding()] param( [array]$DateTimeSortingFormat ) if ($Script:Output) { Remove-Variable Output -Scope Script } if ($DateTimeSortingFormat) { [array]$Script:Output = foreach ($format in $DateTimeSortingFormat) { "$.fn.dataTable.moment( '$format' );" } } else { # Default localized format $Script:Output = "$.fn.dataTable.moment( 'L' );" } return $Script:Output } function Add-TableContent { [CmdletBinding()] param( [System.Collections.Generic.List[PSCustomObject]] $ContentRows, [System.Collections.Generic.List[PSCUstomObject]] $ContentStyle, [System.Collections.Generic.List[PSCUstomObject]] $ContentTop, [System.Collections.Generic.List[PSCUstomObject]] $ContentFormattingInline, [string[]] $HeaderNames, [Array] $Table ) # This converts inline conditonal formatting into style. It's intensive because it actually scans whole Table # During scan it tries to match things and when it finds a match it prepares it for ContentStyling feature if ($ContentFormattingInline.Count -gt 0) { [Array] $AddStyles = for ($RowCount = 1; $RowCount -lt $Table.Count; $RowCount++) { [string[]] $RowData = $Table[$RowCount] -replace '</td></tr>' -replace '<tr><td>' -split '</td><td>' for ($ColumnCount = 0; $ColumnCount -lt $RowData.Count; $ColumnCount++) { foreach ($ConditionalFormatting in $ContentFormattingInline) { $ColumnIndexHeader = [array]::indexof($HeaderNames.ToUpper(), $($ConditionalFormatting.Name).ToUpper()) if ($ColumnIndexHeader -eq $ColumnCount) { if ($ConditionalFormatting.Type -eq 'number' -or $ConditionalFormatting.Type -eq 'decimal') { [decimal] $returnedValueLeft = 0 [bool]$resultLeft = [int]::TryParse($RowData[$ColumnCount], [ref]$returnedValueLeft) [decimal]$returnedValueRight = 0 [bool]$resultRight = [int]::TryParse($ConditionalFormatting.Value, [ref]$returnedValueRight) if ($resultLeft -and $resultRight) { $SideLeft = $returnedValueLeft $SideRight = $returnedValueRight } else { $SideLeft = $RowData[$ColumnCount] $SideRight = $ConditionalFormatting.Value } } elseif ($ConditionalFormatting.Type -eq 'int') { # Leaving this in althought only NUMBER is used. [int] $returnedValueLeft = 0 [bool]$resultLeft = [int]::TryParse($RowData[$ColumnCount], [ref]$returnedValueLeft) [int]$returnedValueRight = 0 [bool]$resultRight = [int]::TryParse($ConditionalFormatting.Value, [ref]$returnedValueRight) if ($resultLeft -and $resultRight) { $SideLeft = $returnedValueLeft $SideRight = $returnedValueRight } else { $SideLeft = $RowData[$ColumnCount] $SideRight = $ConditionalFormatting.Value } } else { $SideLeft = $RowData[$ColumnCount] $SideRight = $ConditionalFormatting.Value } if ($ConditionalFormatting.Operator -eq 'gt') { $Pass = $SideLeft -gt $SideRight } elseif ($ConditionalFormatting.Operator -eq 'lt') { $Pass = $SideLeft -lt $SideRight } elseif ($ConditionalFormatting.Operator -eq 'eq') { $Pass = $SideLeft -eq $SideRight } elseif ($ConditionalFormatting.Operator -eq 'le') { $Pass = $SideLeft -le $SideRighte } elseif ($ConditionalFormatting.Operator -eq 'ge') { $Pass = $SideLeft -ge $SideRight } elseif ($ConditionalFormatting.Operator -eq 'ne') { $Pass = $SideLeft -ne $SideRight } elseif ($ConditionalFormatting.Operator -eq 'like') { $Pass = $SideLeft -like $SideRight } elseif ($ConditionalFormatting.Operator -eq 'contains') { $Pass = $SideLeft -contains $SideRight } # This is generally risky, alternative business to do it, so doing above instead # if (Invoke-Expression -Command "`"$($RowData[$ColumnCount])`" -$($ConditionalFormatting.Operator) `"$($ConditionalFormatting.Value)`"") { if ($Pass) { # if ($RowData[$ColumnCount] -eq $ConditionalFormatting.Value) { # If we want to make conditional formatting for for row it requires a bit diff approach if ($ConditionalFormatting.Row) { for ($i = 0; $i -lt $RowData.Count; $i++) { [PSCustomObject]@{ RowIndex = $RowCount ColumnIndex = ($i + 1) # Since it's 0 based index and we count from 1 we need to add 1 Style = $ConditionalFormatting.Style } } } else { [PSCustomObject]@{ RowIndex = $RowCount ColumnIndex = ($ColumnIndexHeader + 1) # Since it's 0 based index and we count from 1 we need to add 1 Style = $ConditionalFormatting.Style } } } } } } } # This makes conditional forwarding a ContentStyle foreach ($Style in $AddStyles) { $ContentStyle.Add($Style) } } # Prepopulate hashtable with rows $TableRows = @{ } if ($ContentStyle) { for ($RowIndex = 0; $RowIndex -lt $Table.Count; $RowIndex++) { $TableRows[$RowIndex] = @{ } } } # Find rows in hashtable and add column to it foreach ($Content in $ContentStyle) { if ($Content.RowIndex -and $Content.ColumnIndex) { # ROWINDEX and COLUMNINDEX - ARRAYS # This takes care of Content by Column Nr foreach ($ColumnIndex in $Content.ColumnIndex) { # Column Index given by user is from 1 to infinity, Column Index is counted from 0 # We need to address this by doing - 1 foreach ($RowIndex in $Content.RowIndex) { $TableRows[$RowIndex][$ColumnIndex - 1] = @{ Style = $Content.Style } if ($Content.Text) { if ($Content.Used) { $TableRows[$RowIndex][$ColumnIndex - 1]['Text'] = '' $TableRows[$RowIndex][$ColumnIndex - 1]['Remove'] = $true } else { $TableRows[$RowIndex][$ColumnIndex - 1]['Text'] = $Content.Text $TableRows[$RowIndex][$ColumnIndex - 1]['Remove'] = $false $TableRows[$RowIndex][$ColumnIndex - 1]['ColSpan'] = $($Content.ColumnIndex).Count $TableRows[$RowIndex][$ColumnIndex - 1]['RowSpan'] = $($Content.RowIndex).Count $Content.Used = $true } } } } } elseif ($Content.RowIndex -and $Content.Name) { # ROWINDEX AND COLUMN NAMES - ARRAYS # This takes care of Content by Column Names (Header Names) foreach ($ColumnName in $Content.Name) { $Index = [array]::indexof($HeaderNames.ToUpper(), $ColumnName.ToUpper()) foreach ($RowIndex in $Content.RowIndex) { $TableRows[$RowIndex][$Index] = @{ Style = $Content.Style } } } } elseif ($Content.RowIndex -and (-not $Content.ColumnIndex -and -not $Content.Name)) { # Just ROW INDEX for ($ColumnIndex = 0; $ColumnIndex -lt $HeaderNames.Count; $ColumnIndex++) { foreach ($RowIndex in $Content.RowIndex) { $TableRows[$RowIndex][$ColumnIndex] = @{ Style = $Content.Style } } } } elseif (-not $Content.RowIndex -and ($Content.ColumnIndex -or $Content.Name)) { # JUST COLUMNINDEX or COLUMNNAMES for ($RowIndex = 1; $RowIndex -lt $($Table.Count); $RowIndex++) { if ($Content.ColumnIndex) { # JUST COLUMN INDEX foreach ($ColumnIndex in $Content.ColumnIndex) { $TableRows[$RowIndex][$ColumnIndex - 1] = @{ Style = $Content.Style } } } else { # JUST COLUMN NAMES foreach ($ColumnName in $Content.Name) { $ColumnIndex = [array]::indexof($HeaderNames.ToUpper(), $ColumnName.ToUpper()) $TableRows[$RowIndex][$ColumnIndex] = @{ Style = $Content.Style } } } } } } # Row 0 = Table Header # This builds table from scratch, skipping rows untouched by styling [Array] $NewTable = for ($RowCount = 0; $RowCount -lt $Table.Count; $RowCount++) { # No conditional formatting we can process just styling since we don't need values # We have column index and row index and that's enough # In case of conditional formatting it's different as it works on values if ($TableRows[$RowCount]) { [string[]] $RowData = $Table[$RowCount] -replace '</td></tr>' -replace '<tr><td>' -split '</td><td>' New-HTMLTag -Tag 'tr' { for ($ColumnCount = 0; $ColumnCount -lt $RowData.Count; $ColumnCount++) { if ($TableRows[$RowCount][$ColumnCount]) { if (-not $TableRows[$RowCount][$ColumnCount]['Remove']) { if ($TableRows[$RowCount][$ColumnCount]['Text']) { New-HTMLTag -Tag 'td' -Value { $TableRows[$RowCount][$ColumnCount]['Text'] } -Attributes @{ style = $TableRows[$RowCount][$ColumnCount]['Style'] colspan = if ($TableRows[$RowCount][$ColumnCount]['ColSpan'] -gt 1) { $TableRows[$RowCount][$ColumnCount]['ColSpan'] } else { } rowspan = if ($TableRows[$RowCount][$ColumnCount]['RowSpan'] -gt 1) { $TableRows[$RowCount][$ColumnCount]['RowSpan'] } else { } } # Version 1 - Alternative version to workaround DataTables.NET # New-HTMLTag -Tag 'td' -Value { $TableRows[$RowCount][$ColumnCount]['Text'] } -Attributes @{ # style = $TableRows[$RowCount][$ColumnCount]['Style'] # } } else { New-HTMLTag -Tag 'td' -Value { $RowData[$ColumnCount] } -Attributes @{ style = $TableRows[$RowCount][$ColumnCount]['Style'] } } } else { # RowSpan/ColSpan doesn't work in DataTables.net for content. # This means that this functionality is only good for Non-JS. # Normally you would just remove TD/TD and everything shopuld work # And it does work but only for NON-JS solution # Version 1 # Alternative Approach - this assumes the text will be zeroed # From visibility side it will look like an empty cells # However content will be stored only in first cell. # requires removal of colspan/rowspan # New-HTMLTag -Tag 'td' -Value { '' } -Attributes @{ # style = $TableRows[$RowCount][$ColumnCount]['Style'] # } # Version 2 # Below code was suggested as a workaround - it doesn't wrok # New-HTMLTag -Tag 'td' -Value { } -Attributes @{ # style = "display: none;" # } } } else { New-HTMLTag -Tag 'td' -Value { $RowData[$ColumnCount] } } } } } else { $Table[$RowCount] } } $NewTable } function Add-TableFiltering { [CmdletBinding()] param( [bool] $Filtering, [ValidateSet('Top', 'Bottom', 'Both')][string]$FilteringLocation = 'Bottom', [string] $DataTableName ) $Output = @{ } if ($Filtering) { # https://datatables.net/examples/api/multi_filter.html if ($FilteringLocation -eq 'Bottom') { $Output.FilteringTopCode = @" // Setup - add a text input to each footer cell `$('#$DataTableName tfoot th').each(function () { var title = `$(this).text(); `$(this).html('<input type="text" placeholder="' + title + '" />'); }); "@ $Output.FilteringBottomCode = @" // Apply the search for footer cells table.columns().every(function () { var that = this; `$('input', this.footer()).on('keyup change', function () { if (that.search() !== this.value) { that.search(this.value).draw(); } }); }); "@ } elseif ($FilteringLocation -eq 'Both') { $Output.FilteringTopCode = @" // Setup - add a text input to each header cell `$('#$DataTableName thead th').each(function () { var title = `$(this).text(); `$(this).html('<input type="text" placeholder="' + title + '" />'); }); // Setup - add a text input to each footer cell `$('#$DataTableName tfoot th').each(function () { var title = `$(this).text(); `$(this).html('<input type="text" placeholder="' + title + '" />'); }); "@ $Output.FilteringBottomCode = @" // Apply the search for header cells table.columns().eq(0).each(function (colIdx) { `$('input', table.column(colIdx).header()).on('keyup change', function () { table .column(colIdx) .search(this.value) .draw(); }); `$('input', table.column(colIdx).header()).on('click', function (e) { e.stopPropagation(); }); }); // Apply the search for footer cells table.columns().every(function () { var that = this; `$('input', this.footer()).on('keyup change', function () { if (that.search() !== this.value) { that.search(this.value).draw(); } }); }); "@ } else { # top headers $Output.FilteringTopCode = @" // Setup - add a text input to each header cell `$('#$DataTableName thead th').each(function () { var title = `$(this).text(); `$(this).html('<input type="text" placeholder="' + title + '" />'); }); "@ $Output.FilteringBottomCode = @" // Apply the search for header cells table.columns().eq(0).each(function (colIdx) { `$('input', table.column(colIdx).header()).on('keyup change', function () { table .column(colIdx) .search(this.value) .draw(); }); `$('input', table.column(colIdx).header()).on('click', function (e) { e.stopPropagation(); }); }); "@ } } else { $Output.FilteringTopCode = $Output.FilteringBottomCode = '' # assign multiple same values trick } return $Output } function Add-TableHeader { [CmdletBinding()] param( [System.Collections.Generic.List[PSCustomObject]] $HeaderRows, [System.Collections.Generic.List[PSCUstomObject]] $HeaderStyle, [System.Collections.Generic.List[PSCUstomObject]] $HeaderTop, [System.Collections.Generic.List[PSCUstomObject]] $HeaderResponsiveOperations, [string[]] $HeaderNames ) if ($HeaderRows.Count -eq 0 -and $HeaderStyle.Count -eq 0 -and $HeaderTop.Count -eq 0 -and $HeaderResponsiveOperations.Count -eq 0) { return } # Prepares for styles to merged headers [Array] $MergeColumns = foreach ($Row in $HeaderRows) { $Index = foreach ($R in $Row.Names) { [array]::indexof($HeaderNames.ToUpper(), $R.ToUpper()) } if ($Index -contains -1) { Write-Warning -Message "Table Header can't be processed properly. Names on the list to merge were not found in Table Header." } else { @{ Index = $Index Title = $Row.Title Count = $Index.Count Style = $Row.Style Used = $false } } } $ResponsiveOperations = @{ } foreach ($Row in $HeaderResponsiveOperations) { foreach ($_ in $Row.Names) { $Index = [array]::indexof($HeaderNames.ToUpper(), $_.ToUpper()) $ResponsiveOperations[$Index] = @{ Index = $Index ResponsiveOperations = $Row.ResponsiveOperations Used = $false } } } # Prepares for styles to standard header rows $Styles = @{ } foreach ($Row in $HeaderStyle) { foreach ($_ in $Row.Names) { $Index = [array]::indexof($HeaderNames.ToUpper(), $_.ToUpper()) $Styles[$Index] = @{ Index = $Index Title = $Row.Title Count = $Index.Count Style = $Row.Style Used = $false } } } if ($HeaderTop.Count -gt 0) { $UsedColumns = 0 $ColumnsTotal = $HeaderNames.Count $TopHeader = New-HTMLTag -Tag 'tr' { foreach ($_ in $HeaderTop) { if ($_.ColumnCount -eq 0) { $UsedColumns = $ColumnsTotal - $UsedColumns New-HTMLTag -Tag 'th' -Attributes @{ colspan = $UsedColumns; style = ($_.Style) } -Value { $_.Title } } else { if ($_.ColumnCount -le $ColumnsTotal) { $UsedColumns = $UsedColumns + $_.ColumnCount } else { $UsedColumns = - ($ColumnsTotal - $_.ColumnCount) } New-HTMLTag -Tag 'th' -Attributes @{ colspan = $_.ColumnCount; style = ($_.Style) } -Value { $_.Title } } } } } $AddedHeader = @( $NewHeader = [System.Collections.Generic.List[string]]::new() $TopHeader New-HTMLTag -Tag 'tr' { for ($i = 0; $i -lt $HeaderNames.Count; $i++) { $Found = $false foreach ($_ in $MergeColumns) { if ($_.Index -contains $i) { if ($_.Used -eq $false) { New-HTMLTag -Tag 'th' -Attributes @{ colspan = $_.Count; style = ($_.Style); class = $ResponsiveOperations[$i] } -Value { $_.Title } $_.Used = $true $Found = $true } else { $Found = $true # Do Nothing } } } if (-not $Found) { if ($MergeColumns.Count -eq 0) { # if there are no columns that are supposed to get a Title (merged Title over 2 or more columns) we remove rowspan completly and just apply style # the style will apply, however if Style will be empty it will be removed by New-HTMLTag function New-HTMLTag -Tag 'th' { $HeaderNames[$i] } -Attributes @{ style = $Styles[$i].Style; class = $ResponsiveOperations[$i].ResponsiveOperations } } else { # Since we're adding Title we need to use Rowspan. Rowspan = 2 means spaning row over 2 rows New-HTMLTag -Tag 'th' { $HeaderNames[$i] } -Attributes @{ rowspan = 2; style = $Styles[$i].Style; class = $ResponsiveOperations[$i].ResponsiveOperations } } } else { $Head = New-HTMLTag -Tag 'th' { $HeaderNames[$i] } -Attributes @{ style = $Styles[$i].Style; class = $ResponsiveOperations[$i].ResponsiveOperations } $NewHeader.Add($Head) } } } if ($NewHeader.Count) { New-HTMLTag -Tag 'tr' { $NewHeader } } ) return $AddedHeader } function Add-TableState { [CmdletBinding()] param( [bool] $Filtering, [bool] $SavedState, [string] $DataTableName, [ValidateSet('Top', 'Bottom', 'Both')][string]$FilteringLocation = 'Bottom' ) if ($Filtering -and $SavedState) { if ($FilteringLocation -eq 'Top') { $Output = @" // Setup - Looading text input from SavedState `$('#$DataTableName').on('stateLoaded.dt', function(e, settings, data) { settings.aoPreSearchCols.forEach(function(col, index) { if (col.sSearch) setTimeout(function() { `$('#$DataTableName thead th:eq('+index+') input').val(col.sSearch) }, 50) }) }); "@ } elseif ($FilteringLocation -eq 'Both') { $Output = @" // Setup - Looading text input from SavedState `$('#$DataTableName').on('stateLoaded.dt', function(e, settings, data) { settings.aoPreSearchCols.forEach(function(col, index) { if (col.sSearch) setTimeout(function() { `$('#$DataTableName thead th:eq('+index+') input').val(col.sSearch) }, 50) }) }); // Setup - Looading text input from SavedState `$('#$DataTableName').on('stateLoaded.dt', function(e, settings, data) { settings.aoPreSearchCols.forEach(function(col, index) { if (col.sSearch) setTimeout(function() { `$('#$DataTableName tfoot th:eq('+index+') input').val(col.sSearch) }, 50) }) }); "@ } else { $Output = @" // Setup - Looading text input from SavedState `$('#$DataTableName').on('stateLoaded.dt', function(e, settings, data) { settings.aoPreSearchCols.forEach(function(col, index) { if (col.sSearch) setTimeout(function() { `$('#$DataTableName tfoot th:eq('+index+') input').val(col.sSearch) }, 50) }) }) "@ } } else { $Output = '' } return $Output } function Convert-ImagesToBinary { [CmdLetBinding()] param( [string[]] $Content, [string] $Search, [string] $ReplacePath ) if ($Content -like "*$Search*") { $Replace = "data:image/$FileType;base64," + [Convert]::ToBase64String((Get-Content -LiteralPath $ReplacePath -Encoding Byte)) $Content = $Content.Replace($Search, $Replace) } $Content } function Convert-StyleContent { [CmdLetBinding()] param( [string[]] $CSS, [string] $ImagesPath, [string] $SearchPath ) #Get-ObjectType -Object $CSS -VerboseOnly -Verbose $ImageFiles = Get-ChildItem -Path (Join-Path $ImagesPath '\*') -Include *.jpg, *.png, *.bmp #-Recurse foreach ($Image in $ImageFiles) { #$Image.FullName #$Image.Name $CSS = Convert-ImagesToBinary -Content $CSS -Search "$SearchPath$($Image.Name)" -ReplacePath $Image.FullName } return $CSS } # #Convert-StyleContent -ImagesPath "$PSScriptRoot\Resources\Images\DataTables" -SearchPath "DataTables-1.10.18/images/" function Convert-StyleContent1 { param( [PSCustomObject] $Options ) # Replace PNG / JPG files in Styles if ($null -ne $Options.StyleContent) { Write-Verbose "Logos: $($Options.Logos.Keys -join ',')" foreach ($Logo in $Options.Logos.Keys) { $Search = "../images/$Logo.png", "DataTables-1.10.18/images/$Logo.png" $Replace = $Options.Logos[$Logo] foreach ($S in $Search) { Write-Verbose "Logos - replacing $S with binary representation" $Options.StyleContent = ($Options.StyleContent).Replace($S, $Replace) } } } } function ConvertTo-CSS { [CmdletBinding()] param( [string] $ClassName, [System.Collections.IDictionary] $Attributes ) $Css = @( ".$ClassName {" foreach ($_ in $Attributes.Keys) { if ($null -ne $Attributes[$_]) { "$($_): $($Attributes[$_]);" } } '}' ) -join "`n" $CSS } function ConvertTo-HTMLStyle { [CmdletBinding()] param( [nullable[RGBColors]] $Color, [nullable[RGBColors]] $BackGroundColor, [int] $FontSize, [ValidateSet('normal', 'bold', 'bolder', 'lighter', '100', '200', '300', '400', '500', '600', '700', '800', '900')][string] $FontWeight, [ValidateSet('normal', 'italic', 'oblique')][string] $FontStyle, [ValidateSet('normal', 'small-caps')][string] $FontVariant, [string] $FontFamily, [ValidateSet('left', 'center', 'right', 'justify')][string] $Alignment, [ValidateSet('none', 'line-through', 'overline', 'underline')][string] $TextDecoration, [ValidateSet('uppercase', 'lowercase', 'capitalize')][string] $TextTransform, [ValidateSet('rtl')][string] $Direction, [switch] $LineBreak ) if ($FontSize -eq 0) { $Size = '' } else { $size = "$($FontSize)px" } $Style = @{ 'color' = ConvertFrom-Color -Color $Color 'background-color' = ConvertFrom-Color -Color $BackGroundColor 'font-size' = $Size 'font-weight' = $FontWeight 'font-variant' = $FontVariant 'font-family' = $FontFamily 'font-style' = $FontStyle 'text-align' = $Alignment 'text-decoration' = $TextDecoration 'text-transform' = $TextTransform } # Removes empty, not needed values from hashtable. It's much easier then using if/else to verify for null/empty string Remove-EmptyValues -Hashtable $Style return $Style } function Get-FeaturesInUse { <# .SYNOPSIS Short description .DESCRIPTION Long description .PARAMETER PriorityFeatures Define priority features - important for ordering when CSS or JS has to be processed in certain order .EXAMPLE Get-FeaturesInUse -PriorityFeatures 'Jquery', 'DataTables', 'Tabs', 'Test' .NOTES General notes #> [CmdletBinding()] param( [string[]] $PriorityFeatures ) [Array] $Features = foreach ($Key in $Script:HTMLSchema.Features.Keys) { if ($Script:HTMLSchema.Features[$Key]) { $Key } } [Array] $TopFeatures = foreach ($Feature in $PriorityFeatures) { if ($Features -contains $Feature) { $Feature } } [Array] $RemainingFeatures = foreach ($Feature in $Features) { if ($TopFeatures -notcontains $Feature) { $Feature } } [Array] $AllFeatures = $TopFeatures + $RemainingFeatures $AllFeatures } Function Get-HTMLLogos { <# .SYNOPSIS Get Base64 HTML #> [CmdletBinding()] param ( [Parameter(Mandatory = $false)] [string]$LeftLogoName = "Sample", [string]$RightLogoName = "Alternate", [string]$LeftLogoString, [string]$RightLogoString ) $LogoSources = @{ } $LogoPath = @( if ([String]::IsNullOrEmpty($RightLogoString) -eq $false -or [String]::IsNullOrEmpty($LeftLogoString) -eq $false) { if ([String]::IsNullOrEmpty($RightLogoString) -eq $false) { $LogoSources.Add($RightLogoName, $RightLogoString) } if ([String]::IsNullOrEmpty($LeftLogoString) -eq $false) { $LogoSources.Add($LeftLogoName, $LeftLogoString) } } else { "$PSScriptRoot\Resources\Images\Other" } "$PSScriptRoot\Resources\Images\DataTables" ) $ImageFiles = Get-ChildItem -Path (Join-Path $LogoPath '\*') -Include *.jpg, *.png, *.bmp -Recurse foreach ($ImageFile in $ImageFiles) { if ($ImageFile.Extension -eq '.jpg') { $FileType = 'jpeg' } else { $FileType = $ImageFile.Extension.Replace('.', '') } Write-Verbose "Converting $($ImageFile.FullName) to base64 ($FileType)" if ($PSEdition -eq 'Core') { $ImageContent = Get-Content -AsByteStream -LiteralPath $ImageFile.FullName } else { $ImageContent = Get-Content -LiteralPath $ImageFile.FullName -Encoding Byte } $LogoSources.Add($ImageFile.BaseName, "data:image/$FileType;base64," + [Convert]::ToBase64String(($ImageContent))) } Write-Output $LogoSources } function Get-HTMLPartContent { param( [Array] $Content, [string] $Start, [string] $End, [ValidateSet('Before', 'Between', 'After')] $Type = 'Between' ) $NrStart = $Content.IndexOf($Start) $NrEnd = $Content.IndexOf($End) #Write-Color $NrStart, $NrEnd, $Type -Color White, Yellow, Blue if ($Type -eq 'Between') { if ($NrStart -eq -1) { # return nothing return } $Content[$NrStart..$NrEnd] } if ($Type -eq 'After') { if ($NrStart -eq -1) { # Returns untouched content return $Content } $Content[($NrEnd + 1)..($Content.Count - 1)] } if ($Type -eq 'Before') { if ($NrStart -eq -1) { # return nothing return } $Content[0..$NrStart] } } function Get-Resources { [CmdLetBinding()] param( [switch] $UseCssLinks, [switch] $UseJavaScriptLinks, [switch] $NoScript, [ValidateSet('Header', 'Footer', 'HeaderAlways', 'FooterAlways')][string] $Location ) DynamicParam { # Defines Features Parameter Dynamically $Names = $Script:Configuration.Features.Keys $ParamAttrib = New-Object System.Management.Automation.ParameterAttribute $ParamAttrib.Mandatory = $true $ParamAttrib.ParameterSetName = '__AllParameterSets' $ReportAttrib = New-Object System.Collections.ObjectModel.Collection[System.Attribute] $ReportAttrib.Add($ParamAttrib) $ReportAttrib.Add((New-Object System.Management.Automation.ValidateSetAttribute($Names))) $ReportRuntimeParam = New-Object System.Management.Automation.RuntimeDefinedParameter('Features', [string[]], $ReportAttrib) $RuntimeParamDic = New-Object System.Management.Automation.RuntimeDefinedParameterDictionary $RuntimeParamDic.Add('Features', $ReportRuntimeParam) return $RuntimeParamDic } Process { [string[]] $Features = $PSBoundParameters.Features foreach ($Feature in $Features) { Write-Verbose "Get-Resources - Location: $Location - Feature: $Feature UseCssLinks: $UseCssLinks UseJavaScriptLinks: $UseJavaScriptLinks" if ($UseCssLinks) { New-HTMLResourceCSS -Link $Script:Configuration.Features.$Feature.$Location.'CssLink' -ResourceComment $Script:Configuration.Features.$Feature.Comment } else { $CSSOutput = New-HTMLResourceCSS ` -FilePath $Script:Configuration.Features.$Feature.$Location.'Css' ` -ResourceComment $Script:Configuration.Features.$Feature.Comment ` -Replace $Script:Configuration.Features.$Feature.CustomActionsReplace Convert-StyleContent -CSS $CSSOutput -ImagesPath "$PSScriptRoot\Resources\Images\DataTables" -SearchPath "DataTables-1.10.18/images/" } if ($UseJavaScriptLinks) { New-HTMLResourceJS -Link $Script:Configuration.Features.$Feature.$Location.'JsLink' -ResourceComment $Script:Configuration.Features.$Feature.Comment } else { New-HTMLResourceJS -FilePath $Script:Configuration.Features.$Feature.$Location.'Js' -ResourceComment $Script:Configuration.Features.$Feature.Comment -ReplaceData $Script:Configuration.Features.$Feature.CustomActionsReplace } if ($NoScript) { [Array] $Output = @( if ($UseCssLinks) { New-HTMLResourceCSS -Link $Script:Configuration.Features.$Feature.$Location.'CssLinkNoScript' -ResourceComment $Script:Configuration.Features.$Feature.Comment } else { $CSSOutput = New-HTMLResourceCSS -FilePath $Script:Configuration.Features.$Feature.$Location.'CssNoScript' -ResourceComment $Script:Configuration.Features.$Feature.Comment -ReplaceData $Script:Configuration.Features.$Feature.CustomActionsReplace Convert-StyleContent -CSS $CSSOutput -ImagesPath "$PSScriptRoot\Resources\Images\DataTables" -SearchPath "DataTables-1.10.18/images/" } ) if (($Output.Count -gt 0) -and ($null -ne $Output[0])) { New-HTMLTag -Tag 'noscript' { $Output } } } } } } function New-ApexChart { [CmdletBinding()] param( [System.Collections.IDictionary] $Options, [ValidateSet('default', 'central')][string] $Positioning = 'default' ) $Script:HTMLSchema.Features.ChartsApex = $true [string] $ID = "ChartID-" + (Get-RandomStringName -Size 8) if ($Positioning -eq 'default') { $Class = '' } else { $Class = $Positioning } $Div = New-HTMLTag -Tag 'div' -Attributes @{ id = $ID; class = $Class } $Script = New-HTMLTag -Tag 'script' -Value { # Convert Dictionary to JSON and return chart within SCRIPT tag # Make sure to return with additional empty string $JSON = $Options | ConvertTo-Json -Depth 5 | ForEach-Object { [System.Text.RegularExpressions.Regex]::Unescape($_) } "var options = $JSON" "var chart = new ApexCharts(document.querySelector('#$ID'), options );" "chart.render();" } -NewLine $Div # we need to move it to the end of the code therefore using additional vesel $Script:HTMLSchema.Charts.Add($Script) } function New-ChartAxisX { [alias('ChartCategory', 'ChartAxisX', 'New-ChartCategory')] [CmdletBinding()] param( [alias('Name')][Array] $Names, [alias('Title')][string] $TitleText, [ValidateSet('datetime', 'category', 'numeric')][string] $Type = 'category', [int] $MinValue, [int] $MaxValue #[ValidateSet('top', 'topRight', 'left', 'right', 'bottom', '')][string] $LegendPosition = '', # [RGBColors[]] $Color ) [PSCustomObject] @{ ObjectType = 'ChartAxisX' ChartAxisX = @{ Names = $Names Type = $Type TitleText = $TitleText Min = $MinValue Max = $MaxValue } # LegendPosition = $LegendPosition # Color = $Color } # https://apexcharts.com/docs/options/xaxis/ } <# We can build this: xaxis: { type: 'category', categories: [], labels: { show: true, rotate: -45, rotateAlways: false, hideOverlappingLabels: true, showDuplicates: false, trim: true, minHeight: undefined, maxHeight: 120, style: { colors: [], fontSize: '12px', fontFamily: 'Helvetica, Arial, sans-serif', cssClass: 'apexcharts-xaxis-label', }, offsetX: 0, offsetY: 0, format: undefined, formatter: undefined, datetimeFormatter: { year: 'yyyy', month: "MMM 'yy", day: 'dd MMM', hour: 'HH:mm', }, }, axisBorder: { show: true, color: '#78909C', height: 1, width: '100%', offsetX: 0, offsetY: 0 }, axisTicks: { show: true, borderType: 'solid', color: '#78909C', height: 6, offsetX: 0, offsetY: 0 }, tickAmount: undefined, tickPlacement: 'between', min: undefined, max: undefined, range: undefined, floating: false, position: 'bottom', title: { text: undefined, offsetX: 0, offsetY: 0, style: { color: undefined, fontSize: '12px', fontFamily: 'Helvetica, Arial, sans-serif', cssClass: 'apexcharts-xaxis-title', }, }, crosshairs: { show: true, width: 1, position: 'back', opacity: 0.9, stroke: { color: '#b6b6b6', width: 0, dashArray: 0, }, fill: { type: 'solid', color: '#B1B9C4', gradient: { colorFrom: '#D8E3F0', colorTo: '#BED1E6', stops: [0, 100], opacityFrom: 0.4, opacityTo: 0.5, }, }, dropShadow: { enabled: false, top: 0, left: 0, blur: 1, opacity: 0.4, }, }, tooltip: { enabled: true, formatter: undefined, offsetY: 0, }, } #> function New-ChartAxisY { [alias('ChartAxisY')] [CmdletBinding()] param( [switch] $Show, [switch] $ShowAlways, [string] $TitleText, [ValidateSet('90', '270')][string] $TitleRotate = '90', [int] $TitleOffsetX = 0, [int] $TitleOffsetY = 0, [RGBColors] $TitleStyleColor = [RGBColors]::None, [int] $TitleStyleFontSize = 12, [string] $TitleStylefontFamily = 'Helvetica, Arial, sans-serif', [int] $MinValue, [int] $MaxValue #[ValidateSet('top', 'topRight', 'left', 'right', 'bottom', '')][string] $LegendPosition = '', # [RGBColors[]] $Color ) [PSCustomObject] @{ ObjectType = 'ChartAxisY' ChartAxisY = @{ Show = $Show.IsPresent ShowAlways = $ShowAlways.IsPresent TitleText = $TitleText TitleRotate = $TitleRotate TitleOffsetX = $TitleOffsetX TitleOffsetY = $TitleOffsetY TitleStyleColor = $TitleStyleColor TitleStyleFontSize = $TitleStyleFontSize TitleStylefontFamily = $TitleStylefontFamily Min = $MinValue Max = $MaxValue } } # https://apexcharts.com/docs/options/yaxis/ } <# We can build this yaxis: { show: true, showAlways: true, seriesName: undefined, opposite: false, reversed: false, logarithmic: false, tickAmount: 6, min: 6, max: 6, forceNiceScale: false, floating: false, decimalsInFloat: undefined, labels: { show: true, align: 'right', minWidth: 0, maxWidth: 160, style: { color: undefined, fontSize: '12px', fontFamily: 'Helvetica, Arial, sans-serif', cssClass: 'apexcharts-yaxis-label', }, offsetX: 0, offsetY: 0, rotate: 0, formatter: (value) => { return val }, }, axisBorder: { show: true, color: '#78909C', offsetX: 0, offsetY: 0 }, axisTicks: { show: true, borderType: 'solid', color: '#78909C', width: 6, offsetX: 0, offsetY: 0 }, title: { text: undefined, rotate: -90, offsetX: 0, offsetY: 0, style: { color: undefined, fontSize: '12px', fontFamily: 'Helvetica, Arial, sans-serif', cssClass: 'apexcharts-yaxis-title', }, }, crosshairs: { show: true, position: 'back', stroke: { color: '#b6b6b6', width: 1, dashArray: 0, }, }, tooltip: { enabled: true, offsetX: 0, }, } #> function New-ChartBar { [alias('ChartBar')] [CmdletBinding()] param( [string] $Name, [object] $Value ) [PSCustomObject] @{ ObjectType = 'Bar' Name = $Name Value = $Value } } function New-ChartBarOptions { [alias('ChartBarOptions')] [CmdletBinding()] param( [ValidateSet('bar', 'barStacked', 'barStacked100Percent')] $Type = 'bar', [bool] $DataLabelsEnabled = $true, [int] $DataLabelsOffsetX = -6, [string] $DataLabelsFontSize = '12px', [nullable[RGBColors]] $DataLabelsColor, [alias('PatternedColors')][switch] $Patterned, [switch] $Distributed, [switch] $Vertical ) [PSCustomObject] @{ ObjectType = 'BarOptions' Type = $Type Title = $Title TitleAlignment = $TitleAlignment Horizontal = -not $Vertical.IsPresent DataLabelsEnabled = $DataLabelsEnabled DataLabelsOffsetX = $DataLabelsOffsetX DataLabelsFontSize = $DataLabelsFontSize DataLabelsColor = $DataLabelsColor PatternedColors = $Patterned.IsPresent Distributed = $Distributed.IsPresent } } function New-ChartGrid { [alias('ChartGrid')] [CmdletBinding()] param( [switch] $Show, [RGBColors] $BorderColor = [RGBColors]::None, [int] $StrokeDash, #: 0, [ValidateSet('front', 'back', 'default')][string] $Position = 'default', [switch] $xAxisLinesShow, [switch] $yAxisLinesShow, [RGBColors[]] $RowColors, [double] $RowOpacity = 0.5, # valid range 0 - 1 [RGBColors[]] $ColumnColors, [double] $ColumnOpacity = 0.5, # valid range 0 - 1 [int] $PaddingTop, [int] $PaddingRight, [int] $PaddingBottom, [int] $PaddingLeft ) [PSCustomObject] @{ ObjectType = 'ChartGrid' Grid = @{ Show = $Show.IsPresent BorderColor = $BorderColor StrokeDash = $StrokeDash Position = $Position xAxisLinesShow = $xAxisLinesShow.IsPresent yAxisLinesShow = $yAxisLinesShow.IsPresent RowColors = $RowColors RowOpacity = $RowOpacity ColumnColors = $ColumnColors ColumnOpacity = $ColumnOpacity PaddingTop = $PaddingTop PaddingRight = $PaddingRight PaddingBottom = $PaddingBottom PaddingLeft = $PaddingLeft } } # https://apexcharts.com/docs/options/xaxis/ } function New-ChartInternalArea { [CmdletBinding()] param( [System.Collections.IDictionary] $Options, [Array] $Data, [Array] $DataNames, [Array] $DataLegend, #[bool] $DataLabelsEnabled = $true, #[int] $DataLabelsOffsetX = -6, #[string] $DataLabelsFontSize = '12px', #[nullable[RGBColors]] $DataLabelsColor, [ValidateSet('datetime', 'category', 'numeric')][string] $DataCategoriesType = 'category' #$Type ) # Chart defintion type, size $Options.chart = @{ type = 'area' } $Options.series = @( New-ChartInternalDataSet -Data $Data -DataNames $DataNames ) # X AXIS - CATEGORIES $Options.xaxis = [ordered] @{ } if ($DataCategoriesType -ne '') { $Options.xaxis.type = $DataCategoriesType } if ($DataCategories.Count -gt 0) { $Options.xaxis.categories = $DataCategories } } function New-ChartInternalAxisX { [CmdletBinding()] param( [System.Collections.IDictionary] $Options, [string] $TitleText, [int] $Min, [int] $Max, [ValidateSet('datetime', 'category', 'numeric')][string] $Type = 'category', [Array] $Names ) if (-not $Options.Contains('xaxis')) { $Options.xaxis = @{ } } if ($TitleText -ne '') { $Options.xaxis.title = @{ } $Options.xaxis.title.text = $TitleText } if ($MinValue -gt 0) { $Options.xaxis.min = $Min } if ($MinValue -gt 0) { $Options.xaxis.max = $Max } if ($Type -ne '') { $Options.xaxis.type = $Type } if ($Names.Count -gt 0) { $Options.xaxis.categories = $Names } } function New-ChartInternalAxisY { [CmdletBinding()] param( [System.Collections.IDictionary] $Options, [string] $TitleText, [int] $Min, [int] $Max, [bool] $Show, [bool] $ShowAlways, [ValidateSet('90', '270')][string] $TitleRotate = '90', [int] $TitleOffsetX = 0, [int] $TitleOffsetY = 0, [RGBColors] $TitleStyleColor = [RGBColors]::None, [int] $TitleStyleFontSize = 12, [string] $TitleStylefontFamily = 'Helvetica, Arial, sans-serif' ) if (-not $Options.Contains('yaxis')) { $Options.yaxis = @{ } } #if ($Show) { $Options.yaxis.show = $Show $Options.yaxis.showAlways = $ShowAlways # } if ($TitleText -ne '') { $Options.yaxis.title = [ordered] @{ } $Options.yaxis.title.text = $TitleText $Options.yaxis.title.rotate = [int] $TitleRotate $Options.yaxis.title.offsetX = $TitleOffsetX $Options.yaxis.title.offsetY = $TitleOffsetY $Options.yaxis.title.style = [ordered] @{ } $Color = ConvertFrom-Color -Color $TitleStyleColor if ($null -ne $Color) { $Options.yaxis.title.style.color = $Coor } $Options.yaxis.title.style.fontSize = $TitleStyleFontSize $Options.yaxis.title.style.fontFamily = $TitleStylefontFamily } if ($Min -gt 0) { $Options.yaxis.min = $Min } if ($Min -gt 0) { $Options.yaxis.max = $Max } } <# We can build this yaxis: { show: true, showAlways: true, seriesName: undefined, opposite: false, reversed: false, logarithmic: false, tickAmount: 6, min: 6, max: 6, forceNiceScale: false, floating: false, decimalsInFloat: undefined, labels: { show: true, align: 'right', minWidth: 0, maxWidth: 160, style: { color: undefined, fontSize: '12px', fontFamily: 'Helvetica, Arial, sans-serif', cssClass: 'apexcharts-yaxis-label', }, offsetX: 0, offsetY: 0, rotate: 0, formatter: (value) => { return val }, }, axisBorder: { show: true, color: '#78909C', offsetX: 0, offsetY: 0 }, axisTicks: { show: true, borderType: 'solid', color: '#78909C', width: 6, offsetX: 0, offsetY: 0 }, title: { text: undefined, rotate: -90, offsetX: 0, offsetY: 0, style: { color: undefined, fontSize: '12px', fontFamily: 'Helvetica, Arial, sans-serif', cssClass: 'apexcharts-yaxis-title', }, }, crosshairs: { show: true, position: 'back', stroke: { color: '#b6b6b6', width: 1, dashArray: 0, }, }, tooltip: { enabled: true, offsetX: 0, }, } #> Function New-ChartInternalBar { [CmdletBinding()] param( [System.Collections.IDictionary] $Options, [bool] $Horizontal = $true, [bool] $DataLabelsEnabled = $true, [int] $DataLabelsOffsetX = -6, [string] $DataLabelsFontSize = '12px', [RGBColors[]] $DataLabelsColor, [string] $Title, [ValidateSet('center', 'left', 'right', 'default')][string] $TitleAlignment = 'default', [string] $Formatter, [ValidateSet('bar', 'barStacked', 'barStacked100Percent')] $Type = 'bar', #[RGBColors[]] $Colors, [switch] $PatternedColors, [switch] $Distributed, [Array] $Data, [Array] $DataNames, [Array] $DataLegend ) if ($Type -eq 'bar') { $Options.chart = [ordered] @{ type = 'bar' } } elseif ($Type -eq 'barStacked') { $Options.chart = [ordered] @{ type = 'bar' stacked = $true } } else { $Options.chart = [ordered] @{ type = 'bar' stacked = $true stackType = '100%' } } #if ($Colors.Count -gt 0) { # $RGBColor = ConvertFrom-Color -Color $Colors # $Options.colors = @($RGBColor) # } $Options.plotOptions = @{ bar = @{ horizontal = $Horizontal } } if ($Distributed) { $Options.plotOptions.bar.distributed = $Distributed.IsPresent } $Options.dataLabels = [ordered] @{ enabled = $DataLabelsEnabled offsetX = $DataLabelsOffsetX style = @{ fontSize = $DataLabelsFontSize } } if ($null -ne $DataLabelsColor) { $RGBColorLabel = ConvertFrom-Color -Color $DataLabelsColor $Options.dataLabels.style.colors = @($RGBColorLabel) } $Options.series = @(New-ChartInternalDataSet -Data $Data -DataNames $DataLegend) # X AXIS - CATEGORIES $Options.xaxis = [ordered] @{ } # if ($DataCategoriesType -ne '') { # $Options.xaxis.type = $DataCategoriesType #} if ($DataNames.Count -gt 0) { $Options.xaxis.categories = $DataNames # Need to figure out how to conver to json and leave function without "" #if ($Formatter -ne '') { #$Options.xaxis.labels = @{ #formatter = "function(val) { return val + `"$Formatter`" }" #} #} } New-ChartInternalTitle -Options $Options -Title $Title -TitleAlignment $TitleAlignment if ($PatternedColors) { $Options.fill = @{ type = 'pattern' opacity = 1 pattern = @{ style = @('circles', 'slantedLines', 'verticalLines', 'horizontalLines') } } } } function New-ChartInternalColors { param( [System.Collections.IDictionary] $Options, [RGBColors[]]$Colors ) if ($Colors.Count -gt 0) { $RGBColor = ConvertFrom-Color -Color $Colors $Options.colors = @($RGBColor) } } function New-ChartInternalDataLabels { param( [System.Collections.IDictionary] $Options, [bool] $DataLabelsEnabled = $true, [int] $DataLabelsOffsetX = -6, [string] $DataLabelsFontSize = '12px', [RGBColors[]] $DataLabelsColor ) $Options.dataLabels = [ordered] @{ enabled = $DataLabelsEnabled offsetX = $DataLabelsOffsetX style = @{ fontSize = $DataLabelsFontSize } } if ($DataLabelsColor.Count -gt 0) { $Options.dataLabels.style.colors = @(ConvertFrom-Color -Color $DataLabelsColor) } } function New-ChartInternalDataSet { [CmdletBinding()] param( [Array] $Data, [Array] $DataNames ) if ($null -ne $Data -and $null -ne $DataNames) { if ($Data[0] -is [System.Collections.ICollection]) { # If it's array of Arrays if ($Data[0].Count -eq $DataNames.Count) { for ($a = 0; $a -lt $Data.Count; $a++) { [ordered] @{ name = $DataNames[$a] data = $Data[$a] } } } elseif ($Data.Count -eq $DataNames.Count) { for ($a = 0; $a -lt $Data.Count; $a++) { [ordered] @{ name = $DataNames[$a] data = $Data[$a] } } } else { # rerun with just data (so it checks another if) New-ChartInternalDataSet -Data $Data } } else { if ($null -ne $DataNames) { # If it's just int in Array [ordered] @{ name = $DataNames data = $Data } } else { [ordered] @{ data = $Data } } } } elseif ($null -ne $Data) { # No names given if ($Data[0] -is [System.Collections.ICollection]) { # If it's array of Arrays foreach ($D in $Data) { [ordered] @{ data = $D } } } else { # If it's just int in Array [ordered] @{ data = $Data } } } else { Write-Warning -Message "New-ChartInternalDataSet - No Data provided. Unabled to create dataset." return [ordered] @{ } } } function New-ChartInternalGrid { [CmdletBinding()] param( [System.Collections.IDictionary] $Options, [bool] $Show, [RGBColors] $BorderColor = [RGBColors]::None, [int] $StrokeDash, #: 0, [ValidateSet('front', 'back', 'default')][string] $Position = 'default', [nullable[bool]] $xAxisLinesShow = $null, [nullable[bool]] $yAxisLinesShow = $null, [alias('GridColors')][RGBColors[]] $RowColors, [alias('GridOpacity')][double] $RowOpacity = 0.5, # valid range 0 - 1 [RGBColors[]] $ColumnColors , [double] $ColumnOpacity = 0.5, # valid range 0 - 1 [int] $PaddingTop, [int] $PaddingRight, [int] $PaddingBottom, [int] $PaddingLeft ) <# Build this https://apexcharts.com/docs/options/grid/ grid: { show: true, borderColor: '#90A4AE', strokeDashArray: 0, position: 'back', xaxis: { lines: {, show: false } }, yaxis: { lines: {, show: false } }, row: { colors: undefined, opacity: 0.5 }, column: { colors: undefined, opacity: 0.5 }, padding: { top: 0, right: 0, bottom: 0, left: 0 }, } #> $Options.grid = [ordered] @{ } $Options.grid.Show = $Show if ($BorderColor -ne [RGBColors]::None) { $options.grid.borderColor = @(ConvertFrom-Color -Color $BorderColor) } if ($StrokeDash -gt 0) { $Options.grid.strokeDashArray = $StrokeDash } if ($Position -ne 'Default') { $Options.grid.position = $Position } if ($null -ne $xAxisLinesShow) { $Options.grid.xaxis = @{ } $Options.grid.xaxis.lines = @{ } $Options.grid.xaxis.lines.show = $xAxisLinesShow } if ($null -ne $yAxisLinesShow) { $Options.grid.yaxis = @{ } $Options.grid.yaxis.lines = @{ } $Options.grid.yaxis.lines.show = $yAxisLinesShow } if ($RowColors.Count -gt 0 -or $RowOpacity -ne 0) { $Options.grid.row = @{ } if ($RowColors.Count -gt 0) { $Options.grid.row.colors = @(ConvertFrom-Color -Color $RowColors) } if ($RowOpacity -ne 0) { $Options.grid.row.opacity = $RowOpacity } } if ($ColumnColors.Count -gt 0 -or $ColumnOpacity -ne 0) { $Options.grid.column = @{ } if ($ColumnColors.Count -gt 0) { $Options.grid.column.colors = @(ConvertFrom-Color -Color $ColumnColors) } if ($ColumnOpacity -ne 0) { $Options.grid.column.opacity = $ColumnOpacitys } } if ($PaddingTop -gt 0 -or $PaddingRight -gt 0 -or $PaddingBottom -gt 0 -or $PaddingLeft -gt 0) { # Padding options $Options.grid.padding = @{ } if ($PaddingTop -gt 0) { $Options.grid.padding.PaddingTop = $PaddingTop } if ($PaddingRight -gt 0) { $Options.grid.padding.PaddingRight = $PaddingRight } if ($PaddingBottom -gt 0) { $Options.grid.padding.PaddingBottom = $PaddingBottom } if ($PaddingLeft -gt 0) { $Options.grid.padding.PaddingLeft = $PaddingLeft } } } function New-ChartInternalLegend { param( [System.Collections.IDictionary] $Options, [ValidateSet('top', 'topRight', 'left', 'right', 'bottom', 'default')][string] $LegendPosition = 'default' ) # legend if ($LegendPosition -eq 'default' -or $LegendPosition -eq 'bottom') { # Do nothing } elseif ($LegendPosition -eq 'right') { $Options.legend = [ordered]@{ position = 'right' offsetY = 100 height = 230 } } elseif ($LegendPosition -eq 'top') { $Options.legend = [ordered]@{ position = 'top' horizontalAlign = 'left' offsetX = 40 } } elseif ($LegendPosition -eq 'topRight') { $Options.legend = [ordered]@{ position = 'top' horizontalAlign = 'right' floating = true offsetY = -25 offsetX = -5 } } } function New-ChartInternalLine { [CmdletBinding()] param( [System.Collections.IDictionary] $Options, [Array] $Data, [Array] $DataNames, #[Array] $DataLegend, # [bool] $DataLabelsEnabled = $true, #[int] $DataLabelsOffsetX = -6, #[string] $DataLabelsFontSize = '12px', # [nullable[RGBColors]] $DataLabelsColor, [ValidateSet('datetime', 'category', 'numeric')][string] $DataCategoriesType = 'category' # $Type ) # Chart defintion type, size $Options.chart = @{ type = 'line' } $Options.series = @( New-ChartInternalDataSet -Data $Data -DataNames $DataNames ) # X AXIS - CATEGORIES $Options.xaxis = [ordered] @{ } if ($DataCategoriesType -ne '') { $Options.xaxis.type = $DataCategoriesType } if ($DataCategories.Count -gt 0) { $Options.xaxis.categories = $DataCategories } } function New-ChartInternalMarker { param( [System.Collections.IDictionary] $Options, [int] $MarkerSize ) if ($MarkerSize -gt 0) { $Options.markers = @{ size = $MarkerSize } } } function New-ChartInternalRadial { [CmdletBinding()] param( [System.Collections.IDictionary] $Options, [Array] $Values, [Array] $Names, $Type ) # Chart defintion type, size $Options.chart = @{ type = 'radialBar' } if ($Type -eq '1') { New-ChartInternalRadialType1 -Options $Options } elseif ($Type -eq '2') { New-ChartInternalRadialType2 -Options $Options } $Options.series = @($Values) $Options.labels = @($Names) } function New-ChartInternalRadialCircleType { [CmdletBinding()] param( [System.Collections.IDictionary] $Options, [ValidateSet('FullCircleTop', 'FullCircleBottom', 'FullCircleBottomLeft', 'FullCircleLeft', 'Speedometer', 'SemiCircleGauge')] $CircleType ) if ($CircleType -eq 'SemiCircleGauge') { $Options.plotOptions.radialBar = [ordered] @{ startAngle = -90 endAngle = 90 } } elseif ($CircleType -eq 'FullCircleBottom') { $Options.plotOptions.radialBar = [ordered] @{ startAngle = -180 endAngle = 180 } } elseif ($CircleType -eq 'FullCircleLeft') { $Options.plotOptions.radialBar = [ordered] @{ startAngle = -90 endAngle = 270 } } elseif ($CircleType -eq 'FullCircleBottomLeft') { $Options.plotOptions.radialBar = [ordered] @{ startAngle = -135 endAngle = 225 } } elseif ($CircleType -eq 'Speedometer') { $Options.plotOptions.radialBar = [ordered] @{ startAngle = -135 endAngle = 135 } } else { #FullCircleTop } } function New-ChartInternalRadialDataLabels { [CmdletBinding()] param( [System.Collections.IDictionary] $Options, [string] $LabelAverage = 'Average' ) if ($LabelAverage -ne '') { $Options.plotOptions.radialBar.dataLabels = @{ showOn = 'always' name = @{ # fontSize = '16px' # color = 'undefined' #offsetY = 120 } value = @{ #offsetY = 76 # fontSize = '22px' # color = 'undefined' # formatter = 'function (val) { return val + "%" }' } total = @{ show = $true label = $LabelAverage } } } } function New-ChartInternalRadialType1 { [CmdletBinding()] param( [System.Collections.IDictionary] $Options, [Array] $Values, [Array] $Names ) $Options.plotOptions = @{ radialBar = [ordered] @{ #startAngle = -135 #endAngle = 225 #startAngle = -135 #endAngle = 135 hollow = [ordered] @{ margin = 0 size = '70%' background = '#fff' image = 'undefined' imageOffsetX = 0 imageOffsetY = 0 position = 'front' dropShadow = @{ enabled = $true top = 3 left = 0 blur = 4 opacity = 0.24 } } track = [ordered] @{ background = '#fff' strokeWidth = '70%' margin = 0 #// margin is in pixels dropShadow = [ordered] @{ enabled = $true top = -3 left = 0 blur = 4 opacity = 0.35 } } <# dataLabels = @{ showOn = 'always' name = @{ # fontSize = '16px' # color = 'undefined' #offsetY = 120 } value = @{ #offsetY = 76 # fontSize = '22px' # color = 'undefined' # formatter = 'function (val) { return val + "%" }' } total = @{ show = $false label = 'Average' } } #> } } $Options.fill = [ordered] @{ type = 'gradient' gradient = [ordered] @{ shade = 'dark' type = 'horizontal' shadeIntensity = 0.5 gradientToColors = @('#ABE5A1') inverseColors = true opacityFrom = 1 opacityTo = 1 stops = @(0, 100) } } <# Gradient $Options.stroke = @{ lineCap = 'round' } #> <# $Options.fill = @{ type = 'gradient' gradient = @{ shade = 'dark' shadeIntensity = 0.15 inverseColors = false opacityFrom = 1 opacityTo = 1 stops = @(0, 50, 65, 91) } } #> $Options.stroke = [ordered] @{ dashArray = 4 } } function New-ChartInternalRadialType2 { [CmdletBinding()] param( [System.Collections.IDictionary] $Options, [Array] $Values, [Array] $Names ) $Options.plotOptions = @{ radialBar = [ordered] @{ #startAngle = -135 #endAngle = 225 #startAngle = -135 #endAngle = 135 hollow = [ordered] @{ margin = 0 size = '70%' background = '#fff' image = 'undefined' imageOffsetX = 0 imageOffsetY = 0 position = 'front' dropShadow = @{ enabled = $true top = 3 left = 0 blur = 4 opacity = 0.24 } } <# track = @{ background = '#fff' strokeWidth = '70%' margin = 0 #// margin is in pixels dropShadow = @{ enabled = $true top = -3 left = 0 blur = 4 opacity = 0.35 } } dataLabels = @{ showOn = 'always' name = @{ # fontSize = '16px' # color = 'undefined' offsetY = 120 } value = @{ offsetY = 76 # fontSize = '22px' # color = 'undefined' # formatter = 'function (val) { return val + "%" }' } total = @{ show = $false label = 'Average' } } #> } } } function New-ChartInternalSize { [CmdletBinding()] param( [System.Collections.IDictionary] $Options, [nullable[int]] $Height = 350, [nullable[int]] $Width ) if ($null -ne $Height) { $Options.chart.height = $Height } if ($null -ne $Width) { $Options.chart.width = $Width } } function New-ChartInternalSpark { [CmdletBinding()] param( [System.Collections.IDictionary] $Options, [nullable[RGBColors]] $Color, [string] $Title, [string] $SubTitle, [int] $FontSizeTitle = 24, [int] $FontSizeSubtitle = 14, [Array] $Values ) if ($Values.Count -eq 0) { Write-Warning 'Get-ChartSpark - Values Empty' } if ($null -ne $Color) { $ColorRGB = ConvertFrom-Color -Color $Color $Options.colors = @($ColorRGB) } $Options.chart = [ordered] @{ type = 'area' sparkline = @{ enabled = $true } } $Options.stroke = @{ curve = 'straight' } $Options.title = [ordered] @{ text = $Title offsetX = 0 style = @{ fontSize = "$($FontSizeTitle)px" cssClass = 'apexcharts-yaxis-title' } } $Options.subtitle = [ordered] @{ text = $SubTitle offsetX = 0 style = @{ fontSize = "$($FontSizeSubtitle)px" cssClass = 'apexcharts-yaxis-title' } } $Options.yaxis = @{ min = 0 } $Options.fill = @{ opacity = 0.3 } $Options.series = @( # Checks if it's multiple array passed or just one. If one it will draw one line, if more then one it will draw line per each array if ($Values[0] -is [Array]) { foreach ($Value in $Values) { @{ data = @($Value) } } } else { @{ data = @($Values) } } ) } function New-ChartInternalStrokeDefinition { param( [System.Collections.IDictionary] $Options, [bool] $LineShow = $true, [ValidateSet('straight', 'smooth', 'stepline')][string[]] $LineCurve, [int[]] $LineWidth, [ValidateSet('butt', 'square', 'round')][string[]] $LineCap, [RGBColors[]] $LineColor, [int[]] $LineDash ) # LINE Definition $Options.stroke = [ordered] @{ show = $LineShow } if ($LineCurve.Count -gt 0) { $Options.stroke.curve = $LineCurve } if ($LineWidth.Count -gt 0) { $Options.stroke.width = $LineWidth } if ($LineColor.Count -gt 0) { $Options.stroke.colors = @(ConvertFrom-Color -Color $LineColor) } if ($LineCap.Count -gt 0) { $Options.stroke.lineCap = $LineCap } if ($LineDash.Count -gt 0) { $Options.stroke.dashArray = $LineDash } } <# theme: { mode: 'light', palette: 'palette1', monochrome: { enabled: false, color: '#255aee', shadeTo: 'light', shadeIntensity: 0.65 }, } #> function New-ChartInternalTheme { [CmdletBinding()] param( [System.Collections.IDictionary] $Options, [ValidateSet('light', 'dark')][string] $Mode, [ValidateSet( 'palette1', 'palette2', 'palette3', 'palette4', 'palette5', 'palette6', 'palette7', 'palette8', 'palette9', 'palette10' ) ][string] $Palette = 'palette1', [switch] $Monochrome, [RGBColors] $Color = [RGBColors]::DodgerBlue, [ValidateSet('light', 'dark')][string] $ShadeTo = 'lightF', [double] $ShadeIntensity = 0.65 ) $Options.theme = [ordered] @{ mode = $Mode palette = $Palette monochrome = [ordered] @{ enabled = $Monochrome.IsPresent color = $Color shadeTo = $ShadeTo shadeIntensity = $ShadeIntensity } } } function New-ChartInternalTitle { param( [System.Collections.IDictionary] $Options, [string] $Title, [ValidateSet('center', 'left', 'right', 'default')][string] $TitleAlignment = 'default' ) # title $Options.title = [ordered] @{ } if ($TitleText -ne '') { $Options.title.text = $Title } if ($TitleAlignment -ne 'default') { $Options.title.align = $TitleAlignment } } function New-ChartInternalToolbar { [CmdletBinding()] param( [System.Collections.IDictionary] $Options, [bool] $Show = $false, [bool] $Download = $false, [bool] $Selection = $false, [bool] $Zoom = $false, [bool] $ZoomIn = $false, [bool] $ZoomOut = $false, [bool] $Pan = $false, [bool] $Reset = $false, [ValidateSet('zoom', 'selection', 'pan')][string] $AutoSelected = 'zoom' ) $Options.chart.toolbar = [ordered] @{ show = $show tools = [ordered] @{ download = $Download selection = $Selection zoom = $Zoom zoomin = $ZoomIn zoomout = $ZoomOut pan = $Pan reset = $Reset } autoSelected = $AutoSelected } } function New-ChartInternalZoom { [CmdletBinding()] param( [System.Collections.IDictionary] $Options, [switch] $Enabled ) if ($Enabled) { $Options.chart.zoom = @{ type = 'x' enabled = $Enabled.IsPresent } } } function New-ChartLegend { [alias('ChartLegend')] [CmdletBinding()] param( [Array] $Names, [ValidateSet('top', 'topRight', 'left', 'right', 'bottom', 'default')][string] $LegendPosition = 'default', [RGBColors[]] $Color ) [PSCustomObject] @{ ObjectType = 'Legend' Names = $Names LegendPosition = $LegendPosition Color = $Color } } function New-ChartLine { [alias('ChartLine')] [CmdletBinding()] param( [string] $Name, [object] $Value, [RGBColors] $Color, [ValidateSet('straight', 'smooth', 'stepline')] $Curve = 'straight', [int] $Width = 6, [ValidateSet('butt', 'square', 'round')][string] $Cap = 'butt', [int] $Dash = 0 ) [PSCustomObject] @{ ObjectType = 'Line' Name = $Name Value = $Value LineColor = $Color LineCurve = $Curve LineWidth = $Width LineCap = $Cap LineDash = $Dash } } function New-ChartTheme { [alias('ChartTheme')] [CmdletBinding()] param( [ValidateSet('light', 'dark')][string] $Mode, [ValidateSet( 'palette1', 'palette2', 'palette3', 'palette4', 'palette5', 'palette6', 'palette7', 'palette8', 'palette9', 'palette10' ) ][string] $Palette = 'palette1', [switch] $Monochrome, [RGBColors] $Color = [RGBColors]::DodgerBlue, [ValidateSet('light', 'dark')][string] $ShadeTo = 'lightF', [double] $ShadeIntensity = 0.65 ) [PSCustomObject] @{ ObjectType = 'Theme' Mode = $Mode Palette = $Palette Monochrome = $Monochrome.IsPresent Color = $Color ShadeTo = $ShadeTo ShadeIntensity = $ShadeIntensity } } function New-ChartToolbar { [alias('ChartToolbar')] [CmdletBinding()] param( [switch] $Download, [switch] $Selection, [switch] $Zoom, [switch] $ZoomIn, [switch] $ZoomOut, [switch] $Pan, [switch] $Reset, [ValidateSet('zoom', 'selection', 'pan')][string] $AutoSelected = 'zoom' ) [PSCustomObject] @{ ObjectType = 'Toolbar' Toolbar = @{ #Show = $Show.IsPresent #tools = [ordered] @{ download = $Download.IsPresent selection = $Selection.IsPresent zoom = $Zoom.IsPresent zoomin = $ZoomIn.IsPresent zoomout = $ZoomOut.IsPresent pan = $Pan.IsPresent reset = $Reset.IsPresent #} autoSelected = $AutoSelected } } } Function New-HTML { [CmdletBinding()] param( [Parameter(Position = 0)][ValidateNotNull()][ScriptBlock] $HtmlData = $(Throw "Have you put the open curly brace on the next line?"), [switch] $UseCssLinks, [switch] $UseJavaScriptLinks, [alias('Name', 'Title')][String] $TitleText, [string] $Author, [string] $DateFormat = 'yyyy-MM-dd HH:mm:ss', [int] $AutoRefresh, # save HTML options [Parameter(Mandatory = $false)][string]$FilePath, [alias('Show', 'Open')][Parameter(Mandatory = $false)][switch]$ShowHTML, [ValidateSet('Unknown', 'String', 'Unicode', 'Byte', 'BigEndianUnicode', 'UTF8', 'UTF7', 'UTF32', 'Ascii', 'Default', 'Oem', 'BigEndianUTF32')] $Encoding = 'UTF8' ) [string] $CurrentDate = (Get-Date).ToString($DateFormat) $Script:HTMLSchema = @{ TabsHeaders = [System.Collections.Generic.List[HashTable]]::new() # tracks / stores headers Features = @{ } # tracks features for CSS/JS implementation Charts = [System.Collections.Generic.List[string]]::new() # Tab settings TabOptions = @{ SlimTabs = $false } CustomCSS = [System.Collections.Generic.List[Array]]::new() } $OutputHTML = Invoke-Command -ScriptBlock $HtmlData if ($null -ne $OutputHTML -and $OutputHTML.Count -gt 0) { $Logo = Get-HTMLPartContent -Content $OutputHTML -Start '<!-- START LOGO -->' -End '<!-- END LOGO -->' -Type Between $OutputHTML = Get-HTMLPartContent -Content $OutputHTML -Start '<!-- START LOGO -->' -End '<!-- END LOGO -->' -Type After } $Features = Get-FeaturesInUse -PriorityFeatures 'JQuery', 'DataTables', 'Tabs' $HTML = @( '<!DOCTYPE html>' New-HTMLTag -Tag 'html' { '<!-- HEADER -->' New-HTMLTag -Tag 'head' { New-HTMLTag -Tag 'meta' -Attributes @{ charset = "utf-8" } -SelfClosing New-HTMLTag -Tag 'meta' -Attributes @{ name = 'viewport'; content = 'width=device-width, initial-scale=1' } -SelfClosing New-HTMLTag -Tag 'meta' -Attributes @{ name = 'author'; content = $Author } -SelfClosing New-HTMLTag -Tag 'meta' -Attributes @{ name = 'revised'; content = $CurrentDate } -SelfClosing New-HTMLTag -Tag 'title' { $TitleText } if ($Autorefresh -gt 0) { New-HTMLTag -Tag 'meta' -Attributes @{ 'http-equiv' = 'refresh'; content = $Autorefresh } -SelfClosing } Get-Resources -UseCssLinks:$true -UseJavaScriptLinks:$true -Location 'HeaderAlways' -Features Default, DefaultHeadings, Fonts, FontsAwesome Get-Resources -UseCssLinks:$false -UseJavaScriptLinks:$false -Location 'HeaderAlways' -Features Default, DefaultHeadings if ($null -ne $Features) { Get-Resources -UseCssLinks:$true -UseJavaScriptLinks:$true -Location 'HeaderAlways' -Features $Features -NoScript Get-Resources -UseCssLinks:$false -UseJavaScriptLinks:$false -Location 'HeaderAlways' -Features $Features -NoScript Get-Resources -UseCssLinks:$UseCssLinks -UseJavaScriptLinks:$UseJavaScriptLinks -Location 'Header' -Features $Features } } New-HTMLCustomCSS -Css $Script:HTMLSchema.CustomCSS '<!-- END HEADER -->' '<!-- BODY -->' New-HTMLTag -Tag 'body' { # Add logo if there is one $Logo # Add tabs header if there is one if ($Script:HTMLSchema.TabsHeaders) { New-HTMLTabHead } # Add remaining data $OutputHTML # Add charts scripts if those are there foreach ($Chart in $Script:HTMLSchema.Charts) { $Chart } } '<!-- END BODY -->' '<!-- FOOTER -->' New-HTMLTag -Tag 'footer' { if ($null -ne $Features) { # FooterAlways means we're not able to provide consistent output with and without links and we prefer those to be included # either as links or from file per required features Get-Resources -UseCssLinks:$true -UseJavaScriptLinks:$true -Location 'FooterAlways' -Features $Features Get-Resources -UseCssLinks:$false -UseJavaScriptLinks:$false -Location 'FooterAlways' -Features $Features # standard footer features Get-Resources -UseCssLinks:$UseCssLinks -UseJavaScriptLinks:$UseJavaScriptLinks -Location 'Footer' -Features $Features } } '<!-- END FOOTER -->' } ) if ($FilePath -ne '') { Save-HTML -HTML $HTML -FilePath $FilePath -ShowHTML:$ShowHTML -Encoding $Encoding } else { $HTML } } function New-HTMLAnchor { <# .SYNOPSIS Short description .DESCRIPTION Long description .PARAMETER Name Parameter description .PARAMETER Id Parameter description .PARAMETER Target Parameter description .PARAMETER Class Parameter description .PARAMETER HrefLink Parameter description .PARAMETER OnClick Parameter description .PARAMETER Style Parameter description .PARAMETER Text Parameter description .EXAMPLE New-HTMLAnchor -Target _parent New-HTMLAnchor -Id "show_$RandomNumber" -Href '#' -OnClick "show('$RandomNumber');" -Style "color: #ffffff; display:none;" -Text 'Show' Output: <a target = "_parent" /> .NOTES General notes #> param( [alias('AnchorName')][string] $Name, [string] $Id, [string] $Target, # "_blank|_self|_parent|_top|framename" [string] $Class, [alias('Url', 'Link', 'UrlLink', 'Href')][string] $HrefLink, [string] $OnClick, [string] $Style, [alias('AnchorText', 'Value')][string] $Text ) $Attributes = [ordered]@{ 'id' = $Id 'name' = $Name 'class' = $Class 'target' = $Target 'href' = $HrefLink 'onclick' = $OnClick 'style' = $Style } New-HTMLTag -Tag 'a' -Attributes $Attributes { $Text } } Function New-HTMLAnchorLink { <# .SYNOPSIS Creates Hyperlink for an Anchor .DESCRIPTION Long description .PARAMETER AnchorName The Actual name of the Anchor (Hidden) .PARAMETER AnchorText The HyperLink text. Will default to $AnchorNname if not specified .EXAMPLE Get-HTMLAnchorLink -AnchorName 'test' .NOTES General notes #> [CmdletBinding()] Param ( [Parameter(Mandatory = $true)][String] $AnchorName, [Parameter(Mandatory = $false)][String] $AnchorText ) if ($AnchorText -eq $null -or $AnchorText -eq '') { $AnchorText = $AnchorName } New-HTMLAnchor -Name $AnchorName -HrefLink '#' -Class 'alink' -Text $AnchorText } Function New-HTMLAnchorName { <# .SYNOPSIS Creates an anchor .DESCRIPTION Long description .PARAMETER AnchorName Parameter description .EXAMPLE An example .NOTES General notes #> [CmdletBinding()] Param ( [Parameter(Mandatory = $true)][String] $AnchorName ) New-HTMLAnchor -Name $AnchorName } function New-HTMLCanvas { [CmdletBinding()] param( [alias('Value')][Parameter(Mandatory = $false, Position = 0)][ValidateNotNull()][ScriptBlock] $Content = $(Throw "Open curly brace with Content"), [string] $ID, [string] $Width, [string] $Height, [string] $Style ) $Canvas = [Ordered] @{ Tag = 'canvas' Attributes = [ordered]@{ 'id' = $Id 'width' = $Width 'height' = $Height 'style' = $Style } SelfClosing = $false Value = Invoke-Command -ScriptBlock $Content } $HTML = Set-Tag -HtmlObject $Canvas return $HTML } function New-HTMLChart { [alias('Chart')] [CmdletBinding()] param( [ScriptBlock] $ChartSettings, [string] $Title, [ValidateSet('center', 'left', 'right', 'default')][string] $TitleAlignment = 'default', [nullable[int]] $Height = 350, [nullable[int]] $Width, [ValidateSet('default', 'central')][string] $Positioning = 'default' ) # Datasets Bar/Line $DataSet = [System.Collections.Generic.List[object]]::new() $DataName = [System.Collections.Generic.List[object]]::new() # Legend Variables $Colors = @() # Line Variables $LineColors = [System.Collections.Generic.List[RGBColors]]::new() $LineCurves = [System.Collections.Generic.List[string]]::new() $LineWidths = [System.Collections.Generic.List[int]]::new() $LineDashes = [System.Collections.Generic.List[int]]::new() $LineCaps = [System.Collections.Generic.List[string]]::new() # Bar default definitions [string] $BarType = 'bar' # Default [bool] $BarHorizontal = $true [bool] $BarDataLabelsEnabled = $true [int] $BarDataLabelsOffsetX = -6 [string] $BarDataLabelsFontSize = '12px' [bool] $BarPatternedColors = $false [bool] $BarDistributed = $false [string] $LegendPosition = 'default' # [Array] $Settings = & $ChartSettings foreach ($Setting in $Settings) { if ($Setting.ObjectType -eq 'Bar') { # For Bar Charts $Type = 'Bar' $DataSet.Add($Setting.Value) $DataName.Add($Setting.Name) } elseif ($Setting.ObjectType -eq 'Legend') { # For Bar Charts $DataLegend = $Setting.Names $LegendPosition = $Setting.LegendPosition if ($null -ne $Setting.Color) { $Colors = $Setting.Color } } elseif ($Setting.ObjectType -eq 'BarOptions') { # For Bar Charts $BarType = $Setting.Type $BarHorizontal = $Setting.Horizontal $BarDataLabelsEnabled = $Setting.DataLabelsEnabled $BarDataLabelsOffsetX = $Setting.DataLabelsOffsetX $BarDataLabelsFontSize = $Setting.DataLabelsFontSize $BarDataLabelsColor = $Setting.DataLabelsColor $BarPatternedColors = $Setting.PatternedColors $BarDistributed = $Setting.Distributed } elseif ($Setting.ObjectType -eq 'Toolbar') { # For All Charts $Toolbar = $Setting.Toolbar } elseif ($Setting.ObjectType -eq 'Line') { # For Line Charts $Type = 'Line' $DataSet.Add($Setting.Value) $DataName.Add($Setting.Name) if ($Setting.LineColor) { $LineColors.Add($Setting.LineColor) } if ($Setting.LineCurve) { $LineCurves.Add($Setting.LineCurve) } if ($Setting.LineWidth) { $LineWidths.Add($Setting.LineWidth) } if ($Setting.LineDash) { $LineDashes.Add($Setting.LineDash) } if ($Setting.LineCap) { $LineCaps.Add($Setting.LineCap) } } elseif ($Setting.ObjectType -eq 'ChartAxisX') { $ChartAxisX = $Setting.ChartAxisX #$DataCategory = $ChartAxisX.Names } elseif ($Setting.ObjectType -eq 'ChartGrid') { $GridOptions = $Setting.Grid } elseif ($Setting.ObjectType -eq 'ChartAxisY') { $ChartAxisY = $Setting.ChartAxisY } } if ($Type -eq 'Bar') { #if (-not $DataLegend) { # Write-Warning -Message 'Chart Legend is missing.' # Exit # } else { if ($DataLegend.Count -lt $DataSet[0].Count) { Write-Warning -Message "Chart Legend count doesn't match values count. Skipping." } #} # Fixes dataset/dataname to format expected by New-HTMLChartBar $HashTable = [ordered] @{ } $ArrayCount = $DataSet[0].Count if ($ArrayCount -eq 1) { $HashTable.1 = $DataSet } else { for ($i = 0; $i -lt $ArrayCount; $i++) { $HashTable.$i = [System.Collections.Generic.List[object]]::new() } foreach ($Value in $DataSet) { for ($h = 0; $h -lt $Value.Count; $h++) { $HashTable[$h].Add($Value[$h]) } } } New-HTMLChartBar ` -Data $($HashTable.Values) ` -DataNames $DataName ` -DataLegend $DataLegend ` -LegendPosition $LegendPosition ` -Type $BarType ` -Title $Title ` -TitleAlignment $TitleAlignment ` -Horizontal:$BarHorizontal ` -DataLabelsEnabled $BarDataLabelsEnabled ` -PatternedColors:$BarPatternedColors ` -DataLabelsOffsetX $BarDataLabelsOffsetX ` -DataLabelsFontSize $BarDataLabelsFontSize ` -Distributed:$BarDistributed ` -DataLabelsColor $BarDataLabelsColor ` -Height $Height ` -Width $Width ` -Colors $Colors ` -Toolbar $Toolbar ` -Positioning $Positioning } elseif ($Type -eq 'Line') { if (-not $ChartAxisX) { Write-Warning -Message 'Chart Category (Chart Axis X) is missing.' Exit } New-HTMLChartLine -Data $DataSet ` -DataNames $DataName ` -Title $Title ` -TitleAlignment $TitleAlignment ` -DataLabelsEnabled $BarDataLabelsEnabled ` -DataLabelsOffsetX $BarDataLabelsOffsetX ` -DataLabelsFontSize $BarDataLabelsFontSize ` -DataLabelsColor $BarDataLabelsColor ` -Height $Height ` -Width $Width ` -Positioning $Positioning ` -LineColor $LineColors ` -LineCurve $LineCurves ` -LineWidth $LineWidths ` -LineDash $LineDashes ` -LineCap $LineCaps ` -GridOptions $GridOptions ` -ChartAxisX $ChartAxisX ` -ChartAxisY $ChartAxisY #-DataLegend $DataCategory ` #-GridColors LightGrey, WhiteSmoke ` #-GridOpacity 0.5 ` # -PatternedColors:$BarPatternedColors ` -Distributed:$BarDistributed ` } } function New-HTMLChartArea { [CmdletBinding()] param( [nullable[int]] $Height = 350, [nullable[int]] $Width, [ValidateSet('default', 'central')][string] $Positioning = 'default', [bool] $DataLabelsEnabled = $true, [int] $DataLabelsOffsetX = -6, [string] $DataLabelsFontSize = '12px', [RGBColors[]] $DataLabelsColor, [ValidateSet('datetime', 'category', 'numeric')][string] $DataCategoriesType = 'category', [ValidateSet('straight', 'smooth', 'stepline')] $LineCurve = 'straight', [int] $LineWidth, [RGBColors[]] $LineColor, [RGBColors[]] $GridColors, [double] $GridOpacity, [string] $Title, [ValidateSet('center', 'left', 'right', 'default')][string] $TitleAlignment = 'default', [ValidateSet('top', 'topRight', 'left', 'right', 'bottom', 'default')][string] $LegendPosition = 'default', [string] $TitleX, [string] $TitleY, [int] $MarkerSize, [Array] $Data, [Array] $DataNames, [Array] $DataLegend, [switch] $Zoom ) $Options = [ordered] @{ } New-ChartInternalArea -Options $Options -Data $Data -DataNames $DataNames New-ChartInternalStrokeDefinition -Options $Options ` -LineShow $true ` -LineCurve $LineCurve ` -LineWidth $LineWidth ` -LineColor $LineColor New-ChartInternalDataLabels -Options $Options ` -DataLabelsEnabled $DataLabelsEnabled ` -DataLabelsOffsetX $DataLabelsOffsetX ` -DataLabelsFontSize $DataLabelsFontSize ` -DataLabelsColor $DataLabelsColor New-ChartInternalAxisX -Options $Options ` -Title $TitleX ` -DataCategoriesType $DataCategoriesType ` -DataCategories $DataLegend New-ChartInternalAxisY -Options $Options ` -Title $TitleY New-ChartInternalMarker -Options $Options -MarkerSize $MarkerSize New-ChartInternalTitle -Options $Options -Title $Title -TitleAlignment $TitleAlignment New-ChartInternalGrid -Options $Options -GridColors $GridColors -GridOpacity $GridOpacity New-ChartInternalLegend -Options $Options -LegendPosition $LegendPosition New-ChartInternalSize -Options $Options -Height $Height -Width $Width New-ChartInternalZoom -Options $Options -Enabled:$Zoom New-ChartInternalToolbar -Options $Options New-ApexChart -Positioning $Positioning -Options $Options } function New-HTMLChartBar { [CmdletBinding()] param( # [ScriptBlock] $ChartSettings, [nullable[int]] $Height = 350, [nullable[int]] $Width, [ValidateSet('default', 'central')][string] $Positioning = 'default', [ValidateSet('bar', 'barStacked', 'barStacked100Percent')] $Type = 'bar', [RGBColors[]] $Colors, [switch] $PatternedColors, [string] $Title, [ValidateSet('center', 'left', 'right', 'default')][string] $TitleAlignment = 'default', [bool] $Horizontal = $true, [bool] $DataLabelsEnabled = $true, [int] $DataLabelsOffsetX = -6, [string] $DataLabelsFontSize = '12px', [nullable[RGBColors]] $DataLabelsColor, [switch] $Distributed, [ValidateSet('top', 'topRight', 'left', 'right', 'bottom', 'default')][string] $LegendPosition = 'default', [Array] $Data, [Array] $DataNames, [Array] $DataLegend, [hashtable] $Toolbar ) #[Array] $Settings = & $ChartSettings #foreach ($Setting in $Settings) { # if ($Setting.ObjectType -eq 'Toolbar') { # $Toolbar = $Setting.Toolbar # } #} $Options = [ordered] @{ } New-ChartInternalBar -Options $Options -Horizontal $Horizontal -DataLabelsEnabled $DataLabelsEnabled ` -DataLabelsOffsetX $DataLabelsOffsetX -DataLabelsFontSize $DataLabelsFontSize -DataLabelsColor $DataLabelsColor ` -Data $Data -DataNames $DataNames -DataLegend $DataLegend -Title $Title -TitleAlignment $TitleAlignment ` -Type $Type ` -PatternedColors:$PatternedColors -Distributed:$Distributed New-ChartInternalColors -Options $Options -Colors $Colors New-ChartInternalLegend -Options $Options -LegendPosition $LegendPosition New-ChartInternalSize -Options $Options -Height $Height -Width $Width if ($Toolbar.Count -eq 0) { $Toolbar = @{ Show = $false } } else { $Toolbar.Show = $true } New-ChartInternalToolbar -Options $Options @Toolbar New-ApexChart -Positioning $Positioning -Options $Options } function New-HTMLChartLine { [CmdletBinding()] param( [nullable[int]] $Height = 350, [nullable[int]] $Width, [ValidateSet('default', 'central')][string] $Positioning = 'default', [bool] $DataLabelsEnabled = $true, [int] $DataLabelsOffsetX = -6, [string] $DataLabelsFontSize = '12px', [RGBColors[]] $DataLabelsColor, # [ValidateSet('datetime', 'category', 'numeric')][string] $DataCategoriesType = 'category', [ValidateSet('straight', 'smooth', 'stepline')][string[]] $LineCurve, [int[]] $LineWidth, [RGBColors[]] $LineColor, [int[]] $LineDash, [ValidateSet('butt', 'square', 'round')][string[]] $LineCap, #[RGBColors[]] $GridColors, #[double] $GridOpacity, [string] $Title, [ValidateSet('center', 'left', 'right', 'default')][string] $TitleAlignment = 'default', [ValidateSet('top', 'topRight', 'left', 'right', 'bottom', 'default')][string] $LegendPosition = 'default', #[string] $TitleX, #[string] $TitleY, [int] $MarkerSize, [Array] $Data, [Array] $DataNames, #[Array] $DataLegend, [System.Collections.IDictionary] $GridOptions, [System.Collections.IDictionary] $ChartAxisX, [System.Collections.IDictionary] $ChartAxisY ) $Options = [ordered] @{ } New-ChartInternalLine -Options $Options -Data $Data -DataNames $DataNames if ($LineCurve.Count -eq 0 -or ($LineCurve.Count -ne $DataNames.Count)) { $LineCurve = for ($i = $LineCurve.Count; $i -le $DataNames.Count; $i++) { 'straight' } } if ($LineCap.Count -eq 0 -or ($LineCap.Count -ne $DataNames.Count)) { $LineCap = for ($i = $LineCap.Count; $i -le $DataNames.Count; $i++) { 'butt' } } if ($LineDash.Count -eq 0) { } New-ChartInternalStrokeDefinition -Options $Options ` -LineShow $true ` -LineCurve $LineCurve ` -LineWidth $LineWidth ` -LineColor $LineColor ` -LineCap $LineCap ` -LineDash $LineDash # line colors (stroke colors ) doesn't cover legend - we need to make sure it's the same even thou lines are already colored New-ChartInternalColors -Options $Options -Colors $LineColor New-ChartInternalDataLabels -Options $Options ` -DataLabelsEnabled $DataLabelsEnabled ` -DataLabelsOffsetX $DataLabelsOffsetX ` -DataLabelsFontSize $DataLabelsFontSize ` -DataLabelsColor $DataLabelsColor if ($ChartAxisX) { New-ChartInternalAxisX -Options $Options @ChartAxisX } else { #New-ChartInternalAxisX -Options $Options # -Title $TitleX ` # -DataCategoriesType $DataCategoriesType ` # -DataCategories $DataLegend } if ($ChartAxisY) { New-ChartInternalAxisY -Options $Options @ChartAxisY } else { #New-ChartInternalAxisY -Options $Options } New-ChartInternalMarker -Options $Options -MarkerSize $MarkerSize New-ChartInternalTitle -Options $Options -Title $Title -TitleAlignment $TitleAlignment if ($GridOptions) { New-ChartInternalGrid -Options $Options @GridOptions #-GridColors $GridColors -GridOpacity $GridOpacity } else { New-ChartInternalGrid -Options $Options } New-ChartInternalLegend -Options $Options -LegendPosition $LegendPosition New-ChartInternalSize -Options $Options -Height $Height -Width $Width New-ChartInternalToolbar -Options $Options New-ApexChart -Positioning $Positioning -Options $Options } function New-HTMLChartRadial { [CmdletBinding()] param( [nullable[int]] $Height = 350, [nullable[int]] $Width, [ValidateSet('default', 'central')][string] $Positioning = 'default', [Array] $Names, [Array] $Values, $Type, [ValidateSet('FullCircleTop', 'FullCircleBottom', 'FullCircleBottomLeft', 'FullCircleLeft', 'Speedometer', 'SemiCircleGauge')] $CircleType = 'FullCircleTop', [string] $LabelAverage ) $Options = [ordered] @{ } New-ChartInternalRadial -Options $Options -Names $Names -Values $Values -Type $Type # This controls how the circle starts / left , right and so on New-ChartInternalRadialCircleType -Options $Options -CircleType $CircleType # This added label. It's useful if there's more then one data New-ChartInternalRadialDataLabels -Options $Options -Label $LabelAverage New-ChartInternalSize -Options $Options -Height $Height -Width $Width New-ChartInternalToolbar -Options $Options New-ApexChart -Positioning $Positioning -Options $Options } function New-HTMLChartSpark { [CmdletBinding()] param( [nullable[int]] $Height = 350, [nullable[int]] $Width, [ValidateSet('default', 'central')][string] $Positioning = 'default', # Data to display in Spark [Array] $Data, [string] $TitleText, [string] $SubTitleText, [int] $FontSizeTitle = 24, [int] $FontSizeSubtitle = 14, [nullable[RGBColors]] $Color ) $Options = [ordered] @{ } New-ChartInternalSpark -Options $Options -Color $Color -Title $TitleText -SubTitle $SubTitleText -FontSizeTitle $FontSizeTitle -FontSizeSubtitle $FontSizeSubtitle -Values $Data New-ChartInternalSize -Options $Options -Height $Height -Width $Width New-ChartInternalToolbar -Options $Options New-ApexChart -Positioning $Positioning -Options $Options } Function New-HTMLCodeBlock { [CmdletBinding()] Param ( [Parameter(Mandatory = $true)][String] $Code, [Parameter(Mandatory = $false)] [ValidateSet( 'assembly', 'asm', 'avrassembly', 'avrasm', 'c', 'cpp', 'c++', 'csharp', 'css', 'cython', 'cordpro', 'diff', 'docker', 'dockerfile', 'generic', 'standard', 'groovy', 'go', 'golang', 'html', 'ini', 'conf', 'java', 'js', 'javascript', 'jquery', 'mootools', 'ext.js', 'json', 'kotlin', 'less', 'lua', 'gfm', 'md', 'markdown', 'octave', 'matlab', 'nsis', 'php', 'powershell', 'prolog', 'py', 'python', 'raw', 'ruby', 'rust', 'scss', 'sass', 'shell', 'bash', 'sql', 'squirrel', 'swift', 'typescript', 'vhdl', 'visualbasic', 'vb', 'xml', 'yaml' )] [String] $Style = 'powershell', [Parameter(Mandatory = $false)] [ValidateSet( 'enlighter', 'standard', 'classic', 'bootstrap4', 'beyond', 'godzilla', 'eclipse', 'mootwo', 'droide', 'minimal', 'atomic', 'dracula', 'rowhammer' )][String] $Theme, [Parameter(Mandatory = $false)][String] $Group, [Parameter(Mandatory = $false)][String] $Title, [Parameter(Mandatory = $false)][String] $Highlight, [Parameter(Mandatory = $false)][nullable[bool]] $ShowLineNumbers, [Parameter(Mandatory = $false)][String] $LineOffset ) $Script:HTMLSchema.Features.CodeBlocks = $true <# Explanation to fields: data-enlighter-language (string) - The language of the codeblock - overrides the global default setting | Block+Inline Content option data-enlighter-theme (string) - The theme of the codeblock - overrides the global default setting | Block+Inline Content option data-enlighter-group (string) - The identifier of the codegroup where the codeblock belongs to | Block Content option data-enlighter-title (string) - The title/name of the tab | Block Content option data-enlighter-linenumbers (boolean) - Show/Hide the linenumbers of a codeblock (Values: "true", "false") | Block Content option data-enlighter-highlight (string) - A List of lines to point out, comma seperated (ranges are supported) e.g. "2,3,6-10" | Block Content option data-enlighter-lineoffset (number) - Start value of line-numbering e.g. "5" to start with line 5 - attribute start of the ol tag is set | Block Content option #> $Attributes = [ordered]@{ 'data-enlighter-language' = "$Style".ToLower() 'data-enlighter-theme' = "$Theme".ToLower() 'data-enlighter-group' = "$Group".ToLower() 'data-enlighter-title' = "$Title" 'data-enlighter-linenumbers' = "$ShowLineNumbers" 'data-enlighter-highlight' = "$Highlight" 'data-enlighter-lineoffset' = "$LineOffset".ToLower() } New-HTMLTag -Tag 'pre' -Attributes $Attributes { $Code } } function New-HTMLContainer { [CmdletBinding()] param( [Parameter(Mandatory = $false, Position = 0)][ScriptBlock] $HTML, [string] $Width, [string] $Margin ) if ($Width -or $Margin) { [string] $ClassName = "flexElement$(Get-RandomStringName -Size 8 -LettersOnly)" $Attributes = @{ 'flex-basis' = if ($Width) { $Width } else { '100%' } 'margin' = if ($Margin) { $Margin } } $Css = ConvertTo-CSS -ClassName $ClassName -Attributes $Attributes $Script:HTMLSchema.CustomCSS.Add($Css) [string] $Class = "$ClassName overflowHidden" } else { [string] $Class = 'flexElement overflowHidden' } New-HTMLTag -Tag 'div' -Attributes @{ class = $Class } { if ($HTML) { Invoke-Command -ScriptBlock $HTML } } } function New-HTMLCustomCSS { [CmdletBinding()] param( [System.Collections.IList] $CSS ) "<!-- CSS AUTOGENERATED on DEMAND START -->" foreach ($_ in $CSS) { if ($_) { New-HTMLTag -Tag 'style' -Attributes @{ type = 'text/css' } { $_ } -NewLine } } "<!-- CSS AUTOGENERATED on DEMAND END -->" } Function New-HTMLHeading { [CmdletBinding()] Param ( [validateset('h1', 'h2', 'h3', 'h4', 'h5', 'h6', 'h7')][string]$Heading, [string]$HeadingText, # [validateset('default', 'central')][string] $Type = 'default', [switch] $Underline, [nullable[RGBColors]] $Color ) if ($null -ne $Color) { $RGBcolor = ConvertFrom-Color -Color $Color $Attributes = @{ style = "color: $RGBcolor;" } } else { $Attributes = @{ } } # if ($Type -eq 'central') { # $Attributes.Class = 'central' # } if ($Underline) { $Attributes.Class = "$($Attributes.Class) underline" } New-HTMLTag -Tag $Heading -Attributes $Attributes { $HeadingText } } function New-HTMLHorizontalLine { [CmdletBinding()] param() New-HTMLTag -Tag 'hr' -SelfClosing } function New-HTMLImage { <# .SYNOPSIS Short description .DESCRIPTION Long description .PARAMETER Source Parameter description .PARAMETER UrlLink Parameter description .PARAMETER AlternativeText Parameter description .PARAMETER Class Parameter description .PARAMETER Target Parameter description .PARAMETER Width Parameter description .PARAMETER Height Parameter description .EXAMPLE New-HTMLImage -Source 'https://evotec.pl/image.png' -UrlLink 'https://evotec.pl/' -AlternativeText 'My other text' -Class 'otehr' -Width '100%' .NOTES General notes #> [alias('Image')] [CmdletBinding()] param( [string] $Source, [Uri] $UrlLink = '', [string] $AlternativeText = '', [string] $Class = 'Logo', [string] $Target = '_blank', [string] $Width, [string] $Height ) New-HTMLTag -Tag 'div' -Attributes @{ class = $Class.ToLower() } { $AAttributes = [ordered]@{ 'target' = $Target 'href' = $UrlLink } New-HTMLTag -Tag 'a' -Attributes $AAttributes { $ImgAttributes = [ordered]@{ 'src' = "$Source" 'alt' = "$AlternativeText" 'width' = "$Height" 'height' = "$Width" } New-HTMLTag -Tag 'img' -Attributes $ImgAttributes } } } function New-HTMLList { [CmdletBinding()] param( [ScriptBlock]$ListItems, [ValidateSet('Unordered', 'Ordered')] [string] $Type = 'Unordered', [RGBColors] $Color, [RGBColors] $BackGroundColor, [int] $FontSize, [ValidateSet('normal', 'bold', 'bolder', 'lighter', '100', '200', '300', '400', '500', '600', '700', '800', '900')][string] $FontWeight, [ValidateSet('normal', 'italic', 'oblique')][string] $FontStyle, [ValidateSet('normal', 'small-caps')][string] $FontVariant, [string] $FontFamily, [ValidateSet('left', 'center', 'right', 'justify')][string] $Alignment, [ValidateSet('none', 'line-through', 'overline', 'underline')][string] $TextDecoration, [ValidateSet('uppercase', 'lowercase', 'capitalize')][string] $TextTransform, [ValidateSet('rtl')][string] $Direction, [switch] $LineBreak ) $newHTMLSplat = @{ } if ($Alignment) { $newHTMLSplat.Alignment = $Alignment } if ($FontSize) { $newHTMLSplat.FontSize = $FontSize } if ($TextTransform) { $newHTMLSplat.TextTransform = $TextTransform } if ($Color) { $newHTMLSplat.Color = $Color } if ($FontFamily) { $newHTMLSplat.FontFamily = $FontFamily } if ($Direction) { $newHTMLSplat.Direction = $Direction } if ($FontStyle) { $newHTMLSplat.FontStyle = $FontStyle } if ($TextDecoration) { $newHTMLSplat.TextDecoration = $TextDecoration } if ($BackGroundColor) { $newHTMLSplat.BackGroundColor = $BackGroundColor } if ($FontVariant) { $newHTMLSplat.FontVariant = $FontVariant } if ($FontWeight) { $newHTMLSplat.FontWeight = $FontWeight } if ($LineBreak) { $newHTMLSplat.LineBreak = $LineBreak } [bool] $SpanRequired = $false foreach ($Entry in $newHTMLSplat.GetEnumerator()) { if ((Get-ObjectCount -Object $Entry.Value) -gt 0) { $SpanRequired = $true break } } if ($SpanRequired) { New-HTMLSpanStyle @newHTMLSplat { if ($Type -eq 'Unordered') { New-HTMLTag -Tag 'ul' { Invoke-Command -ScriptBlock $ListItems } } else { New-HTMLTag -Tag 'ol' { Invoke-Command -ScriptBlock $ListItems } } } } else { if ($Type -eq 'Unordered') { New-HTMLTag -Tag 'ul' { Invoke-Command -ScriptBlock $ListItems } } else { New-HTMLTag -Tag 'ol' { Invoke-Command -ScriptBlock $ListItems } } } } function New-HTMLListItem { [CmdletBinding()] param( [string[]] $Text, [RGBColors[]] $Color = @(), [RGBColors[]] $BackGroundColor = @(), [int[]] $FontSize = @(), [ValidateSet('normal', 'bold', 'bolder', 'lighter', '100', '200', '300', '400', '500', '600', '700', '800', '900')][string[]] $FontWeight = @(), [ValidateSet('normal', 'italic', 'oblique')][string[]] $FontStyle = @(), [ValidateSet('normal', 'small-caps')][string[]] $FontVariant = @(), [string[]] $FontFamily = @(), [ValidateSet('left', 'center', 'right', 'justify')][string[]] $Alignment = @(), [ValidateSet('none', 'line-through', 'overline', 'underline')][string[]] $TextDecoration = @(), [ValidateSet('uppercase', 'lowercase', 'capitalize')][string[]] $TextTransform = @(), [ValidateSet('rtl')][string[]] $Direction = @(), [switch] $LineBreak ) $newHTMLTextSplat = @{ Alignment = $Alignment FontSize = $FontSize TextTransform = $TextTransform Text = $Text Color = $Color FontFamily = $FontFamily Direction = $Direction FontStyle = $FontStyle TextDecoration = $TextDecoration BackGroundColor = $BackGroundColor FontVariant = $FontVariant FontWeight = $FontWeight LineBreak = $LineBreak } if (($FontSize.Count -eq 0) -or ($FontSize -eq 0)) { $Size = '' } else { $size = "$($FontSize)px" } $Style = @{ style = @{ 'color' = ConvertFrom-Color -Color $Color 'background-color' = ConvertFrom-Color -Color $BackGroundColor 'font-size' = $Size 'font-weight' = $FontWeight 'font-variant' = $FontVariant 'font-family' = $FontFamily 'font-style' = $FontStyle 'text-align' = $Alignment 'text-decoration' = $TextDecoration 'text-transform' = $TextTransform 'direction' = $Direction } } New-HTMLTag -Tag 'li' -Attributes $Style -Value { New-HTMLText @newHTMLTextSplat -SkipParagraph } } function New-HTMLLogo { [CmdletBinding()] param( [String] $LogoPath, [string] $LeftLogoName = "Sample", [string] $RightLogoName = "Alternate", [string] $LeftLogoString, [string] $RightLogoString, [switch] $HideLogos ) $LogoSources = Get-HTMLLogos ` -RightLogoName $RightLogoName ` -LeftLogoName $LeftLogoName ` -LeftLogoString $LeftLogoString ` -RightLogoString $RightLogoString Convert-StyleContent1 -Options $Options $Options = [PSCustomObject] @{ Logos = $LogoSources ColorSchemes = $ColorSchemes } if ($HideLogos -eq $false) { $Leftlogo = $Options.Logos[$LeftLogoName] $Rightlogo = $Options.Logos[$RightLogoName] '<!-- START LOGO -->' $LogoContent = @" <table><tbody> <tr> <td class="clientlogo"><img src="$Leftlogo" /></td> <td class="MainLogo"><img src="$Rightlogo" /></td> </tr> </tbody></table> "@ $LogoContent '<!-- END LOGO -->' } } <# <table><tbody> <tr> <td class="clientlogo"><img src="$Leftlogo" /></td> <td class="MainLogo"><img src="$Rightlogo" /></td> </tr> </tbody></table> #> <# $Attributes = @{ src = "https://$Rightlogo" style = @{ color = 'red' 'background-color' = 'yellow' } } New-HTMLTag -Tag 'Table' { New-HTMLTag -Tag 'tbody' { New-HTMLTag -Tag 'tr' { New-HTMLTag -Tag 'td' -Attributes @{ class = 'clientLogo' } { New-HTMLTag -Tag 'img' -Attributes $Attributes } New-HTMLTag -Tag 'td' -Attributes @{ class = 'MainLogo' } { New-HTMLTag -Tag 'img' -Attributes @{ src = "https://$Rightlogo" } } } } } #> Function New-HTMLPanel { [alias('New-HTMLColumn')] [CmdletBinding()] param ( [Parameter(Mandatory = $false, Position = 0)][ValidateNotNull()][ScriptBlock] $Content = $(Throw "Open curly brace with Content"), #[alias('ColumnCount', 'Columns')][ValidateSet('1', '2', '3', '4', '5 ', '6', '7', '8', '9', '10', '11', '12')][string] $Count = 1, [alias('BackgroundShade')][RGBColors]$BackgroundColor = [RGBColors]::None, [switch] $Invisible, [alias('flex-basis')][string] $Width, [string] $Margin #, # [int] $Height ) #if ($Height -ne 0) { # $StyleHeight = "height: $($Height)px" #} # $StyleWidth = "width: calc(100% / $Count - 10px)" if ($BackgroundColor -ne [RGBColors]::None) { $BackGroundColorFromRGB = ConvertFrom-Color -Color $BackgroundColor $DivColumnStyle = "background-color:$BackGroundColorFromRGB;" } else { $DivColumnStyle = "" } if ($Invisible) { $DivColumnStyle = "$DivColumnStyle box-shadow: unset !important;" } if ($Width -or $Margin) { [string] $ClassName = "flexPanel$(Get-RandomStringName -Size 8 -LettersOnly)" $Attributes = @{ 'flex-basis' = if ($Width) { $Width } else { '100%' } 'margin' = if ($Margin) { $Margin } } $Css = ConvertTo-CSS -ClassName $ClassName -Attributes $Attributes $Script:HTMLSchema.CustomCSS.Add($Css) [string] $Class = "$ClassName overflowHidden" } else { [string] $Class = 'flexPanel overflowHidden' } # New-HTMLTag -Tag 'div' -Attributes @{ class = "flexPanel roundedCorners"; style = $DivColumnStyle } { New-HTMLTag -Tag 'div' -Attributes @{ class = "$Class roundedCorners overflowHidden"; style = $DivColumnStyle } { Invoke-Command -ScriptBlock $Content } } function New-HTMLResourceCSS { [alias('New-ResourceCSS', 'New-CSS')] [CmdletBinding()] param( [alias('ScriptContent')][Parameter(Mandatory = $false, Position = 0)][ValidateNotNull()][ScriptBlock] $Content, [string] $Link, [string] $ResourceComment, [string[]] $FilePath, [System.Collections.IDictionary] $ReplaceData ) $Output = @( "<!-- CSS $ResourceComment START -->" foreach ($File in $FilePath) { if ($File -ne '') { if (Test-Path -LiteralPath $File) { New-HTMLTag -Tag 'style' -Attributes @{ type = 'text/css' } { Write-Verbose "New-HTMLResourceCSS - Reading file from $File" # Replaces stuff based on $Script:Configuration CustomActionReplace Entry $FileContent = Get-Content -LiteralPath $File if ($null -ne $ReplaceData) { foreach ($_ in $ReplaceData.Keys) { $FileContent = $FileContent -replace $_, $ReplaceData[$_] } } $FileContent } -NewLine } } } foreach ($L in $Link) { if ($L -ne '') { Write-Verbose "New-HTMLResourceCSS - Adding link $L" New-HTMLTag -Tag 'link' -Attributes @{ rel = "stylesheet"; type = "text/css"; href = $L } -SelfClosing -NewLine } } "<!-- CSS $ResourceComment END -->" ) if ($Output.Count -gt 2) { # Outputs only if more than comments $Output } } function New-HTMLResourceJS { [alias('New-ResourceJS', 'New-JavaScript')] [CmdletBinding()] param( [alias('ScriptContent')][Parameter(Mandatory = $false, Position = 0)][ValidateNotNull()][ScriptBlock] $Content, [string[]] $Link, [string] $ResourceComment, [string[]] $FilePath, [System.Collections.IDictionary] $ReplaceData ) $Output = @( "<!-- JS $ResourceComment START -->" foreach ($File in $FilePath) { if ($File -ne '') { if (Test-Path -LiteralPath $File) { New-HTMLTag -Tag 'script' -Attributes @{ type = 'text/javascript' } { # Replaces stuff based on $Script:Configuration CustomActionReplace Entry $FileContent = Get-Content -LiteralPath $File if ($null -ne $ReplaceData) { foreach ($_ in $ReplaceData.Keys) { $FileContent = $FileContent -replace $_, $ReplaceData[$_] } } $FileContent } -NewLine } else { return } } } foreach ($L in $Link) { if ($L -ne '') { New-HTMLTag -Tag 'script' -Attributes @{ type = "text/javascript"; src = $L } -NewLine } else { return } } "<!-- JS $ResourceComment END -->" ) if ($Output.Count -gt 2) { # Outputs only if more than comments $Output } } Function New-HTMLSection { [alias('New-HTMLContent')] [CmdletBinding()] Param ( [Parameter(Mandatory = $false, Position = 0)][ValidateNotNull()][ScriptBlock] $Content = $(Throw "Open curly brace"), [alias('Name')][Parameter(Mandatory = $false)][string]$HeaderText, [RGBColors]$HeaderTextColor = [RGBColors]::White, [string][ValidateSet('center', 'left', 'right', 'justify')] $HeaderTextAlignment = 'center', [RGBColors]$HeaderBackGroundColor = [RGBColors]::DeepSkyBlue, [alias('BackgroundShade')][RGBColors]$BackgroundColor = [RGBColors]::None, [alias('Collapsable')][Parameter(Mandatory = $false)][switch] $CanCollapse, [Parameter(Mandatory = $false)][switch] $IsHidden, [switch] $Collapsed, [int] $Height, [switch] $Invisible, # Following are based on https://css-tricks.com/snippets/css/a-guide-to-flexbox/ [string][ValidateSet('wrap', 'nowrap', 'wrap-reverse')] $Wrap, [string][ValidateSet('row', 'row-reverse', 'column', 'column-reverse')] $Direction, [string][ValidateSet('flex-start', 'flex-end', 'center', 'space-between', 'space-around', 'stretch')] $AlignContent, [string][ValidateSet('stretch', 'flex-start', 'flex-end', 'center', 'baseline')] $AlignItems ) $RandomNumber = Get-Random $TextHeaderColorFromRGB = ConvertFrom-Color -Color $HeaderTextColor if ($CanCollapse) { $Script:HTMLSchema.Features.HideSection = $true if ($IsHidden) { $ShowStyle = "color: $TextHeaderColorFromRGB;" # shows Show button $HideStyle = "color: $TextHeaderColorFromRGB; display:none;" # hides Hide button } else { if ($Collapsed) { $HideStyle = "color: $TextHeaderColorFromRGB; display:none;" # hides Show button $ShowStyle = "color: $TextHeaderColorFromRGB;" # shows Hide button $HiddenDivStyle = 'display:none; ' } else { $ShowStyle = "color: $TextHeaderColorFromRGB; display:none;" # hides Show button $HideStyle = "color: $TextHeaderColorFromRGB;" # shows Hide button } } } else { if ($IsHidden) { $ShowStyle = "color: $TextHeaderColorFromRGB;" # shows Show button $HideStyle = "color: $TextHeaderColorFromRGB; display:none;" # hides Hide button } else { $ShowStyle = "color: $TextHeaderColorFromRGB; display:none;" # hides Show button $HideStyle = "color: $TextHeaderColorFromRGB; display:none;" # hides Show button } } if ($IsHidden) { $DivContentStyle = @{ "display" = 'none' #"width" = "calc(100% / $Count - 15px)" "height" = if ($Height -ne 0) { "height: $($Height)px" } else { '' } "background-color" = ConvertFrom-Color -Color $BackgroundColor } } else { $DivContentStyle = @{ # "width" = "calc(100% / $Count - 15px)" "height" = if ($Height -ne 0) { "height: $($Height)px" } else { '' } "background-color" = ConvertFrom-Color -Color $BackgroundColor } } <# .flexParent { display: flex; flex-wrap: nowrap; justify-content: space-between; padding: 2px; /* overflow: hidden; overflow-x: hidden; overflow-y: hidden; */ } #> if ($Wrap -or $Direction) { [string] $ClassName = "flexParent$(Get-RandomStringName -Size 8 -LettersOnly)" $Attributes = @{ 'display' = 'flex' 'flex-wrap' = if ($Wrap) { $Wrap }; 'flex-direction' = if ($Direction) { $Direction }; 'align-content' = if ($AlignContent) { $AlignContent }; 'align-items' = if ($AlignItems) { $AlignItems }; } $Css = ConvertTo-CSS -ClassName $ClassName -Attributes $Attributes $Script:HTMLSchema.CustomCSS.Add($Css) } else { [string] $ClassName = 'flexParent' } $DivHeaderStyle = @{ "text-align" = $HeaderTextAlignment "background-color" = ConvertFrom-Color -Color $HeaderBackGroundColor } $HeaderStyle = "color: $TextHeaderColorFromRGB;" if ($Invisible) { #New-HTMLTag -Tag 'div' -Attributes @{ class = 'flexParentInvisible' } -Value { New-HTMLTag -Tag 'div' -Attributes @{ class = $ClassName } -Value { New-HTMLTag -Tag 'div' -Attributes @{ class = "$ClassName flexElement" } -Value { # New-HTMLTag -Tag 'div' -Attributes @{ class = 'flexParentInvisible flexElement' } -Value { $Object = Invoke-Command -ScriptBlock $Content if ($null -ne $Object) { $Object } } } } else { # return this HTML New-HTMLTag -Tag 'div' -Attributes @{ 'class' = "defaultSection roundedCorners overflowHidden"; 'style' = $DivContentStyle } -Value { New-HTMLTag -Tag 'div' -Attributes @{ 'class' = "defaultHeader"; 'style' = $DivHeaderStyle } -Value { New-HTMLAnchor -Name $HeaderText -Text $HeaderText -Style $HeaderStyle New-HTMLAnchor -Id "show_$RandomNumber" -Href 'javascript:void(0)' -OnClick "show('$RandomNumber');" -Style $ShowStyle -Text '(Show)' New-HTMLAnchor -Id "hide_$RandomNumber" -Href 'javascript:void(0)' -OnClick "hide('$RandomNumber');" -Style $HideStyle -Text '(Hide)' } New-HTMLTag -Tag 'div' -Attributes @{ class = "$ClassName overflowHidden"; id = $RandomNumber; Style = $HiddenDivStyle } -Value { New-HTMLTag -Tag 'div' -Attributes @{ class = "$ClassName flexElement collapsable overflowHidden"; id = $RandomNumber; } -Value { $Object = Invoke-Command -ScriptBlock $Content if ($null -ne $Object) { $Object } } } } } } function New-HTMLSpanStyle { [CmdletBinding()] param( [ScriptBlock] $Content, [nullable[RGBColors]] $Color, [nullable[RGBColors]] $BackGroundColor, [int] $FontSize, [ValidateSet('normal', 'bold', 'bolder', 'lighter', '100', '200', '300', '400', '500', '600', '700', '800', '900')][string] $FontWeight, [ValidateSet('normal', 'italic', 'oblique')][string] $FontStyle, [ValidateSet('normal', 'small-caps')][string] $FontVariant, [string] $FontFamily, [ValidateSet('left', 'center', 'right', 'justify')][string] $Alignment, [ValidateSet('none', 'line-through', 'overline', 'underline')][string] $TextDecoration, [ValidateSet('uppercase', 'lowercase', 'capitalize')][string] $TextTransform, [ValidateSet('rtl')][string] $Direction, [switch] $LineBreak ) if ($FontSize -eq 0) { $Size = '' } else { $size = "$($FontSize)px" } $Style = @{ style = @{ 'color' = ConvertFrom-Color -Color $Color 'background-color' = ConvertFrom-Color -Color $BackGroundColor 'font-size' = $Size 'font-weight' = $FontWeight 'font-variant' = $FontVariant 'font-family' = $FontFamily 'font-style' = $FontStyle 'text-align' = $Alignment 'text-decoration' = $TextDecoration 'text-transform' = $TextTransform 'direction' = $Direction } } if ($Alignment) { $StyleDiv = @{ } $StyleDiv.Align = $Alignment New-HTMLTag -Tag 'div' -Attributes $StyleDiv { New-HTMLTag -Tag 'span' -Attributes $Style { Invoke-Command -ScriptBlock $Content } } } else { New-HTMLTag -Tag 'span' -Attributes $Style { Invoke-Command -ScriptBlock $Content } } # if ($LineBreak) { # Write-Verbose 'New-SpanStyle - BR' # New-HTMLTag -Tag 'br' -SelfClosing # } } function New-HTMLStatus { [CmdletBinding()] param( [Parameter(Mandatory = $false, Position = 0)][alias('')][ScriptBlock] $Content ) $Script:HTMLSchema.Features.StatusButtonical = $true New-HTMLTag -Tag 'div' -Attributes @{ class = 'buttonicalService' } { #New-HTMLTag -Tag 'div' -Attributes @{ class = 'buttonical-align' } { Invoke-Command -ScriptBlock $Content # } } } function New-HTMLStatusItem { [CmdletBinding()] param( [string] $ServiceName, [string] $ServiceStatus, [ValidateSet('Dead', 'Bad', 'Good')]$Icon = 'Good', [ValidateSet('0%', '10%', '30%', '70%', '100%')][string] $Percentage = '100%' ) #$Script:HTMLSchema.Features.StatusButtonical = $true if ($Icon -eq 'Dead') { $IconType = 'performanceDead' } elseif ($Icon -eq 'Bad') { $IconType = 'performanceProblem' } elseif ($Icon -eq 'Good') { #$IconType = 'performance' } if ($Percentage -eq '100%') { $Colors = 'background-color: #0ef49b;' } elseif ($Percentage -eq '70%') { $Colors = 'background-color: #d2dc69;' } elseif ($Percentage -eq '30%') { $Colors = 'background-color: #faa04b;' } elseif ($Percentage -eq '10%') { $Colors = 'background-color: #ff9035;' } elseif ($Percentage -eq '0%') { $Colors = 'background-color: #ff5a64;' } New-HTMLTag -Tag 'div' -Attributes @{ class = 'buttonical'; style = $Colors } -Value { New-HTMLTag -Tag 'div' -Attributes @{ class = 'label' } { New-HTMLTag -Tag 'span' -Attributes @{ class = 'performance' } { $ServiceName } } New-HTMLTag -Tag 'div' -Attributes @{ class = 'middle' } New-HTMLTag -Tag 'div' -Attributes @{ class = 'status' } { New-HTMLTag -Tag 'input' -Attributes @{ name = Get-Random; type = 'radio'; value = 'other-item'; checked = 'true' } -SelfClosing New-HTMLTag -Tag 'span' -Attributes @{ class = "performance $IconType" } { $ServiceStatus } } } } function New-HTMLTab { [CmdLetBinding(DefaultParameterSetName = 'FontAwesomeBrands')] param( [parameter(ParameterSetName = "FontAwesomeBrands")] [parameter(ParameterSetName = "FontAwesomeRegular")] [parameter(ParameterSetName = "FontAwesomeSolid")] [Parameter(Mandatory = $false, Position = 0)][ValidateNotNull()][ScriptBlock] $HtmlData = $(Throw "No curly brace?)"), [parameter(ParameterSetName = "FontAwesomeBrands")] [parameter(ParameterSetName = "FontAwesomeRegular")] [parameter(ParameterSetName = "FontAwesomeSolid")] [alias('TabHeading')][Parameter(Mandatory = $false, Position = 1)][String]$Heading, [parameter(ParameterSetName = "FontAwesomeBrands")] [parameter(ParameterSetName = "FontAwesomeRegular")] [parameter(ParameterSetName = "FontAwesomeSolid")] [alias('TabName')][string] $Name = 'Tab', # ICON BRANDS [ArgumentCompleter( { param($CommandName, $ParameterName, $WordToComplete, $CommandAst, $FakeBoundParameters) ($Global:HTMLIcons.FontAwesomeBrands) } )] [ValidateScript( { $_ -in (($Global:HTMLIcons.FontAwesomeBrands)) } )] [parameter(ParameterSetName = "FontAwesomeBrands")][string] $IconBrands, # ICON REGULAR [ArgumentCompleter( { param($CommandName, $ParameterName, $WordToComplete, $CommandAst, $FakeBoundParameters) ($Global:HTMLIcons.FontAwesomeRegular) } )] [ValidateScript( { $_ -in (($Global:HTMLIcons.FontAwesomeRegular)) } )] [parameter(ParameterSetName = "FontAwesomeRegular")][string] $IconRegular, # ICON SOLID [ArgumentCompleter( { param($CommandName, $ParameterName, $WordToComplete, $CommandAst, $FakeBoundParameters) ($Global:HTMLIcons.FontAwesomeSolid) } )] [ValidateScript( { $_ -in (($Global:HTMLIcons.FontAwesomeSolid)) } )] [parameter(ParameterSetName = "FontAwesomeSolid")][string] $IconSolid, [parameter(ParameterSetName = "FontAwesomeBrands")] [parameter(ParameterSetName = "FontAwesomeRegular")] [parameter(ParameterSetName = "FontAwesomeSolid")][int] $TextSize, [parameter(ParameterSetName = "FontAwesomeBrands")] [parameter(ParameterSetName = "FontAwesomeRegular")] [parameter(ParameterSetName = "FontAwesomeSolid")][RGBColors] $TextColor = [RGBColors]::None, [parameter(ParameterSetName = "FontAwesomeBrands")] [parameter(ParameterSetName = "FontAwesomeRegular")] [parameter(ParameterSetName = "FontAwesomeSolid")][int] $IconSize, [parameter(ParameterSetName = "FontAwesomeBrands")] [parameter(ParameterSetName = "FontAwesomeRegular")] [parameter(ParameterSetName = "FontAwesomeSolid")][RGBColors] $IconColor = [RGBColors]::None ) if (-not $Script:HTMLSchema.Features) { Write-Warning 'New-HTMLTab - Creation of HTML aborted. Most likely New-HTML is missing.' Exit } #if (-not $IconBrands -and -not $IconRegular -and -not $IconSolid) { # $IconSolid = 'x-ray' #} if ($IconBrands) { $Icon = "fab fa-$IconBrands" # fa-$($FontSize)x" } elseif ($IconRegular) { $Icon = "far fa-$IconRegular" # fa-$($FontSize)x" } elseif ($IconSolid) { $Icon = "fas fa-$IconSolid" # fa-$($FontSize)x" } $StyleText = @{ } if ($TextSize -ne 0) { $StyleText.'font-size' = "$($TextSize)px" } if ($TextColor -ne [RGBColors]::None) { $StyleText.'color' = ConvertFrom-Color -Color $TextColor } $StyleIcon = @{ } if ($IconSize -ne 0) { $StyleIcon.'font-size' = "$($IconSize)px" } if ($IconColor -ne [RGBColors]::None) { $StyleIcon.'color' = ConvertFrom-Color -Color $IconColor } $Script:HTMLSchema.Features.Tabs = $true $Script:HTMLSchema.Features.JQuery = $true # Reset all Tabs Headers to make sure there are no Current Tab Set # This is required for New-HTMLTable foreach ($Tab in $Script:HTMLSchema.TabsHeaders) { $Tab.Current = $false } # Start Tab Tracking $Tab = @{ } $Tab.ID = "Tab-$(Get-RandomStringName -Size 8)" $Tab.Name = " $Name" $Tab.StyleIcon = $StyleIcon $Tab.StyleText = $StyleText #$Tab.Used = $true $Tab.Current = $true if ($Script:HTMLSchema.TabsHeaders | Where-Object { $_.Active -eq $true }) { $Tab.Active = $false } else { $Tab.Active = $true } $Tab.Icon = $Icon $Script:HTMLSchema.TabsHeaders.Add($Tab) # End Tab Tracking # This is building HTML if ($Tab.Active) { $Class = 'tabs-content active' } else { $Class = 'tabs-content' } New-HTMLTag -Tag 'div' -Attributes @{ id = $Tab.ID; class = $Class } { if (-not [string]::IsNullOrWhiteSpace($Heading)) { New-HTMLTag -Tag 'h7' { $Heading } } Invoke-Command -ScriptBlock $HtmlData } } function New-HTMLTabHead { [CmdletBinding()] Param ( ) if ($Script:HTMLSchema.TabOptions.SlimTabs) { $Style = 'display: inline-block;' # makes tabs wrapperr slim/small } else { $Style = '' # makes it full-width } New-HTMLTag -Tag 'div' -Attributes @{ class = 'tabsWrapper' } { New-HTMLTag -Tag 'div' -Attributes @{ class = 'tabs' ; style = $Style } { New-HTMLTag -Tag 'div' -Attributes @{ class = 'selector' } foreach ($Tab in $Script:HTMLSchema.TabsHeaders) { $AttributesA = @{ 'href' = 'javascript:void(0)' 'data-id' = "$($Tab.Id)" } if ($Tab.Active) { $AttributesA.class = 'active' } else { $AttributesA.class = '' } New-HTMLTag -Tag 'a' -Attributes $AttributesA { New-HTMLTag -Tag 'div' -Attributes @{ class = $($Tab.Icon); style = $($Tab.StyleIcon) } New-HTMLTag -Tag 'span' -Attributes @{ style = $($Tab.StyleText ) } -Value { $Tab.Name } } } } } } function New-HTMLTable { [alias('Table', 'EmailTable')] [CmdletBinding()] param( [Parameter(Mandatory = $false, Position = 0)][ScriptBlock] $HTML, [Parameter(Mandatory = $false, Position = 1)][ScriptBlock] $PreContent, [Parameter(Mandatory = $false, Position = 2)][ScriptBlock] $PostContent, [alias('ArrayOfObjects', 'Object', 'Table')][Array] $DataTable, [string[]][ValidateSet('copyHtml5', 'excelHtml5', 'csvHtml5', 'pdfHtml5', 'pageLength')] $Buttons = @('copyHtml5', 'excelHtml5', 'csvHtml5', 'pdfHtml5', 'pageLength'), [string[]][ValidateSet('numbers', 'simple', 'simple_numbers', 'full', 'full_numbers', 'first_last_numbers')] $PagingStyle = 'full_numbers', [int[]]$PagingOptions = @(15, 25, 50, 100), [switch]$DisablePaging, [switch]$DisableOrdering, [switch]$DisableInfo, [switch]$HideFooter, [switch]$DisableColumnReorder, [switch]$DisableProcessing, [switch]$DisableResponsiveTable, [switch]$DisableSelect, [switch]$DisableStateSave, [switch]$DisableSearch, [switch]$ScrollCollapse, [switch]$OrderMulti, [switch]$Filtering, [ValidateSet('Top', 'Bottom', 'Both')][string]$FilteringLocation = 'Bottom', [string[]][ValidateSet('display', 'cell-border', 'compact', 'hover', 'nowrap', 'order-column', 'row-border', 'stripe')] $Style = @('display', 'compact'), [switch]$Simplify, [string]$TextWhenNoData = 'No data available.', [int] $ScreenSizePercent = 0, [string[]] $DefaultSortColumn, [int[]] $DefaultSortIndex, [ValidateSet('Ascending', 'Descending')][string] $DefaultSortOrder = 'Ascending', [string[]] $DateTimeSortingFormat, [alias('Search')][string]$Find, [switch] $InvokeHTMLTags, [switch] $DisableNewLine, [switch] $ScrollX, [switch] $ScrollY, [int] $ScrollSizeY = 500, [int] $FreezeColumnsLeft, [int] $FreezeColumnsRight, [switch] $FixedHeader, [switch] $FixedFooter, [string[]] $ResponsivePriorityOrder, [int[]] $ResponsivePriorityOrderIndex, [string[]] $PriorityProperties, [alias('DataTableName')][string] $DataTableID, [switch] $ImmediatelyShowHiddenDetails, [alias('RemoveShowButton')][switch] $HideShowButton ) if (-not $Script:HTMLSchema.Features) { Write-Warning 'New-HTMLTable - Creation of HTML aborted. Most likely New-HTML is missing.' Exit } # Theme creator https://datatables.net/manual/styling/theme-creator $ConditionalFormatting = [System.Collections.Generic.List[PSCustomObject]]::new() $CustomButtons = [System.Collections.Generic.List[PSCustomObject]]::new() $HeaderRows = [System.Collections.Generic.List[PSCustomObject]]::new() $HeaderStyle = [System.Collections.Generic.List[PSCustomObject]]::new() $HeaderTop = [System.Collections.Generic.List[PSCustomObject]]::new() $HeaderResponsiveOperations = [System.Collections.Generic.List[PSCustomObject]]::new() $ContentRows = [System.Collections.Generic.List[PSCustomObject]]::new() $ContentStyle = [System.Collections.Generic.List[PSCustomObject]]::new() $ContentTop = [System.Collections.Generic.List[PSCustomObject]]::new() $ContentFormattingInline = [System.Collections.Generic.List[PSCustomObject]]::new() if ($HTML) { [Array] $Output = & $HTML if ($Output.Count -gt 0) { foreach ($Parameters in $Output) { if ($Parameters.Type -eq 'TableButtonPDF') { $CustomButtons.Add($Parameters.Output) } elseif ($Parameters.Type -eq 'TableButtonCSV') { $CustomButtons.Add($Parameters.Output) } elseif ($Parameters.Type -eq 'TableButtonPageLength') { $CustomButtons.Add($Parameters.Output) } elseif ($Parameters.Type -eq 'TableButtonExcel') { $CustomButtons.Add($Parameters.Output) } elseif ($Parameters.Type -eq 'TableButtonPDF') { $CustomButtons.Add($Parameters.Output) } elseif ($Parameters.Type -eq 'TableButtonPrint') { $CustomButtons.Add($Parameters.Output) } elseif ($Parameters.Type -eq 'TableButtonCopy') { $CustomButtons.Add($Parameters.Output) } elseif ($Parameters.Type -eq 'TableCondition') { $ConditionalFormatting.Add($Parameters.Output) } elseif ($Parameters.Type -eq 'TableHeaderMerge') { $HeaderRows.Add($Parameters.Output) } elseif ($Parameters.Type -eq 'TableHeaderStyle') { $HeaderStyle.Add($Parameters.Output) } elseif ($Parameters.Type -eq 'TableHeaderFullRow') { $HeaderTop.Add($Parameters.Output) } elseif ($Parameters.Type -eq 'TableContentMerge') { $ContentRows.Add($Parameters.Output) } elseif ($Parameters.Type -eq 'TableContentStyle') { $ContentStyle.Add($Parameters.Output) } elseif ($Parameters.Type -eq 'TableContentFullRow') { $ContentTop.Add($Parameters.Output) } elseif ($Parameters.Type -eq 'TableConditionInline') { $ContentFormattingInline.Add($Parameters.Output) } elseif ($Parameters.Type -eq 'TableHeaderResponsiveOperations') { $HeaderResponsiveOperations.Add($Parameters.Output) } } } } # This is more direct way of PriorityProperties that will work also on Scroll and in other circumstances if ($PriorityProperties) { if ($DataTable.Count -gt 0) { $Properties = $DataTable[0].PSObject.Properties.Name $RemainingProperties = foreach ($Property in $Properties) { if ($PriorityProperties -notcontains $Property) { $Property } } $AllProperties = $PriorityProperties + $RemainingProperties $DataTable = $DataTable | Select-Object -Property $AllProperties } } # This option disable paging if number of elements is less or equal count of elements in DataTable $PagingOptions = $PagingOptions | Sort-Object if ($DataTable.Count -le $PagingOptions[0]) { $DisablePaging = $true } # Building HTML Table / Script if (-not $DataTableID) { # Only define this if user failed to deliver as per https://github.com/EvotecIT/PSWriteHTML/issues/29 $DataTableID = "DT-$(Get-RandomStringName -Size 8 -LettersOnly)" # this builds table ID } if ($null -eq $DataTable -or $DataTable.Count -eq 0) { #return '' $Filtering = $false # setting it to false because it's not nessecary $HideFooter = $true $DataTable = $TextWhenNoData } if ($DataTable[0] -is [System.Collections.IDictionary]) { Write-Verbose 'New-HTMLTable - Working with IDictionary' [Array ] $Table = $($DataTable).GetEnumerator() | Select-Object Name, Value | ConvertTo-Html -Fragment | Select-Object -SkipLast 1 | Select-Object -Skip 2 # This removes table tags (open/closing) } elseif ($DataTable[0] -is [string]) { [Array] $Table = $DataTable | ForEach-Object { [PSCustomObject]@{ 'Name' = $_ } } | ConvertTo-Html -Fragment | Select-Object -SkipLast 1 | Select-Object -Skip 2 } else { Write-Verbose 'New-HTMLTable - Working with Objects' [Array] $Table = $DataTable | ConvertTo-Html -Fragment | Select-Object -SkipLast 1 | Select-Object -Skip 2 # This removes table tags (open/closing) } [string] $Header = $Table | Select-Object -First 1 # this gets header [string[]] $HeaderNames = $Header -replace '</th></tr>' -replace '<tr><th>' -split '</th><th>' $AddedHeader = Add-TableHeader -HeaderRows $HeaderRows -HeaderNames $HeaderNames -HeaderStyle $HeaderStyle -HeaderTop $HeaderTop -HeaderResponsiveOperations $HeaderResponsiveOperations # This modifies Table content. # It basically goes thru every single row and checks if values to add styles or inline conditional formatting # It's heavier then JS, so use when nessecary if ($ContentRows.Capacity -gt 0 -or $ContentStyle.Count -gt 0 -or $ContentTop.Count -gt 0 -or $ContentFormattingInline.Count -gt 0) { $Table = Add-TableContent -ContentRows $ContentRows -ContentStyle $ContentStyle -ContentTop $ContentTop -ContentFormattingInline $ContentFormattingInline -Table $Table -HeaderNames $HeaderNames } $Table = $Table | Select-Object -Skip 1 # this gets actuall table content $Options = [ordered] @{ <# DOM Definition: https://datatables.net/reference/option/dom l - length changing input control f - filtering input t - The table! i - Table information summary p - pagination control r - processing display element B - Buttons S - Select #> dom = 'Bfrtip' #buttons = @($Buttons) buttons = @( if ($CustomButtons) { $CustomButtons } else { foreach ($button in $Buttons) { if ($button -ne 'pdfHtml5') { @{ extend = $button } } else { @{ extend = 'pdfHtml5' pageSize = 'A3' orientation = 'landscape' } } } } ) "colReorder" = -not $DisableColumnReorder.IsPresent # https://datatables.net/examples/basic_init/scroll_y_dynamic.html "paging" = -not $DisablePaging "scrollCollapse" = $ScrollCollapse.IsPresent <# Paging Type numbers - Page number buttons only simple - 'Previous' and 'Next' buttons only simple_numbers - 'Previous' and 'Next' buttons, plus page numbers full - 'First', 'Previous', 'Next' and 'Last' buttons full_numbers - 'First', 'Previous', 'Next' and 'Last' buttons, plus page numbers first_last_numbers - 'First' and 'Last' buttons, plus page numbers #> "pagingType" = $PagingStyle "lengthMenu" = @( , @($PagingOptions + (-1)) , @($PagingOptions + "All") ) "ordering" = -not $DisableOrdering.IsPresent "order" = @() # this makes sure there's no default ordering upon start (usually it would be 1st column) "info" = -not $DisableInfo.IsPresent "procesing" = -not $DisableProcessing.IsPresent "select" = -not $DisableSelect.IsPresent "searching" = -not $DisableSearch.IsPresent "stateSave" = -not $DisableStateSave.IsPresent } if ($ScrollX) { $Options.'scrollX' = $true # disabling responsive table because it won't work with ScrollX $DisableResponsiveTable = $true } if ($ScrollY) { $Options.'scrollY' = "$($ScrollSizeY)px" } if ($FreezeColumnsLeft -or $FreezeColumnsRight) { $Options.fixedColumns = [ordered] @{ } if ($FreezeColumnsLeft) { $Options.fixedColumns.leftColumns = $FreezeColumnsLeft } if ($FreezeColumnsRight) { $Options.fixedColumns.rightColumns = $FreezeColumnsRight } } if ($FixedHeader -or $FixedFooter) { # Using FixedHeader/FixedFooter won't work with ScrollY. $Options.fixedHeader = [ordered] @{ } if ($FixedHeader) { $Options.fixedHeader.header = $FixedHeader.IsPresent } if ($FixedFooter) { $Options.fixedHeader.footer = $FixedFooter.IsPresent } } #} # this was due to: https://github.com/DataTables/DataTablesSrc/issues/143 if (-not $DisableResponsiveTable) { $Options["responsive"] = @{ } $Options["responsive"]['details'] = @{ } if ($ImmediatelyShowHiddenDetails) { $Options["responsive"]['details']['display'] = '$.fn.dataTable.Responsive.display.childRowImmediate' } if ($HideShowButton) { $Options["responsive"]['details']['type'] = 'none' # this makes button invisible } else { $Options["responsive"]['details']['type'] = 'inline' # this adds a button } } else { # HideSHowButton doesn't work # ImmediatelyShowHiddenDetails doesn't work # Maybe I should communicate this?? # Better would be with parametersets but don't want to play now } if ($OrderMulti) { $Options.orderMulti = $OrderMulti.IsPresent } if ($Find -ne '') { $Options.search = @{ search = $Find } } # Sorting if ($DefaultSortOrder -eq 'Ascending') { $Sort = 'asc' } else { $Sort = 'desc' } if ($DefaultSortColumn.Count -gt 0) { $ColumnsOrder = foreach ($Column in $DefaultSortColumn) { $DefaultSortingNumber = ($HeaderNames).ToLower().IndexOf($Column.ToLower()) if ($DefaultSortingNumber -ne - 1) { , @($DefaultSortingNumber, $Sort) } } } if ($DefaultSortIndex.Count -gt 0 -and $DefaultSortColumn.Count -eq 0) { $ColumnsOrder = foreach ($Column in $DefaultSortIndex) { if ($Column -ne - 1) { , @($Column, $Sort) } } } if ($ColumnsOrder.Count -gt 0) { $Options."order" = @($ColumnsOrder) # there seems to be a bug in ordering and colReorder plugin # Disabling colReorder $Options.colReorder = $false } # Overwriting table size - screen size in percent. With added Section/Panels it shouldn't be more than 90% if ($ScreenSizePercent -gt 0) { $Options."scrollY" = "$($ScreenSizePercent)vh" } if ($null -ne $ConditionalFormatting) { $Options.createdRow = '' } if ($ResponsivePriorityOrderIndex -or $ResponsivePriorityOrder) { $PriorityOrder = 0 [Array] $PriorityOrderBinding = @( foreach ($_ in $ResponsivePriorityOrder) { $Index = [array]::indexof($HeaderNames.ToUpper(), $_.ToUpper()) if ($Index -ne -1) { @{ responsivePriority = 0; targets = $Index } } } foreach ($_ in $ResponsivePriorityOrderIndex) { @{ responsivePriority = 0; targets = $_ } } ) $Options.columnDefs = @( foreach ($_ in $PriorityOrderBinding) { $PriorityOrder++ $_.responsivePriority = $PriorityOrder $_ } ) } $Options = $Options | ConvertTo-Json -Depth 6 # cleans up $Options for ImmediatelyShowHiddenDetails # Since it's JavaScript inside we're basically removing double quotes from JSON in favor of no quotes at all # Before: "display": "$.fn.dataTable.Responsive.display.childRowImmediate" # After: "display": $.fn.dataTable.Responsive.display.childRowImmediate $Options = $Options -replace '"(\$\.fn\.dataTable\.Responsive\.display\.childRowImmediate)"', '$1' # Process Conditional Formatting. Ugly JS building $Options = New-TableConditionalFormatting -Options $Options -ConditionalFormatting $ConditionalFormatting -Header $HeaderNames [Array] $Tabs = ($Script:HTMLSchema.TabsHeaders | Where-Object { $_.Current -eq $true }) if ($Tabs.Count -eq 0) { # There are no tabs in use, pretend there is only one Active Tab $Tab = @{ Active = $true } } else { # Get First Tab $Tab = $Tabs[0] } # return data if (-not $Simplify) { $Script:HTMLSchema.Features.DataTables = $true $Script:HTMLSchema.Features.DataTablesPDF = $true $Script:HTMLSchema.Features.DataTablesExcel = $true if ($ScrollX) { $TableAttributes = @{ id = $DataTableID; class = "$($Style -join ' ')"; width = '100%' } } else { $TableAttributes = @{ id = $DataTableID; class = "$($Style -join ' ')" } } # Enable Custom Date fromat sorting $SortingFormatDateTime = Add-CustomFormatForDatetimeSorting -DateTimeSortingFormat $DateTimeSortingFormat $FilteringOutput = Add-TableFiltering -Filtering $Filtering -FilteringLocation $FilteringLocation -DataTableName $DataTableID $FilteringTopCode = $FilteringOutput.FilteringTopCode $FilteringBottomCode = $FilteringOutput.FilteringBottomCode $LoadSavedState = Add-TableState -DataTableName $DataTableID -Filtering $Filtering -FilteringLocation $FilteringLocation -SavedState (-not $DisableStateSave) if ($Tab.Active -eq $true) { New-HTMLTag -Tag 'script' { @" `$(document).ready(function() { $SortingFormatDateTime $LoadSavedState $FilteringTopCode // Table code var table = `$('#$DataTableID').DataTable( $($Options) ); $FilteringBottomCode }); "@ } } else { [string] $TabName = $Tab.Id New-HTMLTag -Tag 'script' { @" `$(document).ready(function() { $SortingFormatDateTime `$('.tabs').on('click', 'a', function (event) { if (`$(event.currentTarget).attr("data-id") == "$TabName" && !$.fn.dataTable.isDataTable("#$DataTableID")) { $LoadSavedState $FilteringTopCode // Table code var table = `$('#$DataTableID').DataTable( $($Options) ); $FilteringBottomCode }; }); }); "@ } } } else { $TableAttributes = @{ class = 'simplify' } $Script:HTMLSchema.Features.DataTablesSimplify = $true } if ($InvokeHTMLTags) { # By default HTML tags are displayed, in this case we're converting tags into real tags $Table = $Table -replace '<', '<' -replace '>', '>' -replace '&nbsp;', ' ' -replace '"', '"' -replace ''', "'" } if (-not $DisableNewLine) { # Finds new lines and adds HTML TAG BR #$Table = $Table -replace '(?m)\s+$', "`r`n<BR>" $Table = $Table -replace '(?m)\s+$', "<BR>" } if ($OtherHTML) { $BeforeTableCode = Invoke-Command -ScriptBlock $OtherHTML } else { $BeforeTableCode = '' } if ($PreContent) { $BeforeTable = Invoke-Command -ScriptBlock $PreContent } else { $BeforeTable = '' } if ($PostContent) { $AfterTable = Invoke-Command -ScriptBlock $PostContent } else { $AfterTable = '' } New-HTMLTag -Tag 'div' -Attributes @{ class = 'flexElement overflowHidden' } -Value { $BeforeTableCode $BeforeTable # Build HTML TABLE New-HTMLTag -Tag 'table' -Attributes $TableAttributes { New-HTMLTag -Tag 'thead' { if ($AddedHeader) { $AddedHeader } else { $Header } } New-HTMLTag -Tag 'tbody' { $Table } if (-not $HideFooter) { New-HTMLTag -Tag 'tfoot' { $Header } } } $AfterTable } } function New-HTMLTableButtonCopy { [alias('TableButtonCopy', 'EmailTableButtonCopy')] [CmdletBinding()] param() [PSCustomObject] @{ Type = 'TableButtonCopy' Output = @{ extend = 'copyHtml5' } } } function New-HTMLTableButtonCSV { [alias('TableButtonCSV', 'EmailTableButtonCSV')] [CmdletBinding()] param() [PSCustomObject] @{ Type = 'TableButtonCSV' Output = @{ extend = 'csvHtml5' } } } function New-HTMLTableButtonExcel { [alias('TableButtonExcel', 'EmailTableButtonExcel')] [CmdletBinding()] param() [PSCustomObject] @{ Type = 'TableButtonExcel' Output = @{ extend = 'excelHtml5' } } } function New-HTMLTableButtonPageLength { [alias('TableButtonPageLength', 'EmailTableButtonPageLength')] [CmdletBinding()] param() [PSCustomObject] @{ Type = 'TableButtonPageLength' Output = @{ extend = 'pageLength' } } } function New-HTMLTableButtonPDF { <# .SYNOPSIS Allows more control when adding buttons to Table .DESCRIPTION Allows more control when adding buttons to Table. Works only within Table or New-HTMLTable scriptblock. .PARAMETER Title Document title (appears above the table in the generated PDF). The special character * is automatically replaced with the value read from the host document's title tag. .PARAMETER DisplayName The button's display text. The text can be configured using this option .PARAMETER MessageBottom Message to be shown at the bottom of the table, or the caption tag if displayed at the bottom of the table. .PARAMETER MessageTop Message to be shown at the top of the table, or the caption tag if displayed at the top of the table. .PARAMETER FileName File name to give the created file (plus the extension defined by the extension option). The special character * is automatically replaced with the value read from the host document's title tag. .PARAMETER Extension The extension to give the created file name. (default .pdf) .PARAMETER PageSize Paper size for the created PDF. This can be A3, A4, A5, LEGAL, LETTER or TABLOID. Other options are available. .PARAMETER Orientation Paper orientation for the created PDF. This can be portrait or landscape .PARAMETER Header Indicate if the table header should be included in the exported data or not. .PARAMETER Footer Indicate if the table footer should be included in the exported data or not. .EXAMPLE Dashboard -Name 'Dashimo Test' -FilePath $PSScriptRoot\DashboardEasy05.html -Show { Section -Name 'Test' -Collapsable { Container { Panel { Table -DataTable $Process { TableButtonPDF TableButtonCopy TableButtonExcel } -Buttons @() -DisableSearch -DisablePaging -HideFooter } Panel { Table -DataTable $Process -Buttons @() -DisableSearch -DisablePaging -HideFooter } Panel { Table -DataTable $Process { TableButtonPDF -PageSize A10 -Orientation landscape TableButtonCopy TableButtonExcel } -Buttons @() -DisableSearch -DisablePaging -HideFooter } } } } .NOTES Options are based on this URL: https://datatables.net/reference/button/pdfHtml5 #> [alias('TableButtonPDF', 'EmailTableButtonPDF')] [CmdletBinding()] param( [string] $Title, [string] $DisplayName, [string] $MessageBottom, [string] $MessageTop, [string] $FileName, [string] $Extension, [string][ValidateSet('4A0', '2A0', 'A0', 'A1', 'A2', 'A3', 'A4', 'A5', 'A6', 'A7', 'A8', 'A9', 'A10', 'B0', 'B1', 'B2', 'B3', 'B4', 'B5', 'B6', 'B7', 'B8', 'B9', 'B10', 'C0', 'C1', 'C2', 'C3', 'C4', 'C5', 'C6', 'C7', 'C8', 'C9', 'C10', 'RA0', 'RA1', 'RA2', 'RA3', 'RA4', 'SRA0', 'SRA1', 'SRA2', 'SRA3', 'SRA4', 'EXECUTIVE', 'FOLIO', 'LEGAL', 'LETTER', 'TABLOID')] $PageSize = 'A3', [string][ValidateSet('portrait', 'landscape')] $Orientation = 'landscape', [switch] $Header, [switch] $Footer ) $Button = @{ } $Button.extend = 'pdfHtml5' $Button.pageSize = $PageSize $Button.orientation = $Orientation if ($MessageBottom) { $Button.messageBottom = $MessageBottom } if ($MessageTop) { $Button.messageTop = $MessageTop } if ($DisplayName) { $Button.text = $DisplayName } if ($Title) { $Button.title = $Title } if ($FileName) { $Button.filename = $FileName } if ($Extension) { $Button.extension = $Extension } if ($Header) { $Button.header = $Header.IsPresent } if ($Footer) { $Button.footer = $Footer.IsPresent } [PSCustomObject] @{ Type = 'TableButtonPDF' Output = $Button } } function New-HTMLTableButtonPrint { [alias('TableButtonPrint', 'EmailTableButtonPrint')] [CmdletBinding()] param() $Button = @{ extend = 'print' } [PSCustomObject] @{ Type = 'TableButtonPrint' Output = $Button } } function New-HTMLTableCondition { [alias('EmailTableCondition', 'TableConditionalFormatting')] [CmdletBinding()] param( [alias('ColumnName')][string] $Name, [alias('Type')][ValidateSet('number', 'string')][string] $ComparisonType, [ValidateSet('lt', 'le', 'eq', 'ge', 'gt', 'ne', 'contains', 'like')][string] $Operator, [Object] $Value, [switch] $Row, [nullable[RGBColors]] $Color, [nullable[RGBColors]] $BackgroundColor, [int] $FontSize, [ValidateSet('normal', 'bold', 'bolder', 'lighter', '100', '200', '300', '400', '500', '600', '700', '800', '900')][string] $FontWeight, [ValidateSet('normal', 'italic', 'oblique')][string] $FontStyle, [ValidateSet('normal', 'small-caps')][string] $FontVariant, [string] $FontFamily, [ValidateSet('left', 'center', 'right', 'justify')][string] $Alignment, [ValidateSet('none', 'line-through', 'overline', 'underline')][string] $TextDecoration, [ValidateSet('uppercase', 'lowercase', 'capitalize')][string] $TextTransform, [ValidateSet('rtl')][string] $Direction, [switch] $Inline ) $Style = @{ Color = $Color BackGroundColor = $BackGroundColor FontSize = $FontSize FontWeight = $FontWeight FontStyle = $FontStyle FontVariant = $FontVariant FontFamily = $FontFamily Alignment = $Alignment TextDecoration = $TextDecoration TextTransform = $TextTransform Direction = $Direction } Remove-EmptyValues -Hashtable $Style $TableCondition = [PSCustomObject] @{ Row = $Row Type = if (-not $ComparisonType) { 'string' } else { $ComparisonType } Name = $Name Operator = if (-not $Operator) { 'eq' } else { $Operator } Value = $Value Color = $Color BackgroundColor = $BackgroundColor Style = ConvertTo-HTMLStyle @Style } [PSCustomObject] @{ Type = if ($Inline) { 'TableConditionInline' } else { 'TableCondition' } Output = $TableCondition } } function New-HTMLTableContent { [alias('TableContent', 'EmailTableContent')] [CmdletBinding()] param( [alias('ColumnNames', 'Names', 'Name')][string[]] $ColumnName, [int[]] $ColumnIndex, [int[]] $RowIndex, [string] $Text, [RGBColors] $Color, [RGBColors] $BackGroundColor, [int] $FontSize, [ValidateSet('normal', 'bold', 'bolder', 'lighter', '100', '200', '300', '400', '500', '600', '700', '800', '900')][string] $FontWeight, [ValidateSet('normal', 'italic', 'oblique')][string] $FontStyle, [ValidateSet('normal', 'small-caps')][string] $FontVariant, [string] $FontFamily, [ValidateSet('left', 'center', 'right', 'justify')][string] $Alignment, [ValidateSet('none', 'line-through', 'overline', 'underline')][string] $TextDecoration, [ValidateSet('uppercase', 'lowercase', 'capitalize')][string] $TextTransform, [ValidateSet('rtl')][string] $Direction ) $Style = @{ Color = $Color BackGroundColor = $BackGroundColor FontSize = $FontSize FontWeight = $FontWeight FontStyle = $FontStyle FontVariant = $FontVariant FontFamily = $FontFamily Alignment = $Alignment TextDecoration = $TextDecoration TextTransform = $TextTransform Direction = $Direction } Remove-EmptyValues -Hashtable $Style $Type = 'TableContentStyle' [PSCustomObject]@{ Type = $Type Output = @{ Name = $ColumnName Text = $Text RowIndex = $RowIndex | Sort-Object ColumnIndex = $ColumnIndex | Sort-Object Style = ConvertTo-HTMLStyle @Style Used = $false } } } function New-HTMLTableHeader { [alias('TableHeader', 'EmailTableHeader')] [CmdletBinding()] param( [string[]] $Names, [string] $Title, [RGBColors] $Color, [RGBColors] $BackGroundColor, [int] $FontSize, [ValidateSet('normal', 'bold', 'bolder', 'lighter', '100', '200', '300', '400', '500', '600', '700', '800', '900')][string] $FontWeight, [ValidateSet('normal', 'italic', 'oblique')][string] $FontStyle, [ValidateSet('normal', 'small-caps')][string] $FontVariant, [string] $FontFamily, [ValidateSet('left', 'center', 'right', 'justify')][string] $Alignment, [ValidateSet('none', 'line-through', 'overline', 'underline')][string] $TextDecoration, [ValidateSet('uppercase', 'lowercase', 'capitalize')][string] $TextTransform, [ValidateSet('rtl')][string] $Direction, [switch] $AddRow, [int] $ColumnCount, [ValidateSet( 'all', 'none', 'never', 'desktop', 'not-desktop', 'tablet-l', 'tablet-p', 'mobile-l', 'mobile-p', 'min-desktop', 'max-desktop', 'tablet', 'not-tablet', 'min-tablet', 'max-tablet', 'not-tablet-l', 'min-tablet-l', 'max-tablet-l', 'not-tablet-p', 'min-tablet-p', 'max-tablet-p', 'mobile', 'not-mobile', 'min-mobile', 'max-mobile', 'not-mobile-l', 'min-mobile-l', 'max-mobile-l', 'not-mobile-p', 'min-mobile-p', 'max-mobile-p' )][string] $ResponsiveOperations ) if ($AddRow) { Write-Warning "New-HTMLTableHeader - Using AddRow switch is deprecated. It's not nessecary anymore. Just use Title alone. It will be removed later on." } $Style = @{ Color = $Color BackGroundColor = $BackGroundColor FontSize = $FontSize FontWeight = $FontWeight FontStyle = $FontStyle FontVariant = $FontVariant FontFamily = $FontFamily Alignment = $Alignment TextDecoration = $TextDecoration TextTransform = $TextTransform Direction = $Direction } Remove-EmptyValues -Hashtable $Style if (($AddRow -and $Title) -or ($Title -and -not $Names)) { $Type = 'TableHeaderFullRow' } elseif ((-not $AddRow -and $Title) -or ($Title -and $Names)) { $Type = 'TableHeaderMerge' } elseif ($Names -and $ResponsiveOperations) { $Type = 'TableHeaderResponsiveOperations' } elseif ($ResponsiveOperations) { Write-Warning 'New-HTMLTableHeader - ResponsiveOperations require Names (ColumnNames) to apply operation to.' return } else { $Type = 'TableHeaderStyle' } [PSCustomObject]@{ Type = $Type Output = @{ Names = $Names ResponsiveOperations = $ResponsiveOperations Title = $Title Style = ConvertTo-HTMLStyle @Style ColumnCount = $ColumnCount } } } function New-HTMLTabOptions { [alias('TabOptions')] [CmdletBinding()] param( [switch] $SlimTabs, [RGBColors] $SelectorColor = [RGBColors]::None, [RGBColors] $SelectorColorTarget = [RGBColors]::None, [switch] $Transition, [switch] $LinearGradient ) if (-not $Script:HTMLSchema) { Write-Warning 'New-HTMLTabOptions - Creation of HTML aborted. Most likely New-HTML is missing.' Exit } #$Script:HTMLSchema.TabOptions = @{ } $Script:HTMLSchema.TabOptions.SlimTabs = $SlimTabs.IsPresent if ($SelectorColor -ne [RGBColors]::None) { # $Script:HTMLSchema.TabOptions.SelectorColor = ConvertFrom-Color -Color $SelectorColor $Script:Configuration.Features.Tabs.CustomActionsReplace.ColorSelector = ConvertFrom-Color -Color $SelectorColor $Script:Configuration.Features.TabsGradient.CustomActionsReplace.ColorSelector = ConvertFrom-Color -Color $SelectorColor # $Script:Configuration.Features.TabsTransition.CustomActionsReplace.ColorSelector = ConvertFrom-Color -Color $SelectorColor } if ($SelectorColorTarget -ne [RGBColors]::None) { $Script:Configuration.Features.Tabs.CustomActionsReplace.ColorTarget = ConvertFrom-Color -Color $SelectorColorTarget $Script:Configuration.Features.TabsGradient.CustomActionsReplace.ColorTarget = ConvertFrom-Color -Color $SelectorColorTarget } $Script:HTMLSchema.Features.TabsGradient = $LinearGradient.IsPresent $Script:HTMLSchema.Features.TabsTransition = $Transition.IsPresent } function New-HTMLTag { [CmdletBinding()] param( [Parameter(Mandatory = $false, Position = 0)][alias('Content')][ScriptBlock] $Value, [Parameter(Mandatory = $true, Position = 1)][string] $Tag, [System.Collections.IDictionary] $Attributes, [switch] $SelfClosing, [switch] $NewLine ) $HTMLTag = [Ordered] @{ Tag = $Tag Attributes = $Attributes Value = if ($null -eq $Value) { '' } else { Invoke-Command -ScriptBlock $Value } SelfClosing = $SelfClosing } $HTML = Set-Tag -HtmlObject $HTMLTag -NewLine:$NewLine return $HTML } function New-HTMLText { [alias('HTMLText')] [CmdletBinding()] param( [string[]] $Text, [RGBColors[]] $Color = @(), [RGBColors[]] $BackGroundColor = @(), [int[]] $FontSize = @(), [ValidateSet('normal', 'bold', 'bolder', 'lighter', '100', '200', '300', '400', '500', '600', '700', '800', '900')][string[]] $FontWeight = @(), [ValidateSet('normal', 'italic', 'oblique')][string[]] $FontStyle = @(), [ValidateSet('normal', 'small-caps')][string[]] $FontVariant = @(), [string[]] $FontFamily = @(), [ValidateSet('left', 'center', 'right', 'justify')][string[]] $Alignment = @(), [ValidateSet('none', 'line-through', 'overline', 'underline')][string[]] $TextDecoration = @(), [ValidateSet('uppercase', 'lowercase', 'capitalize')][string[]] $TextTransform = @(), [ValidateSet('rtl')][string[]] $Direction = @(), [switch] $LineBreak, [switch] $SkipParagraph ) #Write-Verbose 'New-HTMLText - Processing...' $DefaultColor = $Color[0] $DefaultFontSize = $FontSize[0] $DefaultFontWeight = if ($null -eq $FontWeight[0] ) { '' } else { $FontWeight[0] } $DefaultBackGroundColor = $BackGroundColor[0] $DefaultFontFamily = if ($null -eq $FontFamily[0] ) { '' } else { $FontFamily[0] } $DefaultFontStyle = if ($null -eq $FontStyle[0] ) { '' } else { $FontStyle[0] } $DefaultTextDecoration = if ($null -eq $TextDecoration[0]) { '' } else { $TextDecoration[0] } $DefaultTextTransform = if ($null -eq $TextTransform[0]) { '' } else { $TextTransform[0] } $DefaultFontVariant = if ($null -eq $FontVariant[0]) { '' } else { $FontVariant } $DefaultDirection = if ($null -eq $Direction[0]) { '' } else { $Direction[0] } $DefaultAlignment = if ($null -eq $Alignment[0]) { '' } else { $Alignment[0] } $Output = for ($i = 0; $i -lt $Text.Count; $i++) { if ($null -eq $FontWeight[$i]) { $ParamFontWeight = $DefaultFontWeight } else { $ParamFontWeight = $FontWeight[$i] } if ($null -eq $FontSize[$i]) { $ParamFontSize = $DefaultFontSize } else { $ParamFontSize = $FontSize[$i] } if ($null -eq $Color[$i]) { $ParamColor = $DefaultColor } else { $ParamColor = $Color[$i] } if ($null -eq $BackGroundColor[$i]) { $ParamBackGroundColor = $DefaultBackGroundColor } else { $ParamBackGroundColor = $BackGroundColor[$i] } if ($null -eq $FontFamily[$i]) { $ParamFontFamily = $DefaultFontFamily } else { $ParamFontFamily = $FontFamily[$i] } if ($null -eq $FontStyle[$i]) { $ParamFontStyle = $DefaultFontStyle } else { $ParamFontStyle = $FontStyle[$i] } if ($null -eq $TextDecoration[$i]) { $ParamTextDecoration = $DefaultTextDecoration } else { $ParamTextDecoration = $TextDecoration[$i] } if ($null -eq $TextTransform[$i]) { $ParamTextTransform = $DefaultTextTransform } else { $ParamTextTransform = $TextTransform[$i] } if ($null -eq $FontVariant[$i]) { $ParamFontVariant = $DefaultFontVariant } else { $ParamFontVariant = $FontVariant[$i] } if ($null -eq $Direction[$i]) { $ParamDirection = $DefaultDirection } else { $ParamDirection = $Direction[$i] } if ($null -eq $Alignment[$i]) { $ParamAlignment = $DefaultAlignment } else { $ParamAlignment = $Alignment[$i] } $newSpanTextSplat = @{ } $newSpanTextSplat.Color = $ParamColor $newSpanTextSplat.BackGroundColor = $ParamBackGroundColor $newSpanTextSplat.FontSize = $ParamFontSize if ($ParamFontWeight -ne '') { $newSpanTextSplat.FontWeight = $ParamFontWeight } $newSpanTextSplat.FontFamily = $ParamFontFamily if ($ParamFontStyle -ne '') { $newSpanTextSplat.FontStyle = $ParamFontStyle } if ($ParamFontVariant -ne '') { $newSpanTextSplat.FontVariant = $ParamFontVariant } if ($ParamTextDecoration -ne '') { $newSpanTextSplat.TextDecoration = $ParamTextDecoration } if ($ParamTextTransform -ne '') { $newSpanTextSplat.TextTransform = $ParamTextTransform } if ($ParamDirection -ne '') { $newSpanTextSplat.Direction = $ParamDirection } if ($ParamAlignment -ne '') { $newSpanTextSplat.Alignment = $ParamAlignment } $newSpanTextSplat.LineBreak = $LineBreak New-HTMLSpanStyle @newSpanTextSplat { if ($Text[$i] -match "\[([^\[]*)\)") { # Covers markdown LINK "[somestring](https://evotec.xyz)" $RegexBrackets1 = [regex] "\[([^\[]*)\]" # catch 'sometstring' $RegexBrackets2 = [regex] "\(([^\[]*)\)" # catch link $RegexBrackets3 = [regex] "\[([^\[]*)\)" # catch both somestring and link $Text1 = $RegexBrackets1.match($Text[$i]).Groups[1].value $Text2 = $RegexBrackets2.match($Text[$i]).Groups[1].value $Text3 = $RegexBrackets3.match($Text[$i]).Groups[0].value if ($Text1 -ne '' -and $Text2 -ne '') { $Link = New-HTMLAnchor -HrefLink $Text2 -Text $Text1 $Text[$i].Replace($Text3, $Link) } } else { # Default $Text[$i] } } } if ($SkipParagraph) { $Output -join '' } else { New-HTMLTag -Tag 'div' { $Output } } if ($LineBreak) { New-HTMLTag -Tag 'br' -SelfClosing } } function New-HTMLTimeline { param( [Parameter(Mandatory = $false, Position = 0)][alias('TimeLineItems')][ScriptBlock] $Content ) $Script:HTMLSchema.Features.TimeLine = $true New-HTMLTag -Tag 'div' -Attributes @{ class = 'timelineSimpleContainer' } { if ($null -eq $Value) { '' } else { Invoke-Command -ScriptBlock $Content } } } function New-HTMLTimelineItem { [CmdletBinding()] param( [DateTime] $Date = (Get-Date), [string] $HeadingText, [string] $Text, [nullable[RGBColors]] $Color ) $Attributes = @{ class = 'timelineSimple-item' "date-is" = $Date } if ($null -ne $Color) { $RGBcolor = ConvertFrom-Color -Color $Color $Style = "color: $RGBcolor;" } else { $Style = '' } # $Script:HTMLSchema.Features.TimeLine = $true New-HTMLTag -Tag 'div' -Attributes $Attributes -Value { New-HTMLTag -Tag 'h1' -Attributes @{ class = 'timelineSimple'; style = $style } { $HeadingText } New-HTMLTag -Tag 'p' -Attributes @{ class = 'timelineSimple' } { $Text -Replace [Environment]::NewLine, '<br>' -replace '\n', '<br>' } } } function New-HTMLToast { [CmdletBinding()] param( [parameter(ParameterSetName = "FontAwesomeBrands")] [parameter(ParameterSetName = "FontAwesomeRegular")] [parameter(ParameterSetName = "FontAwesomeSolid")][string] $TextHeader, [parameter(ParameterSetName = "FontAwesomeBrands")] [parameter(ParameterSetName = "FontAwesomeRegular")] [parameter(ParameterSetName = "FontAwesomeSolid")][RGBColors] $TextHeaderColor = [RGBColors]::None, [parameter(ParameterSetName = "FontAwesomeBrands")] [parameter(ParameterSetName = "FontAwesomeRegular")] [parameter(ParameterSetName = "FontAwesomeSolid")][string] $Text, [parameter(ParameterSetName = "FontAwesomeBrands")] [parameter(ParameterSetName = "FontAwesomeRegular")] [parameter(ParameterSetName = "FontAwesomeSolid")][RGBColors] $TextColor = [RGBColors]::None, [parameter(ParameterSetName = "FontAwesomeBrands")] [parameter(ParameterSetName = "FontAwesomeRegular")] [parameter(ParameterSetName = "FontAwesomeSolid")][int] $IconSize = 30, [parameter(ParameterSetName = "FontAwesomeBrands")] [parameter(ParameterSetName = "FontAwesomeRegular")] [parameter(ParameterSetName = "FontAwesomeSolid")][RGBColors] $IconColor = [RGBColors]::Blue, [parameter(ParameterSetName = "FontAwesomeBrands")] [parameter(ParameterSetName = "FontAwesomeRegular")] [parameter(ParameterSetName = "FontAwesomeSolid")][RGBColors] $BarColorLeft = [RGBColors]::Blue, [parameter(ParameterSetName = "FontAwesomeBrands")] [parameter(ParameterSetName = "FontAwesomeRegular")] [parameter(ParameterSetName = "FontAwesomeSolid")][RGBColors] $BarColorRight = [RGBColors]::None, # ICON BRANDS [ArgumentCompleter( { param($CommandName, $ParameterName, $WordToComplete, $CommandAst, $FakeBoundParameters) ($Global:HTMLIcons.FontAwesomeBrands) } )] [ValidateScript( { $_ -in (($Global:HTMLIcons.FontAwesomeBrands)) } )] [parameter(ParameterSetName = "FontAwesomeBrands")][string] $IconBrands, # ICON REGULAR [ArgumentCompleter( { param($CommandName, $ParameterName, $WordToComplete, $CommandAst, $FakeBoundParameters) ($Global:HTMLIcons.FontAwesomeRegular) } )] [ValidateScript( { $_ -in (($Global:HTMLIcons.FontAwesomeRegular)) } )] [parameter(ParameterSetName = "FontAwesomeRegular")][string] $IconRegular, # ICON SOLID [ArgumentCompleter( { param($CommandName, $ParameterName, $WordToComplete, $CommandAst, $FakeBoundParameters) ($Global:HTMLIcons.FontAwesomeSolid) } )] [ValidateScript( { $_ -in (($Global:HTMLIcons.FontAwesomeSolid)) } )] [parameter(ParameterSetName = "FontAwesomeSolid")][string] $IconSolid ) if ($IconBrands) { $Icon = "fab fa-$IconBrands" # fa-$($FontSize)x" } elseif ($IconRegular) { $Icon = "far fa-$IconRegular" # fa-$($FontSize)x" } elseif ($IconSolid) { $Icon = "fas fa-$IconSolid" # fa-$($FontSize)x" } $Script:HTMLSchema.Features.Toasts = $true [string] $DivClass = "toast" $StyleText = @{ } if ($TextColor -ne [RGBColors]::None) { $StyleText.'color' = ConvertFrom-Color -Color $TextColor } $StyleTextHeader = @{ } if ($TextHeaderColor -ne [RGBColors]::None) { $StyleTextHeader.'color' = ConvertFrom-Color -Color $TextHeaderColor } $StyleIcon = @{ } if ($IconSize -ne 0) { $StyleIcon.'font-size' = "$($IconSize)px" } if ($IconColor -ne [RGBColors]::None) { $StyleIcon.'color' = ConvertFrom-Color -Color $IconColor } $StyleBarLeft = @{ } if ($BarColorLeft -ne [RGBColors]::None) { $StyleBarLeft.'background-color' = ConvertFrom-Color -Color $BarColorLeft } $StyleBarRight = @{ } if ($BarColorRight -ne [RGBColors]::None) { $StyleBarRight.'background-color' = ConvertFrom-Color -Color $BarColorRight } New-HTMLTag -Tag 'div' -Attributes @{ class = $DivClass } { New-HTMLTag -Tag 'div' -Attributes @{ class = 'toastBorderLeft'; style = $StyleBarLeft } New-HTMLTag -Tag 'div' -Attributes @{ class = "toastIcon $Icon"; style = $StyleIcon } New-HTMLTag -Tag 'div' -Attributes @{ class = 'toastContent' } { New-HTMLTag -Tag 'p' -Attributes @{ class = 'toastTextHeader'; style = $StyleTextHeader } { $TextHeader } New-HTMLTag -Tag 'p' -Attributes @{ class = 'toastText'; style = $StyleText } { $Text } } New-HTMLTag -Tag 'div' -Attributes @{ class = 'toastBorderRight'; style = $StyleBarRight } } } function New-TableConditionalFormatting { [CmdletBinding()] param( [string] $Options, [Array] $ConditionalFormatting, [string[]] $Header ) if ($ConditionalFormatting.Count -gt 0) { # Conditional - changes PowerShellOperator into JS operator foreach ($Formatting in $ConditionalFormatting) { if ($Formatting.Operator -eq 'gt') { $Formatting.Operator = '>' } elseif ($Formatting.Operator -eq 'lt') { $Formatting.Operator = '<' } elseif ($Formatting.Operator -eq 'eq') { $Formatting.Operator = '==' } elseif ($Formatting.Operator -eq 'le') { $Formatting.Operator = '<=' } elseif ($Formatting.Operator -eq 'ge') { $Formatting.Operator = '>=' } elseif ($Formatting.Operator -eq 'ne') { $Formatting.Operator = '!=' } # Operator like/contains are taken care of below } $Condition = @( '"createdRow": function (row, data, dataIndex, column) {' foreach ($Condition in $ConditionalFormatting) { $ConditionHeaderNr = $Header.ToLower().IndexOf($($Condition.Name.ToLower())) $Style = $Condition.Style | ConvertTo-Json [string] $StyleDefinition = ".css($Style)" if ($null -eq $Condition.Type -or $Condition.Type -eq 'number' -or $Condition.Type -eq 'int' -or $Condition.Type -eq 'decimal') { "if (data[$ConditionHeaderNr] $($Condition.Operator) $($Condition.Value)) {" } elseif ($Condition.Type -eq 'string') { switch ($Condition.Operator) { "contains" { "if (data[$($ConditionHeaderNr)].includes('$($Condition.Value)')) {" } "like" { "if (data[$($ConditionHeaderNr)].includes('$($Condition.Value)')) {" } default { "if (data[$ConditionHeaderNr] $($Condition.Operator) '$($Condition.Value)') {" } } } elseif ($Condition.Type -eq 'date') { "if (new Date(data[$ConditionHeaderNr]) $($Condition.Operator) new Date('$($Condition.Value)')) {" } if ($null -ne $Condition.Row -and $Condition.Row -eq $true) { "`$(column)$($StyleDefinition);" } else { "`$(column[$ConditionHeaderNr])$($StyleDefinition);" } "}" } '}' ) if ($PSEdition -eq 'Desktop') { $TextToFind = '"createdRow": ""' } else { $TextToFind = '"createdRow": ""' } $Options = $Options -Replace ($TextToFind, $Condition) } return $Options } function Out-HtmlView { <# .SYNOPSIS Small function that allows to send output to HTML .DESCRIPTION Small function that allows to send output to HTML. When displaying in HTML it allows data to output to EXCEL, CSV and PDF. It allows sorting, searching and so on. .PARAMETER Table Data you want to display .PARAMETER Title Title of HTML Window .PARAMETER DefaultSortColumn Sort by Column Name .PARAMETER DefaultSortIndex Sort by Column Index .EXAMPLE Get-Process | Select-Object -First 5 | Out-HtmlView .NOTES General notes #> [alias('Out-GridHtml', 'ohv')] [CmdletBinding()] param( [alias('ArrayOfObjects', 'Object', 'DataTable')][Parameter(ValueFromPipeline = $true, Mandatory = $true)] $Table, [string] $FilePath, [string] $Title = 'Out-HTMLView', [switch] $PassThru, [string[]][ValidateSet('copyHtml5', 'excelHtml5', 'csvHtml5', 'pdfHtml5')] $Buttons = @('copyHtml5', 'excelHtml5', 'csvHtml5', 'pdfHtml5', 'pageLength'), [string[]][ValidateSet('numbers', 'simple', 'simple_numbers', 'full', 'full_numbers', 'first_last_numbers')] $PagingStyle = 'full_numbers', [int[]]$PagingOptions = @(15, 25, 50, 100), [switch]$DisablePaging, [switch]$DisableOrdering, [switch]$DisableInfo, [switch]$HideFooter, [switch]$DisableColumnReorder, [switch]$DisableProcessing, [switch]$DisableResponsiveTable, [switch]$DisableSelect, [switch]$DisableStateSave, [switch]$DisableSearch, [switch]$ScrollCollapse, [switch]$OrderMulti, [switch]$Filtering, [ValidateSet('Top', 'Bottom', 'Both')][string]$FilteringLocation = 'Bottom', [string[]][ValidateSet('display', 'cell-border', 'compact', 'hover', 'nowrap', 'order-column', 'row-border', 'stripe')] $Style = @('display', 'compact'), [string]$TextWhenNoData = 'No data available.', [int] $ScreenSizePercent = 0, [string[]] $DefaultSortColumn, [int[]] $DefaultSortIndex, [ValidateSet('Ascending', 'Descending')][string] $DefaultSortOrder = 'Ascending', [string[]]$DateTimeSortingFormat, [alias('Search')][string]$Find, [switch] $InvokeHTMLTags, [switch] $DisableNewLine, [switch] $ScrollX, [switch] $ScrollY, [int] $ScrollSizeY = 500, [int] $FreezeColumnsLeft, [int] $FreezeColumnsRight, [switch] $FixedHeader, [switch] $FixedFooter, [string[]] $ResponsivePriorityOrder, [int[]] $ResponsivePriorityOrderIndex, [string[]] $PriorityProperties ) Begin { $DataTable = [System.Collections.Generic.List[Object]]::new() if ($FilePath -eq '') { $FilePath = Get-FileName -Extension 'html' -Temporary } } Process { foreach ($T in $Table) { $DataTable.Add($T) } } End { <# Not needed - part of New-HTMLTable # Code responsible for Priority Properties if ($PriorityProperties) { if ($DataTable.Count -gt 0) { $Properties = $DataTable[0].PSObject.Properties.Name $RemainingProperties = foreach ($Property in $Properties) { if ($PriorityProperties -notcontains $Property) { $Property } } $AllProperties = $PriorityProperties + $RemainingProperties $DataTable = $DataTable | Select-Object -Property $AllProperties } } #> # HTML generation part New-HTML -FilePath $FilePath -UseCssLinks -UseJavaScriptLinks -TitleText $Title -ShowHTML { <# New-HTMLTable -DataTable $DataTable ` -DefaultSortColumn $DefaultSortColumn ` -DefaultSortIndex $DefaultSortIndex ` -DisablePaging:$DisablePaging -Filtering:$Filtering -FilteringLocation $FilteringLocation ` -Find $Find -InvokeHTMLTags:$InvokeHTMLTags -DisableNewLine:$DisableNewLine ` -PriorityProperties $PriorityProperties #> New-HTMLTable -DataTable $DataTable ` -HideFooter:$HideFooter ` -Buttons $Buttons -PagingStyle $PagingStyle -PagingOptions $PagingOptions ` -DisablePaging:$DisablePaging -DisableOrdering:$DisableOrdering -DisableInfo:$DisableInfo -DisableColumnReorder:$DisableColumnReorder -DisableProcessing:$DisableProcessing ` -DisableResponsiveTable:$DisableResponsiveTable -DisableSelect:$DisableSelect -DisableStateSave:$DisableStateSave -DisableSearch:$DisableSearch -ScrollCollapse:$ScrollCollapse ` -Style $Style -TextWhenNoData:$TextWhenNoData -ScreenSizePercent $ScreenSizePercent ` -HTML $HTML -PreContent $PreContent -PostContent $PostContent ` -DefaultSortColumn $DefaultSortColumn -DefaultSortIndex $DefaultSortIndex -DefaultSortOrder $DefaultSortOrder ` -DateTimeSortingFormat $DateTimeSortingFormat -Find $Find -OrderMulti:$OrderMulti ` -Filtering:$Filtering -FilteringLocation $FilteringLocation ` -InvokeHTMLTags:$InvokeHTMLTags -DisableNewLine:$DisableNewLine -ScrollX:$ScrollX -ScrollY:$ScrollY -ScrollSizeY $ScrollSizeY ` -FreezeColumnsLeft $FreezeColumnsLeft -FreezeColumnsRight $FreezeColumnsRight ` -FixedHeader:$FixedHeader -FixedFooter:$FixedFooter -ResponsivePriorityOrder $ResponsivePriorityOrder -ResponsivePriorityOrderIndex $ResponsivePriorityOrderIndex -PriorityProperties $PriorityProperties } if ($PassThru) { # This isn't really real PassThru but just passing final object further down the pipe when needed # real PassThru requires significant work - if you're up to it, let me know. $DataTable } } } $Script:Configuration = [ordered] @{ Features = [ordered] @{ Default = @{ Comment = 'Always Required Default Visual Settings' HeaderAlways = @{ Css = "$PSScriptRoot\Resources\CSS\default.css" } } DefaultHeadings = @{ Comment = 'Always Required Default Headings' HeaderAlways = @{ Css = "$PSScriptRoot\Resources\CSS\headings.css" } } Accordion = @{ Comment = 'Accordion' HeaderAlways = @{ Css = "$PSScriptRoot\Resources\CSS\accordion-1.css" } } CodeBlocks = @{ Comment = 'EnlighterJS CodeBlocks' Header = @{ CssLink = 'https://evotec.xyz/wp-content/uploads/pswritehtml/enlighterjs.min.css' Css = "$PSScriptRoot\Resources\CSS\enlighterjs.min.css" JsLink = 'https://evotec.xyz/wp-content/uploads/pswritehtml/enlighterjs.min.js' JS = "$PSScriptRoot\Resources\JS\enlighterjs.min.js" } Footer = @{ } HeaderAlways = @{ Css = "$PSScriptRoot\Resources\CSS\enlighterjs.css" } FooterAlways = @{ JS = "$PSScriptRoot\Resources\JS\enlighterjs-footer.js" } } ChartsApex = @{ Comment = 'Apex Charts' Header = @{ JsLink = 'https://cdn.jsdelivr.net/npm/apexcharts@latest' JS = "$PSScriptRoot\Resources\JS\apexcharts.min.js" } HeaderAlways = @{ #Css = "$PSScriptRoot\Resources\CSS\apexcharts.css" } } Jquery = @{ Comment = 'Jquery' Header = @{ JsLink = 'https://code.jquery.com/jquery-3.3.1.min.js' Js = "$PSScriptRoot\Resources\JS\jquery-3.3.1.min.js" } } DataTables = @{ Comment = 'DataTables' HeaderAlways = @{ Css = "$PSScriptRoot\Resources\CSS\datatables.css" CssNoscript = "$PSScriptRoot\Resources\CSS\datatables.noscript.css" } Header = @{ CssLink = 'https://cdn.datatables.net/v/dt/jq-3.3.1/dt-1.10.18/af-2.3.2/b-1.5.4/b-colvis-1.5.4/b-html5-1.5.4/b-print-1.5.4/cr-1.5.0/fc-3.2.5/fh-3.1.4/kt-2.5.0/r-2.2.2/rg-1.1.0/rr-1.2.4/sc-1.5.0/sl-1.2.6/datatables.min.css' Css = "$PSScriptRoot\Resources\CSS\datatables.min.css" JsLink = "https://cdn.datatables.net/v/dt/jq-3.3.1/dt-1.10.18/af-2.3.2/b-1.5.4/b-colvis-1.5.4/b-html5-1.5.4/b-print-1.5.4/cr-1.5.0/fc-3.2.5/fh-3.1.4/kt-2.5.0/r-2.2.2/rg-1.1.0/rr-1.2.4/sc-1.5.0/sl-1.2.6/datatables.min.js", "https://cdnjs.cloudflare.com/ajax/libs/moment.js/2.8.4/moment.min.js", "https://cdn.datatables.net/plug-ins/1.10.19/sorting/datetime-moment.js" JS = "$PSScriptRoot\Resources\JS\datatables.min.js", "$PSScriptRoot\Resources\JS\moment.min.js", "$PSScriptRoot\Resources\JS\datetime-moment.js" } } <# Those links need to be added instead of Datatables as above <link rel="stylesheet" type="text/css" href="https://cdn.datatables.net/1.10.18/css/jquery.dataTables.min.css"/> <link rel="stylesheet" type="text/css" href="https://cdn.datatables.net/autofill/2.3.3/css/autoFill.dataTables.css"/> <link rel="stylesheet" type="text/css" href="https://cdn.datatables.net/buttons/1.5.6/css/buttons.dataTables.min.css"/> <link rel="stylesheet" type="text/css" href="https://cdn.datatables.net/colreorder/1.5.0/css/colReorder.dataTables.min.css"/> <link rel="stylesheet" type="text/css" href="https://cdn.datatables.net/fixedcolumns/3.2.5/css/fixedColumns.dataTables.min.css"/> <link rel="stylesheet" type="text/css" href="https://cdn.datatables.net/fixedheader/3.1.4/css/fixedHeader.dataTables.min.css"/> <link rel="stylesheet" type="text/css" href="https://cdn.datatables.net/keytable/2.5.0/css/keyTable.dataTables.min.css"/> <link rel="stylesheet" type="text/css" href="https://cdn.datatables.net/responsive/2.2.2/css/responsive.dataTables.min.css"/> <link rel="stylesheet" type="text/css" href="https://cdn.datatables.net/rowgroup/1.1.0/css/rowGroup.dataTables.min.css"/> <link rel="stylesheet" type="text/css" href="https://cdn.datatables.net/rowreorder/1.2.4/css/rowReorder.dataTables.min.css"/> <link rel="stylesheet" type="text/css" href="https://cdn.datatables.net/scroller/2.0.0/css/scroller.dataTables.min.css"/> <link rel="stylesheet" type="text/css" href="https://cdn.datatables.net/select/1.3.0/css/select.dataTables.min.css"/> <script type="text/javascript" src="https://code.jquery.com/jquery-3.3.1.min.js"></script> <script type="text/javascript" src="https://cdnjs.cloudflare.com/ajax/libs/jszip/2.5.0/jszip.min.js"></script> <script type="text/javascript" src="https://cdnjs.cloudflare.com/ajax/libs/pdfmake/0.1.36/pdfmake.min.js"></script> <script type="text/javascript" src="https://cdnjs.cloudflare.com/ajax/libs/pdfmake/0.1.36/vfs_fonts.js"></script> <script type="text/javascript" src="https://cdn.datatables.net/1.10.18/js/jquery.dataTables.min.js"></script> <script type="text/javascript" src="https://cdn.datatables.net/autofill/2.3.3/js/dataTables.autoFill.min.js"></script> <script type="text/javascript" src="https://cdn.datatables.net/buttons/1.5.6/js/dataTables.buttons.min.js"></script> <script type="text/javascript" src="https://cdn.datatables.net/buttons/1.5.6/js/buttons.colVis.min.js"></script> <script type="text/javascript" src="https://cdn.datatables.net/buttons/1.5.6/js/buttons.html5.min.js"></script> <script type="text/javascript" src="https://cdn.datatables.net/buttons/1.5.6/js/buttons.print.min.js"></script> <script type="text/javascript" src="https://cdn.datatables.net/colreorder/1.5.0/js/dataTables.colReorder.min.js"></script> <script type="text/javascript" src="https://cdn.datatables.net/fixedcolumns/3.2.5/js/dataTables.fixedColumns.min.js"></script> <script type="text/javascript" src="https://cdn.datatables.net/fixedheader/3.1.4/js/dataTables.fixedHeader.min.js"></script> <script type="text/javascript" src="https://cdn.datatables.net/keytable/2.5.0/js/dataTables.keyTable.min.js"></script> <script type="text/javascript" src="https://cdn.datatables.net/responsive/2.2.2/js/dataTables.responsive.min.js"></script> <script type="text/javascript" src="https://cdn.datatables.net/rowgroup/1.1.0/js/dataTables.rowGroup.min.js"></script> <script type="text/javascript" src="https://cdn.datatables.net/rowreorder/1.2.4/js/dataTables.rowReorder.min.js"></script> <script type="text/javascript" src="https://cdn.datatables.net/scroller/2.0.0/js/dataTables.scroller.min.js"></script> <script type="text/javascript" src="https://cdn.datatables.net/select/1.3.0/js/dataTables.select.min.js"></script> #> ## Not used yet - START DataTablesExperimental = @{ Comment = 'DataTables 1.10.19' Header = @{ JsLink = 'https://cdn.datatables.net/1.10.19/js/jquery.dataTables.min.js' Js = "" Css = "" CssLink = 'https://cdn.datatables.net/1.10.19/css/jquery.dataTables.min.css' } } DataTablesColReorder = @{ Comment = 'DataTables ColReorder' Header = @{ JsLink = 'https://cdn.datatables.net/colreorder/1.5.0/js/dataTables.colReorder.min.js' Js = "$PSScriptRoot\Resources\JS\dataTables.colReorder.min.js" Css = "$PSScriptRoot\Resources\CSS\colReorder.dataTables.min.css" CssLink = 'https://cdn.datatables.net/colreorder/1.5.0/css/colReorder.dataTables.min.css' } } ## Not used yet - END DataTablesPDF = @{ Comment = 'DataTables PDF Features' Header = @{ JsLink = 'https://cdnjs.cloudflare.com/ajax/libs/pdfmake/0.1.36/pdfmake.min.js', 'https://cdnjs.cloudflare.com/ajax/libs/pdfmake/0.1.36/vfs_fonts.js' Js = "$PSScriptRoot\Resources\JS\pdfmake.min.js", "$PSScriptRoot\Resources\JS\vfs_fonts.min.js" } } DataTablesExcel = @{ Comment = 'DataTables Excel Features' Header = @{ JsLink = 'https://cdnjs.cloudflare.com/ajax/libs/jszip/2.5.0/jszip.min.js' JS = "$PSScriptRoot\Resources\JS\jszip.min.js" } } DataTablesSimplify = @{ Comment = 'DataTables (not really) - Simplified' HeaderAlways = @{ Css = "$PSScriptRoot\Resources\CSS\datatables.simplify.css" } } Fonts = @{ Comment = 'Default fonts' HeaderAlways = @{ CssLink = 'https://fonts.googleapis.com/css?family=Roboto|Hammersmith+One|Questrial|Oswald' } } FontsAwesome = @{ Comment = 'Default fonts icons' HeaderAlways = @{ CssLink = 'https://use.fontawesome.com/releases/v5.7.2/css/all.css' } } HideSection = @{ Comment = 'Hide Section Code' HeaderAlways = @{ JS = "$PSScriptRoot\Resources\JS\HideSection.js" } } Tabs = @{ Comment = 'Elastic Tabs' HeaderAlways = @{ Css = "$PSScriptRoot\Resources\CSS\tabs-elastic.css" } FooterAlways = @{ JS = "$PSScriptRoot\Resources\JS\tabs-elastic.js" } CustomActionsReplace = @{ 'ColorSelector' = ConvertFrom-Color -Color ([RGBColors]::DodgerBlue) 'ColorTarget' = ConvertFrom-Color -Color ([RGBColors]::MediumSlateBlue) } } TabsGradient = @{ Comment = 'Elastic Tabs Gradient' HeaderAlways = @{ Css = "$PSScriptRoot\Resources\CSS\tabs-elastic.gradient.css" } CustomActionsReplace = @{ 'ColorSelector' = ConvertFrom-Color -Color ([RGBColors]::DodgerBlue) 'ColorTarget' = ConvertFrom-Color -Color ([RGBColors]::MediumSlateBlue) } } TabsTransition = @{ Comment = 'Elastic Tabs Transition' HeaderAlways = @{ Css = "$PSScriptRoot\Resources\CSS\tabs-elastic.transition.css" } } TimeLine = @{ Comment = 'Timeline Simple' HeaderAlways = @{ Css = "$PSScriptRoot\Resources\CSS\timeline-simple.css" } } Toasts = @{ Comment = 'Toasts Looking Messages' HeaderAlways = @{ Css = "$PSScriptRoot\Resources\CSS\Toasts.css" } } StatusButtonical = @{ Comment = 'Status Buttonical' HeaderAlways = @{ Css = "$PSScriptRoot\Resources\CSS\status.css" } } TuiGrid = @{ Comment = 'Tui Grid' Header = @{ Css = "$PSScriptRoot\Resources\CSS\tuigrid.css" CssLink = 'https://cdn.jsdelivr.net/npm/tui-grid@3.5.0/dist/tui-grid.css' } } } } $Global:HTMLIcons = @{ FontAwesomeBrands = @( '500px' 'accessible-icon' 'accusoft' 'acquisitions-incorporated' 'adn' 'adobe' 'adversal' 'affiliatetheme' 'airbnb' 'algolia' 'alipay' 'amazon' 'amazon-pay' 'amilia' 'android' 'angellist' 'angrycreative' 'angular' 'app-store' 'app-store-ios' 'apper' 'apple' 'apple-pay' 'artstation' 'asymmetrik' 'atlassian' 'audible' 'autoprefixer' 'avianex' 'aviato' 'aws' 'bandcamp' 'battle-net' 'behance' 'behance-square' 'bimobject' 'bitbucket' 'bitcoin' 'bity' 'black-tie' 'blackberry' 'blogger' 'blogger-b' 'bluetooth' 'bluetooth-b' 'bootstrap' 'btc' 'buffer' 'buromobelexperte' 'buysellads' 'canadian-maple-leaf' 'cc-amazon-pay' 'cc-amex' 'cc-apple-pay' 'cc-diners-club' 'cc-discover' 'cc-jcb' 'cc-mastercard' 'cc-paypal' 'cc-stripe' 'cc-visa' 'centercode' 'centos' 'chrome' 'chromecast' 'cloudscale' 'cloudsmith' 'cloudversify' 'codepen' 'codiepie' 'confluence' 'connectdevelop' 'contao' 'cpanel' 'creative-commons' 'creative-commons-by' 'creative-commons-nc' 'creative-commons-nc-eu' 'creative-commons-nc-jp' 'creative-commons-nd' 'creative-commons-pd' 'creative-commons-pd-alt' 'creative-commons-remix' 'creative-commons-sa' 'creative-commons-sampling' 'creative-commons-sampling-plus' 'creative-commons-share' 'creative-commons-zero' 'critical-role' 'css3' 'css3-alt' 'cuttlefish' 'd-and-d' 'd-and-d-beyond' 'dashcube' 'delicious' 'deploydog' 'deskpro' 'dev' 'deviantart' 'dhl' 'diaspora' 'digg' 'digital-ocean' 'discord' 'discourse' 'dochub' 'docker' 'draft2digital' 'dribbble' 'dribbble-square' 'dropbox' 'drupal' 'dyalog' 'earlybirds' 'ebay' 'edge' 'elementor' 'ello' 'ember' 'empire' 'envira' 'erlang' 'ethereum' 'etsy' 'evernote' 'expeditedssl' 'facebook' 'facebook-f' 'facebook-messenger' 'facebook-square' 'fantasy-flight-games' 'fedex' 'fedora' 'figma' 'firefox' 'first-order' 'first-order-alt' 'firstdraft' 'flickr' 'flipboard' 'fly' 'font-awesome' 'font-awesome-alt' 'font-awesome-flag' 'fonticons' 'fonticons-fi' 'fort-awesome' 'fort-awesome-alt' 'forumbee' 'foursquare' 'free-code-camp' 'freebsd' 'fulcrum' 'galactic-republic' 'galactic-senate' 'get-pocket' 'gg' 'gg-circle' 'git' 'git-alt' 'git-square' 'github' 'github-alt' 'github-square' 'gitkraken' 'gitlab' 'gitter' 'glide' 'glide-g' 'gofore' 'goodreads' 'goodreads-g' 'google' 'google-drive' 'google-play' 'google-plus' 'google-plus-g' 'google-plus-square' 'google-wallet' 'gratipay' 'grav' 'gripfire' 'grunt' 'gulp' 'hacker-news' 'hacker-news-square' 'hackerrank' 'hips' 'hire-a-helper' 'hooli' 'hornbill' 'hotjar' 'houzz' 'html5' 'hubspot' 'imdb' 'instagram' 'intercom' 'internet-explorer' 'invision' 'ioxhost' 'itch-io' 'itunes' 'itunes-note' 'java' 'jedi-order' 'jenkins' 'jira' 'joget' 'joomla' 'js' 'js-square' 'jsfiddle' 'kaggle' 'keybase' 'keycdn' 'kickstarter' 'kickstarter-k' 'korvue' 'laravel' 'lastfm' 'lastfm-square' 'leanpub' 'less' 'line' 'linkedin' 'linkedin-in' 'linode' 'linux' 'lyft' 'magento' 'mailchimp' 'mandalorian' 'markdown' 'mastodon' 'maxcdn' 'medapps' 'medium' 'medium-m' 'medrt' 'meetup' 'megaport' 'mendeley' 'microsoft' 'mix' 'mixcloud' 'mizuni' 'modx' 'monero' 'napster' 'neos' 'nimblr' 'node' 'node-js' 'npm' 'ns8' 'nutritionix' 'odnoklassniki' 'odnoklassniki-square' 'old-republic' 'opencart' 'openid' 'opera' 'optin-monster' 'osi' 'page4' 'pagelines' 'palfed' 'patreon' 'paypal' 'penny-arcade' 'periscope' 'phabricator' 'phoenix-framework' 'phoenix-squadron' 'php' 'pied-piper' 'pied-piper-alt' 'pied-piper-hat' 'pied-piper-pp' 'pinterest' 'pinterest-p' 'pinterest-square' 'playstation' 'product-hunt' 'pushed' 'python' 'qq' 'quinscape' 'quora' 'r-project' 'raspberry-pi' 'ravelry' 'react' 'reacteurope' 'readme' 'rebel' 'red-river' 'reddit' 'reddit-alien' 'reddit-square' 'redhat' 'renren' 'replyd' 'researchgate' 'resolving' 'rev' 'rocketchat' 'rockrms' 'safari' 'salesforce' 'sass' 'schlix' 'scribd' 'searchengin' 'sellcast' 'sellsy' 'servicestack' 'shirtsinbulk' 'shopware' 'simplybuilt' 'sistrix' 'sith' 'sketch' 'skyatlas' 'skype' 'slack' 'slack-hash' 'slideshare' 'snapchat' 'snapchat-ghost' 'snapchat-square' 'soundcloud' 'sourcetree' 'speakap' 'speaker-deck' 'spotify' 'squarespace' 'stack-exchange' 'stack-overflow' 'stackpath' 'staylinked' 'steam' 'steam-square' 'steam-symbol' 'sticker-mule' 'strava' 'stripe' 'stripe-s' 'studiovinari' 'stumbleupon' 'stumbleupon-circle' 'superpowers' 'supple' 'suse' 'symfony' 'teamspeak' 'telegram' 'telegram-plane' 'tencent-weibo' 'the-red-yeti' 'themeco' 'themeisle' 'think-peaks' 'trade-federation' 'trello' 'tripadvisor' 'tumblr' 'tumblr-square' 'twitch' 'twitter' 'twitter-square' 'typo3' 'uber' 'ubuntu' 'uikit' 'uniregistry' 'untappd' 'ups' 'usb' 'usps' 'ussunnah' 'vaadin' 'viacoin' 'viadeo' 'viadeo-square' 'viber' 'vimeo' 'vimeo-square' 'vimeo-v' 'vine' 'vk' 'vnv' 'vuejs' 'waze' 'weebly' 'weibo' 'weixin' 'whatsapp' 'whatsapp-square' 'whmcs' 'wikipedia-w' 'windows' 'wix' 'wizards-of-the-coast' 'wolf-pack-battalion' 'wordpress' 'wordpress-simple' 'wpbeginner' 'wpexplorer' 'wpforms' 'wpressr' 'xbox' 'xing' 'xing-square' 'y-combinator' 'yahoo' 'yammer' 'yandex' 'yandex-international' 'yarn' 'yelp' 'yoast' 'youtube' 'youtube-square' 'zhihu' ) FontAwesomeRegular = @( 'address-book' 'address-card' 'angry' 'arrow-alt-circle-down' 'arrow-alt-circle-left' 'arrow-alt-circle-right' 'arrow-alt-circle-up' 'bell' 'bell-slash' 'bookmark' 'building' 'calendar' 'calendar-alt' 'calendar-check' 'calendar-minus' 'calendar-plus' 'calendar-times' 'caret-square-down' 'caret-square-left' 'caret-square-right' 'caret-square-up' 'chart-bar' 'check-circle' 'check-square' 'circle' 'clipboard' 'clock' 'clone' 'closed-captioning' 'comment' 'comment-alt' 'comment-dots' 'comments' 'compass' 'copy' 'copyright' 'credit-card' 'dizzy' 'dot-circle' 'edit' 'envelope' 'envelope-open' 'eye' 'eye-slash' 'file' 'file-alt' 'file-archive' 'file-audio' 'file-code' 'file-excel' 'file-image' 'file-pdf' 'file-powerpoint' 'file-video' 'file-word' 'flag' 'flushed' 'folder' 'folder-open' 'frown' 'frown-open' 'futbol' 'gem' 'grimace' 'grin' 'grin-alt' 'grin-beam' 'grin-beam-sweat' 'grin-hearts' 'grin-squint' 'grin-squint-tears' 'grin-stars' 'grin-tears' 'grin-tongue' 'grin-tongue-squint' 'grin-tongue-wink' 'grin-wink' 'hand-lizard' 'hand-paper' 'hand-peace' 'hand-point-down' 'hand-point-left' 'hand-point-right' 'hand-point-up' 'hand-pointer' 'hand-rock' 'hand-scissors' 'hand-spock' 'handshake' 'hdd' 'heart' 'hospital' 'hourglass' 'id-badge' 'id-card' 'image' 'images' 'keyboard' 'kiss' 'kiss-beam' 'kiss-wink-heart' 'laugh' 'laugh-beam' 'laugh-squint' 'laugh-wink' 'lemon' 'life-ring' 'lightbulb' 'list-alt' 'map' 'meh' 'meh-blank' 'meh-rolling-eyes' 'minus-square' 'money-bill-alt' 'moon' 'newspaper' 'object-group' 'object-ungroup' 'paper-plane' 'pause-circle' 'play-circle' 'plus-square' 'question-circle' 'registered' 'sad-cry' 'sad-tear' 'save' 'share-square' 'smile' 'smile-beam' 'smile-wink' 'snowflake' 'square' 'star' 'star-half' 'sticky-note' 'stop-circle' 'sun' 'surprise' 'thumbs-down' 'thumbs-up' 'times-circle' 'tired' 'trash-alt' 'user' 'user-circle' 'window-close' 'window-maximize' 'window-minimize' 'window-restore' ) FontAwesomeSolid = @( 'address-card' 'adjust' 'air-freshener' 'align-center' 'align-justify' 'align-left' 'align-right' 'allergies' 'ambulance' 'american-sign-language-interpreting' 'anchor' 'angle-double-down' 'angle-double-left' 'angle-double-right' 'angle-double-up' 'angle-down' 'angle-left' 'angle-right' 'angle-up' 'angry' 'ankh' 'apple-alt' 'archive' 'archway' 'arrow-alt-circle-down' 'arrow-alt-circle-left' 'arrow-alt-circle-right' 'arrow-alt-circle-up' 'arrow-circle-down' 'arrow-circle-left' 'arrow-circle-right' 'arrow-circle-up' 'arrow-down' 'arrow-left' 'arrow-right' 'arrow-up' 'arrows-alt' 'arrows-alt-h' 'arrows-alt-v' 'assistive-listening-systems' 'asterisk' 'at' 'atlas' 'atom' 'audio-description' 'award' 'baby' 'baby-carriage' 'backspace' 'backward' 'bacon' 'balance-scale' 'balance-scale-left' 'balance-scale-right' 'ban' 'band-aid' 'barcode' 'bars' 'baseball-ball' 'basketball-ball' 'bath' 'battery-empty' 'battery-full' 'battery-half' 'battery-quarter' 'battery-three-quarters' 'bed' 'beer' 'bell' 'bell-slash' 'bezier-curve' 'bible' 'bicycle' 'biking' 'binoculars' 'biohazard' 'birthday-cake' 'blender' 'blender-phone' 'blind' 'blog' 'bold' 'bolt' 'bomb' 'bone' 'bong' 'book' 'book-dead' 'book-medical' 'book-open' 'book-reader' 'bookmark' 'border-all' 'border-none' 'border-style' 'bowling-ball' 'box' 'box-open' 'boxes' 'braille' 'brain' 'bread-slice' 'briefcase' 'briefcase-medical' 'broadcast-tower' 'broom' 'brush' 'bug' 'building' 'bullhorn' 'bullseye' 'burn' 'bus' 'bus-alt' 'business-time' 'calculator' 'calendar' 'calendar-alt' 'calendar-check' 'calendar-day' 'calendar-minus' 'calendar-plus' 'calendar-times' 'calendar-week' 'camera' 'camera-retro' 'campground' 'candy-cane' 'cannabis' 'capsules' 'car' 'car-alt' 'car-battery' 'car-crash' 'car-side' 'caret-down' 'caret-left' 'caret-right' 'caret-square-down' 'caret-square-left' 'caret-square-right' 'caret-square-up' 'caret-up' 'carrot' 'cart-arrow-down' 'cart-plus' 'cash-register' 'cat' 'certificate' 'chair' 'chalkboard' 'chalkboard-teacher' 'charging-station' 'chart-area' 'chart-bar' 'chart-line' 'chart-pie' 'check' 'check-circle' 'check-double' 'check-square' 'cheese' 'chess' 'chess-bishop' 'chess-board' 'chess-king' 'chess-knight' 'chess-pawn' 'chess-queen' 'chess-rook' 'chevron-circle-down' 'chevron-circle-left' 'chevron-circle-right' 'chevron-circle-up' 'chevron-down' 'chevron-left' 'chevron-right' 'chevron-up' 'child' 'church' 'circle' 'circle-notch' 'city' 'clinic-medical' 'clipboard' 'clipboard-check' 'clipboard-list' 'clock' 'clone' 'closed-captioning' 'cloud' 'cloud-download-alt' 'cloud-meatball' 'cloud-moon' 'cloud-moon-rain' 'cloud-rain' 'cloud-showers-heavy' 'cloud-sun' 'cloud-sun-rain' 'cloud-upload-alt' 'cocktail' 'code' 'code-branch' 'coffee' 'cog' 'cogs' 'coins' 'columns' 'comment' 'comment-alt' 'comment-dollar' 'comment-dots' 'comment-medical' 'comment-slash' 'comments' 'comments-dollar' 'compact-disc' 'compass' 'compress' 'compress-arrows-alt' 'concierge-bell' 'cookie' 'cookie-bite' 'copy' 'copyright' 'couch' 'credit-card' 'crop' 'crop-alt' 'cross' 'crosshairs' 'crow' 'crown' 'crutch' 'cube' 'cubes' 'cut' 'database' 'deaf' 'democrat' 'desktop' 'dharmachakra' 'diagnoses' 'dice' 'dice-d20' 'dice-d6' 'dice-five' 'dice-four' 'dice-one' 'dice-six' 'dice-three' 'dice-two' 'digital-tachograph' 'directions' 'divide' 'dizzy' 'dna' 'dog' 'dollar-sign' 'dolly' 'dolly-flatbed' 'donate' 'door-closed' 'door-open' 'dot-circle' 'dove' 'download' 'drafting-compass' 'dragon' 'draw-polygon' 'drum' 'drum-steelpan' 'drumstick-bite' 'dumbbell' 'dumpster' 'dumpster-fire' 'dungeon' 'edit' 'egg' 'eject' 'ellipsis-h' 'ellipsis-v' 'envelope' 'envelope-open' 'envelope-open-text' 'envelope-square' 'equals' 'eraser' 'ethernet' 'euro-sign' 'exchange-alt' 'exclamation' 'exclamation-circle' 'exclamation-triangle' 'expand' 'expand-arrows-alt' 'external-link-alt' 'external-link-square-alt' 'eye' 'eye-dropper' 'eye-slash' 'fan' 'fast-backward' 'fast-forward' 'fax' 'feather' 'feather-alt' 'female' 'fighter-jet' 'file' 'file-alt' 'file-archive' 'file-audio' 'file-code' 'file-contract' 'file-csv' 'file-download' 'file-excel' 'file-export' 'file-image' 'file-import' 'file-invoice' 'file-invoice-dollar' 'file-medical' 'file-medical-alt' 'file-pdf' 'file-powerpoint' 'file-prescription' 'file-signature' 'file-upload' 'file-video' 'file-word' 'fill' 'fill-drip' 'film' 'filter' 'fingerprint' 'fire' 'fire-alt' 'fire-extinguisher' 'first-aid' 'fish' 'fist-raised' 'flag' 'flag-checkered' 'flag-usa' 'flask' 'flushed' 'folder' 'folder-minus' 'folder-open' 'folder-plus' 'font' 'football-ball' 'forward' 'frog' 'frown' 'frown-open' 'funnel-dollar' 'futbol' 'gamepad' 'gas-pump' 'gavel' 'gem' 'genderless' 'ghost' 'gift' 'gifts' 'glass-cheers' 'glass-martini' 'glass-martini-alt' 'glass-whiskey' 'glasses' 'globe' 'globe-africa' 'globe-americas' 'globe-asia' 'globe-europe' 'golf-ball' 'gopuram' 'graduation-cap' 'greater-than' 'greater-than-equal' 'grimace' 'grin' 'grin-alt' 'grin-beam' 'grin-beam-sweat' 'grin-hearts' 'grin-squint' 'grin-squint-tears' 'grin-stars' 'grin-tears' 'grin-tongue' 'grin-tongue-squint' 'grin-tongue-wink' 'grin-wink' 'grip-horizontal' 'grip-lines' 'grip-lines-vertical' 'grip-vertical' 'guitar' 'h-square' 'hamburger' 'hammer' 'hamsa' 'hand-holding' 'hand-holding-heart' 'hand-holding-usd' 'hand-lizard' 'hand-middle-finger' 'hand-paper' 'hand-peace' 'hand-point-down' 'hand-point-left' 'hand-point-right' 'hand-point-up' 'hand-pointer' 'hand-rock' 'hand-scissors' 'hand-spock' 'hands' 'hands-helping' 'handshake' 'hanukiah' 'hard-hat' 'hashtag' 'hat-wizard' 'haykal' 'hdd' 'heading' 'headphones' 'headphones-alt' 'headset' 'heart' 'heart-broken' 'heartbeat' 'helicopter' 'highlighter' 'hiking' 'hippo' 'history' 'hockey-puck' 'holly-berry' 'home' 'horse' 'horse-head' 'hospital' 'hospital-alt' 'hospital-symbol' 'hot-tub' 'hotdog' 'hotel' 'hourglass' 'hourglass-end' 'hourglass-half' 'hourglass-start' 'house-damage' 'hryvnia' 'i-cursor' 'ice-cream' 'icicles' 'icons' 'id-badge' 'id-card' 'id-card-alt' 'igloo' 'image' 'images' 'inbox' 'indent' 'industry' 'infinity' 'info' 'info-circle' 'italic' 'jedi' 'joint' 'journal-whills' 'kaaba' 'key' 'keyboard' 'khanda' 'kiss' 'kiss-beam' 'kiss-wink-heart' 'kiwi-bird' 'landmark' 'language' 'laptop' 'laptop-code' 'laptop-medical' 'laugh' 'laugh-beam' 'laugh-squint' 'laugh-wink' 'layer-group' 'leaf' 'lemon' 'less-than' 'less-than-equal' 'level-down-alt' 'level-up-alt' 'life-ring' 'lightbulb' 'link' 'lira-sign' 'list' 'list-alt' 'list-ol' 'list-ul' 'location-arrow' 'lock' 'lock-open' 'long-arrow-alt-down' 'long-arrow-alt-left' 'long-arrow-alt-right' 'long-arrow-alt-up' 'low-vision' 'luggage-cart' 'magic' 'magnet' 'mail-bulk' 'male' 'map' 'map-marked' 'map-marked-alt' 'map-marker' 'map-marker-alt' 'map-pin' 'map-signs' 'marker' 'mars' 'mars-double' 'mars-stroke' 'mars-stroke-h' 'mars-stroke-v' 'mask' 'medal' 'medkit' 'meh' 'meh-blank' 'meh-rolling-eyes' 'memory' 'menorah' 'mercury' 'meteor' 'microchip' 'microphone' 'microphone-alt' 'microphone-alt-slash' 'microphone-slash' 'microscope' 'minus' 'minus-circle' 'minus-square' 'mitten' 'mobile' 'mobile-alt' 'money-bill' 'money-bill-alt' 'money-bill-wave' 'money-bill-wave-alt' 'money-check' 'money-check-alt' 'monument' 'moon' 'mortar-pestle' 'mosque' 'motorcycle' 'mountain' 'mouse-pointer' 'mug-hot' 'music' 'network-wired' 'neuter' 'newspaper' 'not-equal' 'notes-medical' 'object-group' 'object-ungroup' 'oil-can' 'om' 'otter' 'outdent' 'pager' 'paint-brush' 'paint-roller' 'palette' 'pallet' 'paper-plane' 'paperclip' 'parachute-box' 'paragraph' 'parking' 'passport' 'pastafarianism' 'paste' 'pause' 'pause-circle' 'paw' 'peace' 'pen' 'pen-alt' 'pen-fancy' 'pen-nib' 'pen-square' 'pencil-alt' 'pencil-ruler' 'people-carry' 'pepper-hot' 'percent' 'percentage' 'person-booth' 'phone' 'phone-alt' 'phone-slash' 'phone-square' 'phone-square-alt' 'phone-volume' 'photo-video' 'piggy-bank' 'pills' 'pizza-slice' 'place-of-worship' 'plane' 'plane-arrival' 'plane-departure' 'play' 'play-circle' 'plug' 'plus' 'plus-circle' 'plus-square' 'podcast' 'poll' 'poll-h' 'poo' 'poo-storm' 'poop' 'portrait' 'pound-sign' 'power-off' 'pray' 'praying-hands' 'prescription' 'prescription-bottle' 'prescription-bottle-alt' 'print' 'procedures' 'project-diagram' 'puzzle-piece' 'qrcode' 'question' 'question-circle' 'quidditch' 'quote-left' 'quote-right' 'quran' 'radiation' 'radiation-alt' 'rainbow' 'random' 'receipt' 'recycle' 'redo' 'redo-alt' 'registered' 'remove-format' 'reply' 'reply-all' 'republican' 'restroom' 'retweet' 'ribbon' 'ring' 'road' 'robot' 'rocket' 'route' 'rss' 'rss-square' 'ruble-sign' 'ruler' 'ruler-combined' 'ruler-horizontal' 'ruler-vertical' 'running' 'rupee-sign' 'sad-cry' 'sad-tear' 'satellite' 'satellite-dish' 'save' 'school' 'screwdriver' 'scroll' 'sd-card' 'search' 'search-dollar' 'search-location' 'search-minus' 'search-plus' 'seedling' 'server' 'shapes' 'share' 'share-alt' 'share-alt-square' 'share-square' 'shekel-sign' 'shield-alt' 'ship' 'shipping-fast' 'shoe-prints' 'shopping-bag' 'shopping-basket' 'shopping-cart' 'shower' 'shuttle-van' 'sign' 'sign-in-alt' 'sign-language' 'sign-out-alt' 'signal' 'signature' 'sim-card' 'sitemap' 'skating' 'skiing' 'skiing-nordic' 'skull' 'skull-crossbones' 'slash' 'sleigh' 'sliders-h' 'smile' 'smile-beam' 'smile-wink' 'smog' 'smoking' 'smoking-ban' 'sms' 'snowboarding' 'snowflake' 'snowman' 'snowplow' 'socks' 'solar-panel' 'sort' 'sort-alpha-down' 'sort-alpha-down-alt' 'sort-alpha-up' 'sort-alpha-up-alt' 'sort-amount-down' 'sort-amount-down-alt' 'sort-amount-up' 'sort-amount-up-alt' 'sort-down' 'sort-numeric-down' 'sort-numeric-down-alt' 'sort-numeric-up' 'sort-numeric-up-alt' 'sort-up' 'spa' 'space-shuttle' 'spell-check' 'spider' 'spinner' 'splotch' 'spray-can' 'square' 'square-full' 'square-root-alt' 'stamp' 'star' 'star-and-crescent' 'star-half' 'star-half-alt' 'star-of-david' 'star-of-life' 'step-backward' 'step-forward' 'stethoscope' 'sticky-note' 'stop' 'stop-circle' 'stopwatch' 'store' 'store-alt' 'stream' 'street-view' 'strikethrough' 'stroopwafel' 'subscript' 'subway' 'suitcase' 'suitcase-rolling' 'sun' 'superscript' 'surprise' 'swatchbook' 'swimmer' 'swimming-pool' 'synagogue' 'sync' 'sync-alt' 'syringe' 'table' 'table-tennis' 'tablet' 'tablet-alt' 'tablets' 'tachometer-alt' 'tag' 'tags' 'tape' 'tasks' 'taxi' 'teeth' 'teeth-open' 'temperature-high' 'temperature-low' 'tenge' 'terminal' 'text-height' 'text-width' 'th' 'th-large' 'th-list' 'theater-masks' 'thermometer' 'thermometer-empty' 'thermometer-full' 'thermometer-half' 'thermometer-quarter' 'thermometer-three-quarters' 'thumbs-down' 'thumbs-up' 'thumbtack' 'ticket-alt' 'times' 'times-circle' 'tint' 'tint-slash' 'tired' 'toggle-off' 'toggle-on' 'toilet' 'toilet-paper' 'toolbox' 'tools' 'tooth' 'torah' 'torii-gate' 'tractor' 'trademark' 'traffic-light' 'train' 'tram' 'transgender' 'transgender-alt' 'trash' 'trash-alt' 'trash-restore' 'trash-restore-alt' 'tree' 'trophy' 'truck' 'truck-loading' 'truck-monster' 'truck-moving' 'truck-pickup' 'tshirt' 'tty' 'tv' 'umbrella' 'umbrella-beach' 'underline' 'undo' 'undo-alt' 'universal-access' 'university' 'unlink' 'unlock' 'unlock-alt' 'upload' 'user' 'user-alt' 'user-alt-slash' 'user-astronaut' 'user-check' 'user-circle' 'user-clock' 'user-cog' 'user-edit' 'user-friends' 'user-graduate' 'user-injured' 'user-lock' 'user-md' 'user-minus' 'user-ninja' 'user-nurse' 'user-plus' 'user-secret' 'user-shield' 'user-slash' 'user-tag' 'user-tie' 'user-times' 'users' 'users-cog' 'utensil-spoon' 'utensils' 'vector-square' 'venus' 'venus-double' 'venus-mars' 'vial' 'vials' 'video' 'video-slash' 'vihara' 'voicemail' 'volleyball-ball' 'volume-down' 'volume-mute' 'volume-off' 'volume-up' 'vote-yea' 'vr-cardboard' 'walking' 'wallet' 'warehouse' 'water' 'wave-square' 'weight' 'weight-hanging' 'wheelchair' 'wifi' 'wind' 'window-close' 'window-maximize' 'window-minimize' 'window-restore' 'wine-bottle' 'wine-glass' 'wine-glass-alt' 'won-sign' 'wrench' 'x-ray' 'yen-sign' 'yin-yang' ) } Function Save-HTML { <# .SYNOPSIS Short description .DESCRIPTION Long description .PARAMETER FilePath Parameter description .PARAMETER HTML Parameter description .PARAMETER ShowReport Parameter description .EXAMPLE An example .NOTES General notes #> [CmdletBinding()] Param ( [Parameter(Mandatory = $false)][string]$FilePath, [Parameter(Mandatory = $true)][Array] $HTML, [alias('Show', 'Open')][Parameter(Mandatory = $false)][switch]$ShowHTML, [ValidateSet('Unknown', 'String', 'Unicode', 'Byte', 'BigEndianUnicode', 'UTF8', 'UTF7', 'UTF32', 'Ascii', 'Default', 'Oem', 'BigEndianUTF32')] $Encoding = 'UTF8', [bool] $Supress = $true ) if ([string]::IsNullOrEmpty($FilePath)) { $FilePath = Get-FileName -Temporary -Extension 'html' Write-Warning "Save-HTML - FilePath parameter $FilePath is empty, using Temporary $FilePath" } else { if (Test-Path -LiteralPath $FilePath) { Write-Warning "Save-HTML - Path $FilePath already exists. Report will be overwritten." } } Write-Verbose "Save-HTML - Saving HTML to file $FilePath" try { $HTML | Set-Content -LiteralPath $FilePath -Force -Encoding $Encoding if (-not $Supress) { $FilePath } } catch { $ErrorMessage = $_.Exception.Message -replace "`n", " " -replace "`r", " " Write-Warning "Save-HTML - Failed with error: $ErrorMessage" } if ($ShowHTML) { try { Invoke-Item -LiteralPath $FilePath -ErrorAction Stop } catch { $ErrorMessage = $_.Exception.Message -replace "`n", " " -replace "`r", " " Write-Warning "Save-HTML - couldn't open file $FilePath in a browser. Error: $ErrorMessage" } } } function Set-Tag { [CmdletBinding()] param( [System.Collections.IDictionary] $HtmlObject, [switch] $NewLine # This is needed if code requires new lines such as JavaScript ) $HTML = [System.Text.StringBuilder]::new() [void] $HTML.Append("<$($HtmlObject.Tag)") foreach ($Property in $HtmlObject.Attributes.Keys) { $PropertyValue = $HtmlObject.Attributes[$Property] # This checks if property has any subproperties such as style having multiple options if ($PropertyValue -is [System.Collections.IDictionary]) { $OutputSubProperties = foreach ($SubAttributes in $PropertyValue.Keys) { $SubPropertyValue = $PropertyValue[$SubAttributes] # skip adding properties that are empty if ($null -ne $SubPropertyValue -and $SubPropertyValue -ne '') { "$($SubAttributes):$($SubPropertyValue)" } } $MyValue = $OutputSubProperties -join ';' if ($MyValue.Trim() -ne '') { [void] $HTML.Append(" $Property=`"$MyValue`"") } } else { # skip adding properties that are empty if ($null -ne $PropertyValue -and $PropertyValue -ne '') { [void] $HTML.Append(" $Property=`"$PropertyValue`"") } } } if (($null -ne $HtmlObject.Value) -and ($HtmlObject.Value -ne '')) { [void] $HTML.Append(">") if ($HtmlObject.Value.Count -eq 1) { if ($HtmlObject.Value -is [System.Collections.IDictionary]) { [string] $NewObject = Set-Tag -HtmlObject ($HtmlObject.Value) [void] $HTML.Append($NewObject) } else { [void] $HTML.Append([string] $HtmlObject.Value) } } else { foreach ($Entry in $HtmlObject.Value) { if ($Entry -is [System.Collections.IDictionary]) { [string] $NewObject = Set-Tag -HtmlObject ($Entry) [void] $HTML.Append($NewObject) } else { # This is needed if code requires new lines such as JavaScript if ($NewLine) { [void] $HTML.AppendLine([string] $Entry) } else { [void] $HTML.Append([string] $Entry) } } } } [void] $HTML.Append("</$($HtmlObject.Tag)>") } else { if ($HtmlObject.SelfClosing) { [void] $HTML.Append("/>") } else { [void] $HTML.Append("></$($HtmlObject.Tag)>") } } $HTML.ToString() } Export-ModuleMember ` -Function @('New-ChartAxisX', 'New-ChartAxisY', 'New-ChartBar', 'New-ChartBarOptions', 'New-ChartGrid', 'New-ChartLegend', 'New-ChartLine', 'New-ChartTheme', 'New-ChartToolbar', 'New-HTML', 'New-HTMLAnchor', 'New-HTMLAnchorLink', 'New-HTMLAnchorName', 'New-HTMLChart', 'New-HTMLCodeBlock', 'New-HTMLContainer', 'New-HTMLHeading', 'New-HTMLHorizontalLine', 'New-HTMLImage', 'New-HTMLList', 'New-HTMLListItem', 'New-HTMLLogo', 'New-HTMLPanel', 'New-HTMLSection', 'New-HTMLSpanStyle', 'New-HTMLStatus', 'New-HTMLStatusItem', 'New-HTMLTab', 'New-HTMLTable', 'New-HTMLTableButtonCopy', 'New-HTMLTableButtonCSV', 'New-HTMLTableButtonExcel', 'New-HTMLTableButtonPageLength', 'New-HTMLTableButtonPDF', 'New-HTMLTableButtonPrint', 'New-HTMLTableCondition', 'New-HTMLTableContent', 'New-HTMLTableHeader', 'New-HTMLTabOptions', 'New-HTMLTag', 'New-HTMLText', 'New-HTMLTimeline', 'New-HTMLTimelineItem', 'New-HTMLToast', 'Out-HtmlView', 'Save-HTML') ` -Alias @('Chart', 'ChartAxisX', 'ChartAxisY', 'ChartBar', 'ChartBarOptions', 'ChartCategory', 'ChartGrid', 'ChartLegend', 'ChartLine', 'ChartTheme', 'ChartToolbar', 'EmailTable', 'EmailTableButtonCopy', 'EmailTableButtonCSV', 'EmailTableButtonExcel', 'EmailTableButtonPageLength', 'EmailTableButtonPDF', 'EmailTableButtonPrint', 'EmailTableCondition', 'EmailTableContent', 'EmailTableHeader', 'HTMLText', 'Image', 'New-ChartCategory', 'New-HTMLColumn', 'New-HTMLContent', 'ohv', 'Out-GridHtml', 'Table', 'TableButtonCopy', 'TableButtonCSV', 'TableButtonExcel', 'TableButtonPageLength', 'TableButtonPDF', 'TableButtonPrint', 'TableConditionalFormatting', 'TableContent', 'TableHeader', 'TabOptions') |