public/functions/New-PowerStub.ps1

<#
.SYNOPSIS
  Registers a new PowerStub in the specified path.
 
.DESCRIPTION
  Registers a new PowerStub in the specified path. A stub provides centralized access
  to a logical grouping of scripts or other tools, facilitating proper organization
  without requiring each element to be added to the system PATH.
 
  Creates the stub folder and required subfolders (.tests, Commands) if they don't exist.
  If git is enabled and the path is part of a git repository, the remote URL is automatically saved.
 
.PARAMETER Name
  The name of the stub. Must start with a letter and contain only alphanumeric characters,
  hyphens, and underscores. This is the name used to invoke commands via pstb.
 
.PARAMETER Path
  The file system path where the stub's commands and scripts are located.
  Will be created if it does not exist.
 
.PARAMETER Force
  If specified, overwrites an existing stub registration with the same name.
 
.INPUTS
  None. You cannot pipe objects to this function.
 
.OUTPUTS
  None. Updates the configuration with the new stub registration.
 
.EXAMPLE
  New-PowerStub -Name "DevOps" -Path "C:\Scripts\DevOps"
 
  Registers a new stub named "DevOps" pointing to the DevOps scripts folder.
 
.EXAMPLE
  New-PowerStub -Name "Tools" -Path "C:\Tools" -Force
 
  Registers or overwrites a stub named "Tools", forcing the update if it already exists.
 
#>


function New-PowerStub {
    param(
        [ValidatePattern('^[a-zA-Z][a-zA-Z0-9_\-]*$')]
        [string]$name,
        [string]$path,
        [switch]$force
    )

    #check to see if the path is already registered
    $stubs = Get-PowerStubConfigurationKey 'Stubs'

    # Build stub configuration - either simple path or hashtable with git info
    $stubConfig = $path

    # Check for git repo if git is enabled
    if ($Script:GitEnabled) {
        $gitInfo = Get-PowerStubGitInfo -Path $path
        if ($gitInfo.IsRepo -and $gitInfo.RemoteUrl) {
            $stubConfig = @{
                Path       = $path
                GitRepoUrl = $gitInfo.RemoteUrl
            }
            Write-Verbose "Detected Git repository: $($gitInfo.RemoteUrl)"
        }
    }

    if ($stubs.Keys -contains $name) {
        if ($force) {
            $stubs[$name] = $stubConfig
        }
        else {
            throw "Stub $name already exists. Use -Force to overwrite."
        }
    }
    else {
        $stubs[$name] = $stubConfig
    }

    #create the folder and standard child folders, if necessary
    # Note: draft and beta commands use filename prefixes (draft.*, beta.*) instead of separate folders
    $paths = @($path, (Join-Path $path '.tests'), (Join-Path $path 'Commands'))
    foreach ($pathItem in $paths) {
        if (-not (Test-Path $pathItem)) {
            New-Item -ItemType Directory -Path $pathItem -Force | Out-Null
        }
    }

    #update the configuration
    Set-PowerStubConfigurationKey 'Stubs' $stubs
}