Creating a report module
This guide provides comprehensive standards and guidelines for developing AsBuiltReport report modules. Following these practices ensures consistency, maintainability, and quality across the AsBuiltReport ecosystem.
Getting Started
Before beginning development of a new report module, you should first discuss your plans with the project contributors. This ensures there's no duplication of effort, allows for guidance on implementation approach, and helps coordinate with the broader project roadmap. You can initiate this discussion by:
- Creating an issue in the main AsBuiltReport repository
- Reaching out via the project's discussion board or social channels
- Contacting the maintainers directly
Once your module proposal is approved, a new GitHub repository will be created under the AsBuiltReport organisation following the standard naming convention. The initial module structure will be scaffolded using a Plaster template, providing you with the standardised directory structure, manifest files, and basic code framework needed to begin development.
Module Naming and Structure
Naming Convention
All AsBuiltReport modules must follow the standardised naming pattern:
Examples:
- AsBuiltReport.VMware.vSphere
- AsBuiltReport.Microsoft.AD
- AsBuiltReport.Veeam.VBR
- AsBuiltReport.NetApp.ONTAP
Repository Structure
Organise your module repository with the following standard structure:
AsBuiltReport.Vendor.Technology/
├── .github/ # GitHub workflows and templates
├── .vscode/ # VS Code configuration
├── Samples/ # Sample report outputs
├── Src/
│ ├── Private/ # Private helper functions
│ └── Public/ # Exported functions
├── AsBuiltReport.Vendor.Technology.json # Report configuration file
├── AsBuiltReport.Vendor.Technology.psd1 # PowerShell manifest
├── AsBuiltReport.Vendor.Technology.psm1 # PowerShell module script
├── README.md # Module documentation
├── CHANGELOG.md # Version history
└── LICENSE # MIT License
PowerShell Manifest (.psd1) Requirements
Essential Properties
Your module manifest must include these standardised properties:
@{
ModuleVersion = '0.1.0' # Semantic versioning
Author = 'Your Name'
Description = 'A PowerShell module to generate an as built report on the configuration of [Technology]'
PowerShellVersion = '5.1'
CompatiblePSEditions = @('Desktop', 'Core') # Where possible
RequiredModules = @(
@{
ModuleName = 'AsBuiltReport.Core'
ModuleVersion = '1.4.3' # Minimum required version
}
# Add additional vendor-specific modules as needed
)
FunctionsToExport = 'Invoke-AsBuiltReport.Vendor.Technology'
PrivateData = @{
PSData = @{
Tags = @('AsBuiltReport', '[Vendor]', '[Technology]')
LicenseUri = 'https://github.com/AsBuiltReport/AsBuiltReport.Vendor.Technology/blob/master/LICENSE'
ProjectUri = 'https://github.com/AsBuiltReport/AsBuiltReport.Vendor.Technology'
}
}
}
Configuration File Standards
JSON Configuration Structure
Create a configuration file using the JSON template provided in the report module repository. The Report
section uses standard properties which should not be modified, only values should be customised. The Options
, InfoLevel
, and HealthCheck
sections should be tailored to your specific module requirements. Additional schemas may be added if necessary.
{
"Report": {
"Name": "[Technology] As Built Report",
"Version": "1.0",
"Status": "Released",
"ShowCoverPageImage": true,
"ShowTableOfContents": true,
"ShowHeaderFooter": true,
"ShowTableCaptions": true
},
"Options": {
},
"InfoLevel": {
"_comment_": "0 = Disabled, 1 = Enabled / Summary, 2 = Adv Summary, 3 = Detailed, 4 = Adv Detailed, 5 = Comprehensive"
},
"HealthCheck": {
}
}
InfoLevel Standards
Implement consistent information levels across all sections. Use the appropriate number of InfoLevel values based on the granular detail levels your report module requires:
Setting | InfoLevel | Description |
---|---|---|
0 | Disabled | Does not collect or display any information |
1 | Enabled / Summary | Provides summarised information for a collection of objects |
2 | Adv Summary | Provides condensed, detailed information for a collection of objects |
3 | Detailed | Provides detailed information for individual objects |
4 | Adv Detailed | Provides detailed information for individual objects, as well as information for associated objects |
5 | Comprehensive | Provides comprehensive information for individual objects, such as advanced configuration settings |
PScribo Framework Integration
AsBuiltReport modules are built on the PScribo framework, which provides the underlying document generation capabilities. Understanding PScribo is essential for creating effective AsBuiltReport modules.
Core PScribo Concepts
PScribo organises reports using a hierarchical structure:
- Document: The root container for your entire report
- Section: Logical divisions within your report (e.g., "Infrastructure", "Storage")
- Paragraph: Text content and headings
- Table: Structured data presentation
- BlankLine: Spacing and formatting
- Write-PScriboMessage: Writes a formatted verbose output message with the time and PScribo plugin name
Essential PScribo Commandlets
Document Structure
# Create sections for logical organisation
Section -Name 'Infrastructure Overview' -Style Heading1 {
# Content goes here
}
# Create subsections for detailed information
Section -Name 'Virtual Machines' -Style Heading2 {
# VM information tables and content
}
Content Creation
# Add descriptive text
Paragraph "This section provides detailed information about the virtual infrastructure."
# Add spacing between sections
BlankLine
# Create tables from data
$VMData | Table @TableParams
Messaging and Logging
# Provide user feedback during report generation
Write-PScriboMessage -Plugin "Module" -Message "Collecting virtual machine information..."
# Warning messages for missing data or errors
Write-PScriboMessage -Plugin "Module" -IsWarning "Unable to collect storage information: $($_.Exception.Message)"
Table Creation Standards
PScribo tables are the primary method for presenting structured data:
# Collect and structure your data
$ServerData = foreach ($Server in $Servers) {
[PSCustomObject]@{
'Server Name' = $Server.Name
'OS Version' = $Server.OperatingSystem
'CPU Cores' = $Server.ProcessorCount
'Memory (GB)' = [Math]::Round($Server.TotalPhysicalMemory / 1GB, 2)
'Status' = $Server.Status
}
}
# Define table parameters for consistent formatting
$TableParams = @{
Name = 'Server Inventory'
List = $false
ColumnWidths = 20, 25, 15, 15, 25
}
# Add table caption if configured
if ($Report.ShowTableCaptions) {
$TableParams['Caption'] = "- $($TableParams.Name)"
}
# Output the table with proper sorting
$ServerData | Sort-Object 'Server Name' | Table @TableParams
Conditional Formatting and Styling
Use PScribo styling to highlight important information based on health checks:
# Apply conditional formatting based on health check results
if ($ReportConfig.HealthCheck.Infrastructure.CPUUtilisation) {
foreach ($Server in $ServerData) {
if ($Server.'CPU Usage %' -gt $ReportConfig.HealthCheck.Infrastructure.CPUThreshold) {
$Server | Set-Style -Style Critical -Property 'CPU Usage %'
} elseif ($Server.'CPU Usage %' -gt ($ReportConfig.HealthCheck.Infrastructure.CPUThreshold * 0.8)) {
$Server | Set-Style -Style Warning -Property 'CPU Usage %'
}
}
}
AsBuiltReport Core Integration
Configuration Management
AsBuiltReport modules automatically receive configuration data through the $ReportConfig
variable:
# Access configuration sections in your module
$Report = $ReportConfig.Report
$InfoLevel = $ReportConfig.InfoLevel
$Options = $ReportConfig.Options
$HealthCheck = $ReportConfig.HealthCheck
# Use InfoLevel to control data collection and presentation
if ($InfoLevel.Infrastructure -ge 2) {
# Collect detailed infrastructure information
$DetailedInfo = Get-DetailedInfrastructure
}
Standard Module Messages
Include standard informational messages at the beginning of your module:
Write-PScriboMessage -Plugin "Module" -Message "Please refer to https://www.asbuiltreport.com for more detailed information about this project."
Write-PScriboMessage -Plugin "Module" -Message "Do not forget to update your report configuration file after each new version release: https://www.asbuiltreport.com/user-guide/new-asbuiltreportconfig/"
Write-PScriboMessage -Plugin "Module" -Message "Documentation: https://github.com/AsBuiltReport/AsBuiltReport.Vendor.Technology"
Write-PScriboMessage -Plugin "Module" -Message "Issues or bug reporting: https://github.com/AsBuiltReport/AsBuiltReport.Vendor.Technology/issues"
Version Checking
Include version checking to help users maintain current modules:
# Check for module updates
Try {
$InstalledVersion = Get-Module -ListAvailable -Name AsBuiltReport.Vendor.Technology -ErrorAction SilentlyContinue | Sort-Object -Property Version -Descending | Select-Object -First 1 -ExpandProperty Version
if ($InstalledVersion) {
Write-PScriboMessage -Plugin "Module" -Message "AsBuiltReport.Vendor.Technology $($InstalledVersion.ToString()) is currently installed."
$LatestVersion = Find-Module -Name AsBuiltReport.Vendor.Technology -Repository PSGallery -ErrorAction SilentlyContinue | Select-Object -ExpandProperty Version
if ($LatestVersion -gt $InstalledVersion) {
Write-PScriboMessage -Plugin "Module" -Message "AsBuiltReport.Vendor.Technology $($LatestVersion.ToString()) is available."
Write-PScriboMessage -Plugin "Module" -Message "Run 'Update-Module -Name AsBuiltReport.Vendor.Technology -Force' to install the latest version."
}
}
} Catch {
Write-PScriboMessage -Plugin "Module" -IsWarning $_.Exception.Message
}
Report Structure and Flow
Hierarchical Organisation
Structure your reports logically using PScribo sections:
# Main infrastructure section
Section -Name 'Infrastructure' -Style Heading1 {
# Subsection for compute resources
Section -Name 'Compute Resources' -Style Heading2 {
if ($InfoLevel.Infrastructure -ge 1) {
# Summary information
Section -Name 'Host Summary' -Style Heading3 {
$HostSummary | Table @TableParams
}
}
if ($InfoLevel.Infrastructure -ge 3) {
# Detailed individual host information
Section -Name 'Host Details' -Style Heading3 {
foreach ($Host in $Hosts) {
Section -Name $Host.Name -Style Heading4 {
$HostDetails | Table @TableParams
}
}
}
}
}
}
InfoLevel-Driven Content
Use InfoLevel settings to control the depth of information presented:
# Implement progressive information disclosure
switch ($InfoLevel.Storage) {
0 {
# Skip storage section entirely
break
}
1 {
# Show only storage summary
$StorageSummary | Table @SummaryTableParams
}
{$_ -ge 2} {
# Show storage summary and datastore information
$StorageSummary | Table @SummaryTableParams
$Datastores | Table @DatastoreTableParams
}
{$_ -ge 4} {
# Add storage performance metrics
$StorageSummary | Table @SummaryTableParams
$Datastores | Table @DatastoreTableParams
$StoragePerformance | Table @PerformanceTableParams
}
}
Error Handling in Reports
Implement graceful error handling that doesn't break report generation:
# Collect data with error resilience
try {
Write-PScriboMessage -Plugin "Module" -Message "Collecting network information..."
$NetworkData = Get-NetworkConfiguration -ErrorAction Stop
if ($NetworkData) {
Section -Name 'Network Configuration' -Style Heading2 {
$NetworkData | Table @NetworkTableParams
}
} else {
Section -Name 'Network Configuration' -Style Heading2 {
Paragraph "No network configuration data available."
}
}
} catch {
Write-PScriboMessage -Plugin "Module" -IsWarning "Unable to collect network information: $($_.Exception.Message)"
Section -Name 'Network Configuration' -Style Heading2 {
Paragraph "Network configuration data could not be retrieved. Please check connectivity and permissions."
}
}
Function Design and Implementation
Main Function Structure
Every module must export a single main function following this pattern:
function Invoke-AsBuiltReport.Vendor.Technology {
<#
.SYNOPSIS
A PowerShell function to generate a [Technology] As Built report.
.DESCRIPTION
Documents the configuration of [Technology] in Word/HTML/Text formats.
.PARAMETER Target
The target [Technology] system(s) to report on.
.PARAMETER Credential
PowerShell credential to use for authentication.
.NOTES
Version: 0.1.0
Author: Your Name
Creation Date: YYYY-MM-DD
Purpose/Change: Initial script development
.LINK
https://github.com/AsBuiltReport/AsBuiltReport.Vendor.Technology
.EXAMPLE
PS C:\> Invoke-AsBuiltReport.Vendor.Technology -Target '192.168.1.100' -Credential $cred
#>
[CmdletBinding()]
param (
[Parameter(Mandatory = $true, ValueFromPipeline = $false)]
[ValidateNotNullOrEmpty()]
[String[]] $Target,
[Parameter(Mandatory = $true, ValueFromPipeline = $false)]
[ValidateNotNullOrEmpty()]
[PSCredential] $Credential
)
Write-PScriboMessage -Plugin "Module" -Message "Please refer to https://www.asbuiltreport.com for more detailed information about this project."
Write-PScriboMessage -Plugin "Module" -Message "Do not forget to update your report configuration file after each new version release: https://www.asbuiltreport.com/user-guide/new-asbuiltreportconfig/"
Write-PScriboMessage -Plugin "Module" -Message "Documentation: https://github.com/AsBuiltReport/AsBuiltReport.Vendor.Technology"
Write-PScriboMessage -Plugin "Module" -Message "Issues or bug reporting: https://github.com/AsBuiltReport/AsBuiltReport.Vendor.Technology/issues"
# Check the current AsBuiltReport.Vendor.Technology module
Try {
$InstalledVersion = Get-Module -ListAvailable -Name AsBuiltReport.Vendor.Technology -ErrorAction SilentlyContinue | Sort-Object -Property Version -Descending | Select-Object -First 1 -ExpandProperty Version
if ($InstalledVersion) {
Write-PScriboMessage -Plugin "Module" -Message "AsBuiltReport.Vendor.Technology $($InstalledVersion.ToString()) is currently installed."
$LatestVersion = Find-Module -Name AsBuiltReport.Vendor.Technology -Repository PSGallery -ErrorAction SilentlyContinue | Select-Object -ExpandProperty Version
if ($LatestVersion -gt $InstalledVersion) {
Write-PScriboMessage -Plugin "Module" -Message "AsBuiltReport.Vendor.Technology $($LatestVersion.ToString()) is available."
Write-PScriboMessage -Plugin "Module" -Message "Run 'Update-Module -Name AsBuiltReport.Vendor.Technology -Force' to install the latest version."
}
}
} Catch {
Write-PscriboMessage -Plugin "Module" -IsWarning $_.Exception.Message
}
# Import Report Configuration
$Report = $ReportConfig.Report
$InfoLevel = $ReportConfig.InfoLevel
$Options = $ReportConfig.Options
# Used to set values to TitleCase where required
$TextInfo = (Get-Culture).TextInfo
# Update/rename the $System variable and build out your code within the ForEach loop. The ForEach loop enables AsBuiltReport to generate an as built configuration against multiple defined targets.
#region foreach loop
foreach ($System in $Target) {
}
#endregion foreach loop
}
Private Helper Functions
Create focused helper functions in the Src/Private
directory:
- Use descriptive names with "Abr" prefix:
Get-AbrVMwareCluster
- Keep functions focused on single responsibilities
- Include comprehensive comment-based help
- Implement proper error handling
PowerShell Best Practices
Naming Conventions
Follow PowerShell and .NET naming standards:
- PascalCase for all public members, types, and namespace names
- Verb-Noun pattern for function names (e.g.,
Get-AbrServerInfo
) - Descriptive variable names that clearly indicate purpose
- Consistent parameter naming across functions
Code Organisation and Style
DO
# Use PascalCasing for functions and parameters
function Get-AbrVirtualMachine {
[CmdletBinding()]
param (
[Parameter(Mandatory = $true)]
[ValidateNotNullOrEmpty()]
[String] $Server
)
# Use try-catch for error handling
try {
$VMs = Get-VM -Server $Server -ErrorAction Stop
# Create PSCustomObjects for table data
$VMInfo = foreach ($VM in $VMs) {
[PSCustomObject]@{
'VM Name' = $VM.Name
'Power State' = $VM.PowerState
'CPU Count' = $VM.NumCpu
'Memory (GB)' = [Math]::Round($VM.MemoryGB, 2)
}
}
# Use consistent table parameters
$TableParams = @{
Name = 'Virtual Machine Summary'
List = $false
ColumnWidths = 25, 25, 25, 25
}
if ($Report.ShowTableCaptions) {
$TableParams['Caption'] = "- $($TableParams.Name)"
}
$VMInfo | Sort-Object 'VM Name' | Table @TableParams
} catch {
Write-PScriboMessage -IsWarning "Unable to collect VM information: $($_.Exception.Message)"
}
}
DO NOT
# Avoid functions within report scripts
# Avoid hardcoded credentials
# Avoid excessive global variables
# Avoid unclear variable names like $a, $temp, $data
Parameter Validation
Implement robust parameter validation:
param (
[Parameter(Mandatory = $true)]
[ValidateNotNullOrEmpty()]
[ValidateSet('Server', 'Cluster', 'Datacenter')]
[String] $Scope,
[Parameter(Mandatory = $false)]
[ValidateRange(1, 5)]
[Int] $InfoLevel = 2,
[Parameter(Mandatory = $true)]
[ValidateScript({Test-Connection $_ -Count 1 -Quiet})]
[String] $Target
)
Error Handling
Implement comprehensive error handling:
try {
# Validate prerequisites
if (-not (Get-Module VMware.PowerCLI -ListAvailable)) {
throw "VMware.PowerCLI module is required but not installed"
}
# Attempt connection
$Connection = Connect-VIServer -Server $Target -Credential $Credential -ErrorAction Stop
# Collect data with nested error handling
try {
$Data = Get-Cluster -Server $Connection -ErrorAction Stop
} catch {
Write-PScriboMessage -IsWarning "Unable to collect cluster data: $($_.Exception.Message)"
return
}
} catch {
Write-Error "Failed to connect to $Target : $($_.Exception.Message)"
return
} finally {
# Always clean up connections
if ($Connection) {
Disconnect-VIServer -Server $Connection -Confirm:$false
}
}
Data Collection and Formatting
Data Collection Strategy
Follow these patterns for efficient data collection:
- Batch Operations: Collect all required data at the beginning
- Error Resilience: Handle individual collection failures gracefully
- Performance: Use efficient cmdlets and avoid unnecessary loops
- Caching: Store frequently accessed data to avoid repeated calls
Comprehensive Module Example
Here's a complete example showing how to structure a section of an AsBuiltReport module:
# Virtual Machine Section Example
if ($InfoLevel.VirtualMachines -gt 0) {
Section -Name 'Virtual Machines' -Style Heading1 {
Write-PScriboMessage -Plugin "Module" -Message "Collecting virtual machine information..."
try {
# Collect VM data with error handling
$VMs = Get-VM -Server $Connection -ErrorAction Stop | Sort-Object Name
if ($VMs) {
# Summary table for InfoLevel 1+
if ($InfoLevel.VirtualMachines -ge 1) {
$VMSummary = [PSCustomObject]@{
'Total VMs' = $VMs.Count
'Powered On' = ($VMs | Where-Object {$_.PowerState -eq 'PoweredOn'}).Count
'Powered Off' = ($VMs | Where-Object {$_.PowerState -eq 'PoweredOff'}).Count
'Total vCPUs' = ($VMs | Measure-Object -Property NumCpu -Sum).Sum
'Total Memory (GB)' = [Math]::Round(($VMs | Measure-Object -Property MemoryGB -Sum).Sum, 2)
}
Section -Name 'Virtual Machine Summary' -Style Heading2 {
$TableParams = @{
Name = 'VM Summary'
List = $true
ColumnWidths = 40, 60
}
if ($Report.ShowTableCaptions) {
$TableParams['Caption'] = "- $($TableParams.Name)"
}
$VMSummary | Table @TableParams
}
}
# Detailed VM information for InfoLevel 2+
if ($InfoLevel.VirtualMachines -ge 2) {
Section -Name 'Virtual Machine Configuration' -Style Heading2 {
$VMDetails = foreach ($VM in $VMs) {
[PSCustomObject]@{
'VM Name' = $VM.Name
'Power State' = $VM.PowerState
'Guest OS' = $VM.Guest.OSFullName
'vCPUs' = $VM.NumCpu
'Memory (GB)' = $VM.MemoryGB
'Storage Used (GB)' = [Math]::Round($VM.UsedSpaceGB, 2)
'VM Tools Status' = $VM.Guest.ToolsStatus
'Host' = $VM.VMHost.Name
}
}
$TableParams = @{
Name = 'Virtual Machine Configuration'
List = $false
ColumnWidths = 15, 12, 18, 8, 10, 12, 12, 13
}
if ($Report.ShowTableCaptions) {
$TableParams['Caption'] = "- $($TableParams.Name)"
}
# Apply health checks if enabled
if ($ReportConfig.HealthCheck.VirtualMachines.VMToolsStatus) {
foreach ($VM in $VMDetails) {
if ($VM.'VM Tools Status' -eq 'toolsNotInstalled' -or $VM.'VM Tools Status' -eq 'toolsNotRunning') {
$VM | Set-Style -Style Warning -Property 'VM Tools Status'
}
}
}
$VMDetails | Sort-Object 'VM Name' | Table @TableParams
}
}
# Resource allocation details for InfoLevel 3+
if ($InfoLevel.VirtualMachines -ge 3) {
Section -Name 'VM Resource Allocation' -Style Heading2 {
$ResourceData = foreach ($VM in $VMs) {
[PSCustomObject]@{
'VM Name' = $VM.Name
'CPU Reservation (MHz)' = $VM.ResourceConfiguration.CpuAllocation.Reservation
'CPU Limit (MHz)' = if ($VM.ResourceConfiguration.CpuAllocation.Limit -eq -1) { 'Unlimited' } else { $VM.ResourceConfiguration.CpuAllocation.Limit }
'Memory Reservation (GB)' = [Math]::Round($VM.ResourceConfiguration.MemoryAllocation.Reservation / 1024, 2)
'Memory Limit (GB)' = if ($VM.ResourceConfiguration.MemoryAllocation.Limit -eq -1) { 'Unlimited' } else { [Math]::Round($VM.ResourceConfiguration.MemoryAllocation.Limit / 1024, 2) }
'CPU Shares' = $VM.ResourceConfiguration.CpuAllocation.Shares.Level
'Memory Shares' = $VM.ResourceConfiguration.MemoryAllocation.Shares.Level
}
}
$TableParams = @{
Name = 'VM Resource Allocation'
List = $false
ColumnWidths = 20, 15, 15, 15, 15, 10, 10
}
if ($Report.ShowTableCaptions) {
$TableParams['Caption'] = "- $($TableParams.Name)"
}
$ResourceData | Sort-Object 'VM Name' | Table @TableParams
}
}
} else {
Section -Name 'Virtual Machines' -Style Heading2 {
Paragraph "No virtual machines were found."
}
}
} catch {
Write-PScriboMessage -Plugin "Module" -IsWarning "Unable to collect virtual machine information: $($_.Exception.Message)"
Section -Name 'Virtual Machines' -Style Heading2 {
Paragraph "Virtual machine information could not be retrieved. Please verify connectivity and permissions."
}
}
BlankLine
}
}
This example demonstrates:
- InfoLevel-based content control (different levels show progressively more detail)
- Proper error handling with informative messages
- Consistent table formatting with appropriate column widths
- List tables should have column widths set to
40, 60
whenever possible - Set column widths to avoid excessive text wrapping
- List tables should have column widths set to
- Health check integration with conditional styling
- Data transformation into readable formats
- User feedback during data collection
- Graceful degradation when data isn't available
Table Formatting Standards
Use consistent table formatting throughout your module:
# Create PSCustomObject for structured data
$ServerInfo = [PSCustomObject]@{
'Server Name' = $Server.Name
'Version' = $Server.Version
'Build' = $Server.Build
'Edition' = $Server.Edition
}
# Define table parameters with consistent formatting
$TableParams = @{
Name = 'Server Information'
List = $true # Use List = $true for key-value pairs
ColumnWidths = 40, 60 # Always specify column widths
# Set list table column widths to 40, 60 whenever possible
# Set column widths to avoid excessive text wrapping
}
# Include table captions when configured
if ($Report.ShowTableCaptions) {
$TableParams['Caption'] = "- $($TableParams.Name)"
}
# Output to table with sorting
$ServerInfo | Table @TableParams
Health Check Implementation
Implement health checks with configurable thresholds:
if ($ReportConfig.HealthCheck.Infrastructure.CPUUtilization) {
if ($Server.CPUUsage -gt $ReportConfig.HealthCheck.Infrastructure.CPUThreshold) {
$ServerInfo | Set-Style -Style Warning -Property 'CPU Usage'
}
}
Testing and Quality Assurance
Code Quality Tools
Use these tools to ensure code quality:
- PSScriptAnalyzer: Validate PowerShell best practices
- Pester: Create unit tests for functions
- Manual Testing: Test with various target environments
Module Testing Requirements
Test your module for:
- Import/Export: Module loads and functions are available
- Dependencies: Required modules are properly declared
- Functionality: Core report generation works
- Error Handling: Graceful handling of common error scenarios
- Cross-Platform: Compatibility across PowerShell editions
Documentation Standards
README.md Requirements
Include these sections in your README:
# AsBuiltReport.Vendor.Technology
## Installation
Instructions for installing required modules
## System Requirements
- PowerShell version requirements
- Platform compatibility
- Vendor module prerequisites
## Configuration
Sample configuration with explanations
## Usage Examples
Basic usage scenarios with sample commands
## Sample Reports
Links to sample output documents
Inline Documentation
Provide comprehensive comment-based help:
- Synopsis: Brief function description
- Description: Detailed explanation
- Parameters: Description for each parameter
- Examples: Real-world usage examples
- Notes: Version, author, and change information
- Links: Related documentation URLs
Security Considerations
Credential Management
- Accept
PSCredential
objects for authentication - Never hardcode credentials in scripts
- Support various authentication methods per technology
- Provide guidance on secure credential storage
Input Validation
- Validate all user inputs
- Sanitise data before processing
- Use parameter validation attributes
- Implement proper error boundaries
Sensitive Information
- Avoid logging credentials or sensitive data
- Provide options to exclude sensitive information from reports
- Document security considerations in README
Performance Guidelines
Optimisation Strategies
- Minimise API Calls: Batch requests when possible
- Efficient Data Structures: Use appropriate collection types
- Memory Management: Dispose of large objects when done
- Parallel Processing: Consider workflow parallelisation for large environments
Performance Testing
Test your module with:
-
Small environments (1-10 objects)
-
Medium environments (100-1000 objects)
-
Large environments (1000+ objects)
Version Control and Maintenance
Semantic Versioning
Use semantic versioning (Major.Minor.Patch
):
-
Major: Breaking changes
-
Minor: New features, backwards compatible
-
Patch: Bug fixes
Change Log Maintenance
Maintain CHANGELOG.md
following Keep a Changelog format:
## [1.2.0] - 2024-MM-dd
### Added
- New health check for storage utilisation
### Changed
- Improved error handling for connection failures
### Fixed
- Resolved issue with special characters in server names
Community and Contribution
Following Project Standards
- Use the project's code style and conventions
- Follow the established Git workflow (feature branches, pull requests)
- Update documentation with any changes
- Include appropriate tests for new functionality
Getting Help
- Review existing AsBuiltReport modules for reference
- Ask questions in GitHub discussions
- Follow the contributing guidelines
- Contact the maintainers for guidance
By following these standards and guidelines, you'll create high-quality AsBuiltReport modules that integrate seamlessly with the framework and provide consistent, professional documentation for your target technologies.