GitHub.psm1
[Diagnostics.CodeAnalysis.SuppressMessageAttribute('PSAvoidLongLines', '', Justification = 'Contains long links.')] [CmdletBinding()] param() if ($PSVersionTable.PSVersion -lt '6.0') { [Diagnostics.CodeAnalysis.SuppressMessageAttribute( 'PSAvoidAssignmentToAutomaticVariable', '', Justification = 'Compatibility with PowerShell 6.0 and newer.' )] $IsWindows = [System.Environment]::OSVersion.Platform -eq 'Win32NT' } $scriptName = 'GitHub' Write-Verbose "[$scriptName] - Importing module" #region - Data import Write-Verbose "[$scriptName] - [data] - Processing folder" $dataFolder = (Join-Path $PSScriptRoot 'data') Write-Verbose "[$scriptName] - [data] - [$dataFolder]" Get-ChildItem -Path "$dataFolder" -Recurse -Force -Include '*.psd1' -ErrorAction SilentlyContinue | ForEach-Object { Write-Verbose "[$scriptName] - [data] - [$($_.BaseName)] - Importing" New-Variable -Name $_.BaseName -Value (Import-PowerShellDataFile -Path $_.FullName) -Force Write-Verbose "[$scriptName] - [data] - [$($_.BaseName)] - Done" } Write-Verbose "[$scriptName] - [data] - Done" #endregion - Data import #region - From [private] Write-Verbose "[$scriptName] - [private] - Processing folder" #region - From [private] - [Auth] Write-Verbose "[$scriptName] - [private] - [Auth] - Processing folder" #region - From [private] - [Auth] - [DeviceFlow] Write-Verbose "[$scriptName] - [private] - [Auth] - [DeviceFlow] - Processing folder" #region - From [private] - [Auth] - [DeviceFlow] - [Invoke-GitHubDeviceFlowLogin] Write-Verbose "[$scriptName] - [private] - [Auth] - [DeviceFlow] - [Invoke-GitHubDeviceFlowLogin] - Importing" function Invoke-GitHubDeviceFlowLogin { <# .SYNOPSIS Starts the GitHub Device Flow login process. .DESCRIPTION Starts the GitHub Device Flow login process. This will prompt the user to visit a URL and enter a code. .EXAMPLE Invoke-GitHubDeviceFlowLogin This will start the GitHub Device Flow login process. The user gets prompted to visit a URL and enter a code. .NOTES For more info about the Device Flow visit: https://docs.github.com/apps/creating-github-apps/writing-code-for-a-github-app/building-a-cli-with-a-github-app https://docs.github.com/apps/oauth-apps/building-oauth-apps/authorizing-oauth-apps#device-flow #> [OutputType([void])] [Diagnostics.CodeAnalysis.SuppressMessageAttribute('PSAvoidUsingWriteHost', '', Justification = 'Is the CLI part of the module.')] [CmdletBinding()] param( # The Client ID of the GitHub App. [Parameter(Mandatory)] [string] $ClientID, # The scope of the access token, when using OAuth authentication. # Provide the list of scopes as space-separated values. # For more information on scopes visit: # https://docs.github.com/apps/oauth-apps/building-oauth-apps/scopes-for-oauth-apps [Parameter()] [string] $Scope, # The refresh token to use for re-authentication. [Parameter()] [securestring] $RefreshToken ) do { if ($RefreshToken) { $tokenResponse = Wait-GitHubAccessToken -ClientID $ClientID -RefreshToken $RefreshToken } else { $deviceCodeResponse = Request-GitHubDeviceCode -ClientID $ClientID -Scope $Scope $deviceCode = $deviceCodeResponse.device_code $interval = $deviceCodeResponse.interval $userCode = $deviceCodeResponse.user_code $verificationUri = $deviceCodeResponse.verification_uri Write-Host '! ' -ForegroundColor DarkYellow -NoNewline Write-Host "We added the code to your clipboard: [$userCode]" $userCode | Set-Clipboard Read-Host 'Press Enter to open github.com in your browser...' Start-Process $verificationUri $tokenResponse = Wait-GitHubAccessToken -DeviceCode $deviceCode -ClientID $ClientID -Interval $interval } } while ($tokenResponse.error) $tokenResponse } Write-Verbose "[$scriptName] - [private] - [Auth] - [DeviceFlow] - [Invoke-GitHubDeviceFlowLogin] - Done" #endregion - From [private] - [Auth] - [DeviceFlow] - [Invoke-GitHubDeviceFlowLogin] #region - From [private] - [Auth] - [DeviceFlow] - [Request-GitHubAccessToken] Write-Verbose "[$scriptName] - [private] - [Auth] - [DeviceFlow] - [Request-GitHubAccessToken] - Importing" function Request-GitHubAccessToken { <# .SYNOPSIS Request a GitHub token using the Device Flow. .DESCRIPTION Request a GitHub token using the Device Flow. This will poll the GitHub API until the user has entered the code. .EXAMPLE Request-GitHubAccessToken -DeviceCode $deviceCode -ClientID $ClientID This will poll the GitHub API until the user has entered the code. .NOTES For more info about the Device Flow visit: https://docs.github.com/apps/creating-github-apps/writing-code-for-a-github-app/building-a-cli-with-a-github-app #> [OutputType([PSCustomObject])] [CmdletBinding(DefaultParameterSetName = 'DeviceFlow')] param( # The Client ID of the GitHub App. [Parameter(Mandatory)] [string] $ClientID, # The 'device_code' used to request the access token. [Parameter( Mandatory, ParameterSetName = 'DeviceFlow' )] [string] $DeviceCode, # The refresh token used create a new access token. [Parameter( Mandatory, ParameterSetName = 'RefreshToken' )] [securestring] $RefreshToken ) $body = @{ 'client_id' = $ClientID } if ($PSBoundParameters.ContainsKey('RefreshToken')) { $body += @{ 'refresh_token' = (ConvertFrom-SecureString $RefreshToken -AsPlainText) 'grant_type' = 'refresh_token' } } if ($PSBoundParameters.ContainsKey('DeviceCode')) { $body += @{ 'device_code' = $DeviceCode 'grant_type' = 'urn:ietf:params:oauth:grant-type:device_code' } } $RESTParams = @{ Uri = 'https://github.com/login/oauth/access_token' Method = 'POST' Body = $body Headers = @{ 'Accept' = 'application/json' } } try { Write-Verbose ($RESTParams.GetEnumerator() | Out-String) $tokenResponse = Invoke-RestMethod @RESTParams -Verbose:$false Write-Verbose ($tokenResponse | ConvertTo-Json | Out-String) return $tokenResponse } catch { Write-Error $_ throw $_ } } Write-Verbose "[$scriptName] - [private] - [Auth] - [DeviceFlow] - [Request-GitHubAccessToken] - Done" #endregion - From [private] - [Auth] - [DeviceFlow] - [Request-GitHubAccessToken] #region - From [private] - [Auth] - [DeviceFlow] - [Request-GitHubDeviceCode] Write-Verbose "[$scriptName] - [private] - [Auth] - [DeviceFlow] - [Request-GitHubDeviceCode] - Importing" function Request-GitHubDeviceCode { <# .SYNOPSIS Request a GitHub Device Code. .DESCRIPTION Request a GitHub Device Code. .EXAMPLE Request-GitHubDeviceCode -ClientID $ClientID -Mode $Mode This will request a GitHub Device Code. .NOTES For more info about the Device Flow visit: https://docs.github.com/apps/creating-github-apps/writing-code-for-a-github-app/building-a-cli-with-a-github-app #> [OutputType([PSCustomObject])] [CmdletBinding()] param( # The Client ID of the GitHub App. [Parameter(Mandatory)] [string] $ClientID, # The scope of the access token, when using OAuth authentication. # Provide the list of scopes as space-separated values. # For more information on scopes visit: # https://docs.github.com/apps/oauth-apps/building-oauth-apps/scopes-for-oauth-apps [Parameter()] [string] $Scope = 'gist, read:org, repo, workflow' ) $headers = @{ Accept = 'application/json' } $body = @{ client_id = $ClientID scope = $Scope } $RESTParams = @{ Uri = 'https://github.com/login/device/code' Method = 'POST' Body = $body Headers = $headers } try { Write-Verbose ($RESTParams.GetEnumerator() | Out-String) $deviceCodeResponse = Invoke-RestMethod @RESTParams -Verbose:$false return $deviceCodeResponse } catch { Write-Error $_ throw $_ } } Write-Verbose "[$scriptName] - [private] - [Auth] - [DeviceFlow] - [Request-GitHubDeviceCode] - Done" #endregion - From [private] - [Auth] - [DeviceFlow] - [Request-GitHubDeviceCode] #region - From [private] - [Auth] - [DeviceFlow] - [Test-GitHubAccessTokenRefreshRequired] Write-Verbose "[$scriptName] - [private] - [Auth] - [DeviceFlow] - [Test-GitHubAccessTokenRefreshRequired] - Importing" function Test-GitHubAccessTokenRefreshRequired { <# .SYNOPSIS Test if the GitHub access token should be refreshed. .DESCRIPTION Test if the GitHub access token should be refreshed. .EXAMPLE Test-GitHubAccessTokenRefreshRequired This will test if the GitHub access token should be refreshed. #> [OutputType([bool])] [CmdletBinding()] param() $tokenType = Get-GitHubConfig -Name 'AccessTokenType' -ErrorAction SilentlyContinue if ($tokenType -ne 'ghu_*') { Write-Verbose 'The access token is not a user token. No need to refresh.' return $false } $tokenExpirationDate = Get-GitHubConfig -Name 'AccessTokenExpirationDate' -ErrorAction SilentlyContinue $currentDateTime = Get-Date $remainingDuration = [datetime]$tokenExpirationDate - $currentDateTime # If the remaining time is less that $script:Auth.AccessTokenGracePeriodInHours then the token should be refreshed $remainingDuration.TotalHours -lt $script:Auth.AccessTokenGracePeriodInHours } Write-Verbose "[$scriptName] - [private] - [Auth] - [DeviceFlow] - [Test-GitHubAccessTokenRefreshRequired] - Done" #endregion - From [private] - [Auth] - [DeviceFlow] - [Test-GitHubAccessTokenRefreshRequired] #region - From [private] - [Auth] - [DeviceFlow] - [Wait-GitHubAccessToken] Write-Verbose "[$scriptName] - [private] - [Auth] - [DeviceFlow] - [Wait-GitHubAccessToken] - Importing" function Wait-GitHubAccessToken { <# .SYNOPSIS Waits for the GitHub Device Flow to complete. .DESCRIPTION Waits for the GitHub Device Flow to complete. This will poll the GitHub API until the user has entered the code. .EXAMPLE Wait-GitHubAccessToken -DeviceCode $deviceCode -ClientID $ClientID -Interval $interval This will poll the GitHub API until the user has entered the code. .EXAMPLE Wait-GitHubAccessToken -Refresh -ClientID $ClientID .NOTES For more info about the Device Flow visit: https://docs.github.com/apps/creating-github-apps/writing-code-for-a-github-app/building-a-cli-with-a-github-app #> [OutputType([PSCustomObject])] [CmdletBinding(DefaultParameterSetName = 'DeviceFlow')] param( # The Client ID of the GitHub App. [Parameter(Mandatory)] [string] $ClientID, # The device code used to request the access token. [Parameter( Mandatory, ParameterSetName = 'DeviceFlow' )] [string] $DeviceCode, # The refresh token used to request a new access token. [Parameter( Mandatory, ParameterSetName = 'RefreshToken' )] [securestring] $RefreshToken, # The interval to wait between polling for the token. [Parameter()] [int] $Interval = 5 ) do { if ($RefreshToken) { $response = Request-GitHubAccessToken -ClientID $ClientID -RefreshToken $RefreshToken } else { $response = Request-GitHubAccessToken -ClientID $ClientID -DeviceCode $DeviceCode } if ($response.error) { switch ($response.error) { 'authorization_pending' { # The user has not yet entered the code. # Wait, then poll again. Write-Verbose $response.error_description Start-Sleep -Seconds $interval continue } 'slow_down' { # The app polled too fast. # Wait for the interval plus 5 seconds, then poll again. Write-Verbose $response.error_description Start-Sleep -Seconds ($interval + 5) continue } 'expired_token' { # The 'device_code' expired, and the process needs to restart. Write-Error $response.error_description exit 1 } 'unsupported_grant_type' { # The 'grant_type' is not supported. Write-Error $response.error_description exit 1 } 'incorrect_client_credentials' { # The 'client_id' is not valid. Write-Error $response.error_description exit 1 } 'incorrect_device_code' { # The 'device_code' is not valid. Write-Error $response.error_description exit 2 } 'access_denied' { # The user cancelled the process. Stop polling. Write-Error $response.error_description exit 1 } 'device_flow_disabled' { # The GitHub App does not support the Device Flow. Write-Error $response.error_description exit 1 } default { # The response contains an access token. Stop polling. Write-Error 'Unknown error:' Write-Error $response.error Write-Error $response.error_description Write-Error $response.error_uri break } } } } until ($response.access_token) $response } Write-Verbose "[$scriptName] - [private] - [Auth] - [DeviceFlow] - [Wait-GitHubAccessToken] - Done" #endregion - From [private] - [Auth] - [DeviceFlow] - [Wait-GitHubAccessToken] Write-Verbose "[$scriptName] - [private] - [Auth] - [DeviceFlow] - Done" #endregion - From [private] - [Auth] - [DeviceFlow] Write-Verbose "[$scriptName] - [private] - [Auth] - Done" #endregion - From [private] - [Auth] #region - From [private] - [Config] Write-Verbose "[$scriptName] - [private] - [Config] - Processing folder" #region - From [private] - [Config] - [Reset-GitHubConfig] Write-Verbose "[$scriptName] - [private] - [Config] - [Reset-GitHubConfig] - Importing" function Reset-GitHubConfig { <# .SYNOPSIS Reset the GitHub configuration. .DESCRIPTION Reset the GitHub configuration. Specific scopes can be reset by using the Scope parameter. .EXAMPLE Reset-GitHubConfig Resets the entire GitHub configuration. .EXAMPLE Reset-GitHubConfig -Scope 'Auth' Resets the Auth related variables of the GitHub configuration. #> [Alias('Reset-GHConfig')] [OutputType([void])] [CmdletBinding(SupportsShouldProcess)] param( # Reset the GitHub configuration for a specific scope. [Parameter()] [ValidateSet('Auth', 'All')] [string] $Scope = 'All' ) Write-Verbose "Resetting GitHub configuration for scope '$Scope'..." switch ($Scope) { 'Auth' { $Settings = @{ AccessToken = [securestring]::new() AccessTokenExpirationDate = [datetime]::MinValue AccessTokenType = '' AuthType = '' DeviceFlowType = '' RefreshToken = [securestring]::new() RefreshTokenExpirationDate = [datetime]::MinValue Scope = '' } } 'All' { $Settings = @{ AccessToken = [securestring]::new() AccessTokenExpirationDate = [datetime]::MinValue AccessTokenType = '' ApiBaseUri = 'https://api.github.com' ApiVersion = '2022-11-28' AuthType = '' DeviceFlowType = '' Owner = '' RefreshToken = [securestring]::new() RefreshTokenExpirationDate = [datetime]::MinValue Repo = '' Scope = '' UserName = '' } } } if ($PSCmdlet.ShouldProcess('Module config', 'Reset')) { Set-GitHubConfig @Settings } } Write-Verbose "[$scriptName] - [private] - [Config] - [Reset-GitHubConfig] - Done" #endregion - From [private] - [Config] - [Reset-GitHubConfig] Write-Verbose "[$scriptName] - [private] - [Config] - Done" #endregion - From [private] - [Config] #region - From [private] - [Gitignore] Write-Verbose "[$scriptName] - [private] - [Gitignore] - Processing folder" #region - From [private] - [Gitignore] - [Get-GitHubGitignoreByName] Write-Verbose "[$scriptName] - [private] - [Gitignore] - [Get-GitHubGitignoreByName] - Importing" filter Get-GitHubGitignoreByName { <# .SYNOPSIS Get a gitignore template .DESCRIPTION The API also allows fetching the source of a single template. Use the raw [media type](https://docs.github.com/rest/overview/media-types/) to get the raw contents. .EXAMPLE Get-GitHubGitignoreList Get all gitignore templates .NOTES https://docs.github.com/rest/gitignore/gitignore#get-a-gitignore-template #> [CmdletBinding()] param ( [Parameter()] [ValidateNotNullOrEmpty()] [string] $Name ) process { $inputObject = @{ APIEndpoint = "/gitignore/templates/$Name" Accept = 'application/vnd.github.raw+json' Method = 'GET' } Invoke-GitHubAPI @inputObject | ForEach-Object { Write-Output $_.Response } } } Write-Verbose "[$scriptName] - [private] - [Gitignore] - [Get-GitHubGitignoreByName] - Done" #endregion - From [private] - [Gitignore] - [Get-GitHubGitignoreByName] #region - From [private] - [Gitignore] - [Get-GitHubGitignoreList] Write-Verbose "[$scriptName] - [private] - [Gitignore] - [Get-GitHubGitignoreList] - Importing" filter Get-GitHubGitignoreList { <# .SYNOPSIS Get all gitignore templates .DESCRIPTION List all templates available to pass as an option when [creating a repository](https://docs.github.com/rest/repos/repos#create-a-repository-for-the-authenticated-user). .EXAMPLE Get-GitHubGitignoreList Get all gitignore templates .NOTES https://docs.github.com/rest/gitignore/gitignore#get-all-gitignore-templates #> [OutputType([string[]])] [CmdletBinding()] param () $inputObject = @{ APIEndpoint = '/gitignore/templates' Method = 'GET' } Invoke-GitHubAPI @inputObject | ForEach-Object { Write-Output $_.Response } } Write-Verbose "[$scriptName] - [private] - [Gitignore] - [Get-GitHubGitignoreList] - Done" #endregion - From [private] - [Gitignore] - [Get-GitHubGitignoreList] Write-Verbose "[$scriptName] - [private] - [Gitignore] - Done" #endregion - From [private] - [Gitignore] #region - From [private] - [License] Write-Verbose "[$scriptName] - [private] - [License] - Processing folder" #region - From [private] - [License] - [Get-GitHubLicenseByName] Write-Verbose "[$scriptName] - [private] - [License] - [Get-GitHubLicenseByName] - Importing" filter Get-GitHubLicenseByName { <# .SYNOPSIS Get a license .DESCRIPTION Gets information about a specific license. For more information, see "[Licensing a repository ](https://docs.github.com/repositories/managing-your-repositorys-settings-and-features/customizing-your-repository/licensing-a-repository)." .EXAMPLE Get-GitHubGitignoreList Get all gitignore templates .NOTES https://docs.github.com/rest/licenses/licenses#get-a-license #> [Diagnostics.CodeAnalysis.SuppressMessageAttribute('PSAvoidLongLines', '', Justification = 'Contains a long link.')] [CmdletBinding()] param ( # The license keyword, license name, or license SPDX ID. For example, mit or mpl-2.0. [Parameter()] [ValidateNotNullOrEmpty()] [Alias('license')] [string] $Name ) process { $inputObject = @{ APIEndpoint = "/licenses/$Name" Accept = 'application/vnd.github+json' Method = 'GET' } Invoke-GitHubAPI @inputObject | ForEach-Object { Write-Output $_.Response } } } Write-Verbose "[$scriptName] - [private] - [License] - [Get-GitHubLicenseByName] - Done" #endregion - From [private] - [License] - [Get-GitHubLicenseByName] #region - From [private] - [License] - [Get-GitHubLicenseList] Write-Verbose "[$scriptName] - [private] - [License] - [Get-GitHubLicenseList] - Importing" filter Get-GitHubLicenseList { <# .SYNOPSIS Get all commonly used licenses .DESCRIPTION Lists the most commonly used licenses on GitHub. For more information, see "[Licensing a repository ](https://docs.github.com/repositories/managing-your-repositorys-settings-and-features/customizing-your-repository/licensing-a-repository)." .EXAMPLE Get-GitHubLicenseList Get all commonly used licenses. .NOTES https://docs.github.com/rest/licenses/licenses#get-all-commonly-used-licenses #> [Diagnostics.CodeAnalysis.SuppressMessageAttribute('PSAvoidLongLines', '', Justification = 'Contains a long link.')] [OutputType([string[]])] [CmdletBinding()] param () $inputObject = @{ APIEndpoint = '/licenses' Method = 'GET' } Invoke-GitHubAPI @inputObject | ForEach-Object { Write-Output $_.Response } } Write-Verbose "[$scriptName] - [private] - [License] - [Get-GitHubLicenseList] - Done" #endregion - From [private] - [License] - [Get-GitHubLicenseList] #region - From [private] - [License] - [Get-GitHubRepositoryLicense] Write-Verbose "[$scriptName] - [private] - [License] - [Get-GitHubRepositoryLicense] - Importing" filter Get-GitHubRepositoryLicense { <# .SYNOPSIS Get the license for a repository .DESCRIPTION This method returns the contents of the repository's license file, if one is detected. Similar to [Get repository content](https://docs.github.com/rest/repos/contents#get-repository-content), this method also supports [custom media types](https://docs.github.com/rest/overview/media-types) for retrieving the raw license content or rendered license HTML. .EXAMPLE Get-GitHubRepositoryLicense -Owner 'octocat' -Repo 'Hello-World' Get the license for the Hello-World repository from the octocat account. .NOTES https://docs.github.com/rest/licenses/licenses#get-the-license-for-a-repository #> [CmdletBinding()] param ( # The account owner of the repository. The name is not case sensitive. [Parameter()] [string] $Owner = (Get-GitHubConfig -Name Owner), # The name of the repository without the .git extension. The name is not case sensitive. [Parameter()] [string] $Repo = (Get-GitHubConfig -Name Repo) ) process { $inputObject = @{ APIEndpoint = "/repos/$Owner/$Repo/license" Accept = 'application/vnd.github+json' Method = 'GET' } Invoke-GitHubAPI @inputObject | ForEach-Object { $Response = $_.Response $rawContent = [System.Text.Encoding]::UTF8.GetString([System.Convert]::FromBase64String($Response.content)) $Response | Add-Member -NotePropertyName 'raw_content' -NotePropertyValue $rawContent -Force $Response } } } Write-Verbose "[$scriptName] - [private] - [License] - [Get-GitHubRepositoryLicense] - Done" #endregion - From [private] - [License] - [Get-GitHubRepositoryLicense] Write-Verbose "[$scriptName] - [private] - [License] - Done" #endregion - From [private] - [License] #region - From [private] - [Organization] Write-Verbose "[$scriptName] - [private] - [Organization] - Processing folder" #region - From [private] - [Organization] - [Blocking] Write-Verbose "[$scriptName] - [private] - [Organization] - [Blocking] - Processing folder" #region - From [private] - [Organization] - [Blocking] - [Block-GitHubUserByOrganization] Write-Verbose "[$scriptName] - [private] - [Organization] - [Blocking] - [Block-GitHubUserByOrganization] - Importing" filter Block-GitHubUserByOrganization { <# .SYNOPSIS Block a user from an organization .DESCRIPTION Blocks the given user on behalf of the specified organization and returns a 204. If the organization cannot block the given user a 422 is returned. .EXAMPLE Block-GitHubUserByOrganization -OrganizationName 'github' -Username 'octocat' Blocks the user 'octocat' from the organization 'github'. Returns $true if successful, $false if not. .NOTES https://docs.github.com/rest/orgs/blocking#block-a-user-from-an-organization #> [OutputType([bool])] [CmdletBinding()] param ( # The organization name. The name is not case sensitive. [Parameter( Mandatory, ValueFromPipeline, ValueFromPipelineByPropertyName )] [Alias('org')] [Alias('owner')] [Alias('login')] [string] $OrganizationName, # The handle for the GitHub user account. [Parameter( Mandatory, ValueFromPipeline, ValueFromPipelineByPropertyName )] [Alias('login')] [string] $Username ) $inputObject = @{ APIEndpoint = "/orgs/$OrganizationName/blocks/$Username" Method = 'PUT' } try { $null = (Invoke-GitHubAPI @inputObject) # Should we check if user is already blocked and return true if so? return $true } catch { if ($_.Exception.Response.StatusCode.Value__ -eq 422) { return $false } else { Write-Error $_.Exception.Response throw $_ } } } Write-Verbose "[$scriptName] - [private] - [Organization] - [Blocking] - [Block-GitHubUserByOrganization] - Done" #endregion - From [private] - [Organization] - [Blocking] - [Block-GitHubUserByOrganization] #region - From [private] - [Organization] - [Blocking] - [Get-GitHubBlockedUserByOrganization] Write-Verbose "[$scriptName] - [private] - [Organization] - [Blocking] - [Get-GitHubBlockedUserByOrganization] - Importing" filter Get-GitHubBlockedUserByOrganization { <# .SYNOPSIS List users blocked by an organization .DESCRIPTION List the users blocked by an organization. .EXAMPLE Get-GitHubBlockedUserByOrganization -OrganizationName 'github' Lists all users blocked by the organization `github`. .NOTES [List users blocked by an organization](https://docs.github.com/rest/orgs/blocking#list-users-blocked-by-an-organization) #> [OutputType([pscustomobject])] [CmdletBinding()] param ( # The organization name. The name is not case sensitive. [Parameter(Mandatory)] [Alias('org')] [Alias('owner')] [Alias('login')] [string] $OrganizationName, # The number of results per page (max 100). [Parameter()] [ValidateRange(1, 100)] [int] $PerPage = 30 ) $body = @{ per_page = $PerPage } $inputObject = @{ APIEndpoint = "/orgs/$OrganizationName/blocks" Method = 'GET' Body = $body } Invoke-GitHubAPI @inputObject | ForEach-Object { Write-Output $_.Response } } Write-Verbose "[$scriptName] - [private] - [Organization] - [Blocking] - [Get-GitHubBlockedUserByOrganization] - Done" #endregion - From [private] - [Organization] - [Blocking] - [Get-GitHubBlockedUserByOrganization] #region - From [private] - [Organization] - [Blocking] - [Test-GitHubBlockedUserByOrganization] Write-Verbose "[$scriptName] - [private] - [Organization] - [Blocking] - [Test-GitHubBlockedUserByOrganization] - Importing" filter Test-GitHubBlockedUserByOrganization { <# .SYNOPSIS Check if a user is blocked by an organization .DESCRIPTION Returns a 204 if the given user is blocked by the given organization. Returns a 404 if the organization is not blocking the user, or if the user account has been identified as spam by GitHub. .EXAMPLE Test-GitHubBlockedUserByOrganization -OrganizationName 'PSModule' -Username 'octocat' Checks if the user `octocat` is blocked by the organization `PSModule`. Returns true if the user is blocked, false if not. .NOTES https://docs.github.com/rest/orgs/blocking#check-if-a-user-is-blocked-by-an-organization #> [OutputType([bool])] [CmdletBinding()] param ( # The organization name. The name is not case sensitive. [Parameter( Mandatory, ValueFromPipeline, ValueFromPipelineByPropertyName )] [Alias('org')] [Alias('owner')] [Alias('login')] [string] $OrganizationName, # The handle for the GitHub user account. [Parameter( Mandatory, ValueFromPipelineByPropertyName )] [string] $Username ) $inputObject = @{ APIEndpoint = "/orgs/$OrganizationName/blocks/$Username" Method = 'GET' } try { (Invoke-GitHubAPI @inputObject).StatusCode -eq 204 } catch { if ($_.Exception.Response.StatusCode.Value__ -eq 404) { return $false } else { throw $_ } } } Write-Verbose "[$scriptName] - [private] - [Organization] - [Blocking] - [Test-GitHubBlockedUserByOrganization] - Done" #endregion - From [private] - [Organization] - [Blocking] - [Test-GitHubBlockedUserByOrganization] #region - From [private] - [Organization] - [Blocking] - [Unblock-GitHubUserByOrganization] Write-Verbose "[$scriptName] - [private] - [Organization] - [Blocking] - [Unblock-GitHubUserByOrganization] - Importing" filter Unblock-GitHubUserByOrganization { <# .SYNOPSIS Unblock a user from an organization .DESCRIPTION Unblocks the given user on behalf of the specified organization. .EXAMPLE Unblock-GitHubUserByOrganization -OrganizationName 'github' -Username 'octocat' Unblocks the user 'octocat' from the organization 'github'. Returns $true if successful. .NOTES https://docs.github.com/rest/orgs/blocking#unblock-a-user-from-an-organization #> [OutputType([bool])] [CmdletBinding()] param ( # The organization name. The name is not case sensitive. [Parameter( Mandatory, ValueFromPipeline, ValueFromPipelineByPropertyName )] [Alias('org')] [Alias('owner')] [Alias('login')] [string] $OrganizationName, # The handle for the GitHub user account. [Parameter( Mandatory, ValueFromPipeline, ValueFromPipelineByPropertyName )] [Alias('login')] [string] $Username ) $inputObject = @{ APIEndpoint = "/orgs/$OrganizationName/blocks/$Username" Method = 'DELETE' } try { $null = (Invoke-GitHubAPI @inputObject) return $true } catch { Write-Error $_.Exception.Response throw $_ } } Write-Verbose "[$scriptName] - [private] - [Organization] - [Blocking] - [Unblock-GitHubUserByOrganization] - Done" #endregion - From [private] - [Organization] - [Blocking] - [Unblock-GitHubUserByOrganization] Write-Verbose "[$scriptName] - [private] - [Organization] - [Blocking] - Done" #endregion - From [private] - [Organization] - [Blocking] #region - From [private] - [Organization] - [Get-GitHubAllOrganization] Write-Verbose "[$scriptName] - [private] - [Organization] - [Get-GitHubAllOrganization] - Importing" filter Get-GitHubAllOrganization { <# .SYNOPSIS List organizations .DESCRIPTION Lists all organizations, in the order that they were created on GitHub. **Note:** Pagination is powered exclusively by the `since` parameter. Use the [Link header](https://docs.github.com/rest/guides/using-pagination-in-the-rest-api#using-link-headers) to get the URL for the next page of organizations. .EXAMPLE Get-GitHubAllOrganization -Since 142951047 List organizations, starting with PSModule .NOTES https://docs.github.com/rest/orgs/orgs#list-organizations #> [OutputType([pscustomobject])] [Diagnostics.CodeAnalysis.SuppressMessageAttribute('PSAvoidLongLines', '', Justification = 'Contains a long link.')] [CmdletBinding()] param ( # A organization ID. Only return organizations with an ID greater than this ID. [Parameter()] [int] $Since = 0, # The number of results per page (max 100). [Parameter()] [ValidateRange(1, 100)] [int] $PerPage = 30 ) $body = @{ since = $Since per_page = $PerPage } $inputObject = @{ APIEndpoint = '/organizations' Method = 'GET' Body = $body } Invoke-GitHubAPI @inputObject | ForEach-Object { Write-Output $_.Response } } Write-Verbose "[$scriptName] - [private] - [Organization] - [Get-GitHubAllOrganization] - Done" #endregion - From [private] - [Organization] - [Get-GitHubAllOrganization] #region - From [private] - [Organization] - [Get-GitHubMyOrganization] Write-Verbose "[$scriptName] - [private] - [Organization] - [Get-GitHubMyOrganization] - Importing" filter Get-GitHubMyOrganization { <# .SYNOPSIS List organizations for the authenticated user .DESCRIPTION List organizations for the authenticated user. **OAuth scope requirements** This only lists organizations that your authorization allows you to operate on in some way (e.g., you can list teams with `read:org` scope, you can publicize your organization membership with `user` scope, etc.). Therefore, this API requires at least `user` or `read:org` scope. OAuth requests with insufficient scope receive a `403 Forbidden` response. .EXAMPLE Get-GitHubMyOrganization List organizations for the authenticated user. .NOTES https://docs.github.com/rest/orgs/orgs#list-organizations-for-the-authenticated-user #> [OutputType([pscustomobject])] [CmdletBinding()] param ( # The number of results per page (max 100). [Parameter()] [ValidateRange(1, 100)] [int] $PerPage = 30 ) $body = @{ per_page = $PerPage } $inputObject = @{ APIEndpoint = '/user/orgs' Method = 'GET' Body = $body } Invoke-GitHubAPI @inputObject | ForEach-Object { Write-Output $_.Response } } Write-Verbose "[$scriptName] - [private] - [Organization] - [Get-GitHubMyOrganization] - Done" #endregion - From [private] - [Organization] - [Get-GitHubMyOrganization] #region - From [private] - [Organization] - [Get-GitHubOrganizationByName] Write-Verbose "[$scriptName] - [private] - [Organization] - [Get-GitHubOrganizationByName] - Importing" filter Get-GitHubOrganizationByName { <# .SYNOPSIS Get an organization .DESCRIPTION To see many of the organization response values, you need to be an authenticated organization owner with the `admin:org` scope. When the value of `two_factor_requirement_enabled` is `true`, the organization requires all members, billing managers, and outside collaborators to enable [two-factor authentication](https://docs.github.com/articles/securing-your-account-with-two-factor-authentication-2fa/). GitHub Apps with the `Organization plan` permission can use this endpoint to retrieve information about an organization's GitHub plan. See "[Authenticating with GitHub Apps](https://docs.github.com/apps/building-github-apps/authenticating-with-github-apps/)" for details. For an example response, see 'Response with GitHub plan information' below." .EXAMPLE Get-GitHubOrganizationByName -OrganizationName 'github' Get the 'GitHub' organization .NOTES https://docs.github.com/rest/orgs/orgs#get-an-organization #> [OutputType([pscustomobject])] [CmdletBinding()] param ( # The organization name. The name is not case sensitive. [Parameter( Mandatory, ValueFromPipeline, ValueFromPipelineByPropertyName )] [Alias('login')] [Alias('org')] [Alias('owner')] [string] $OrganizationName ) $inputObject = @{ APIEndpoint = "/orgs/$OrganizationName" Method = 'GET' } Invoke-GitHubAPI @inputObject | ForEach-Object { Write-Output $_.Response } } Write-Verbose "[$scriptName] - [private] - [Organization] - [Get-GitHubOrganizationByName] - Done" #endregion - From [private] - [Organization] - [Get-GitHubOrganizationByName] #region - From [private] - [Organization] - [Get-GitHubUserOrganization] Write-Verbose "[$scriptName] - [private] - [Organization] - [Get-GitHubUserOrganization] - Importing" filter Get-GitHubUserOrganization { <# .SYNOPSIS List organizations for a user .DESCRIPTION List [public organization memberships](https://docs.github.com/articles/publicizing-or-concealing-organization-membership) for the specified user. This method only lists _public_ memberships, regardless of authentication. If you need to fetch all of the organization memberships (public and private) for the authenticated user, use the [List organizations for the authenticated user](https://docs.github.com/rest/orgs/orgs#list-organizations-for-the-authenticated-user) API instead. .EXAMPLE Get-GitHubUserOrganization -Username 'octocat' List public organizations for the user 'octocat'. .NOTES https://docs.github.com/rest/orgs/orgs#list-organizations-for-a-user #> [OutputType([pscustomobject])] [CmdletBinding()] param ( # The handle for the GitHub user account. [Parameter(Mandatory)] [string] $Username, # The number of results per page (max 100). [Parameter()] [ValidateRange(1, 100)] [int] $PerPage = 30 ) $body = @{ per_page = $PerPage } $inputObject = @{ APIEndpoint = "/users/$Username/orgs" Method = 'GET' Body = $body } Invoke-GitHubAPI @inputObject | ForEach-Object { Write-Output $_.Response } } Write-Verbose "[$scriptName] - [private] - [Organization] - [Get-GitHubUserOrganization] - Done" #endregion - From [private] - [Organization] - [Get-GitHubUserOrganization] Write-Verbose "[$scriptName] - [private] - [Organization] - Done" #endregion - From [private] - [Organization] #region - From [private] - [Releases] Write-Verbose "[$scriptName] - [private] - [Releases] - Processing folder" #region - From [private] - [Releases] - [Assets] Write-Verbose "[$scriptName] - [private] - [Releases] - [Assets] - Processing folder" #region - From [private] - [Releases] - [Assets] - [Get-GitHubReleaseAssetByID] Write-Verbose "[$scriptName] - [private] - [Releases] - [Assets] - [Get-GitHubReleaseAssetByID] - Importing" filter Get-GitHubReleaseAssetByID { <# .SYNOPSIS Get a release asset .DESCRIPTION To download the asset's binary content, set the `Accept` header of the request to [`application/octet-stream`](https://docs.github.com/rest/overview/media-types). The API will either redirect the client to the location, or stream it directly if possible. API clients should handle both a `200` or `302` response. .EXAMPLE Get-GitHubReleaseAssetByID -Owner 'octocat' -Repo 'hello-world' -ID '1234567' Gets the release asset with the ID '1234567' for the repository 'octocat/hello-world'. .NOTES https://docs.github.com/rest/releases/assets#get-a-release-asset #> [CmdletBinding()] param ( # The account owner of the repository. The name is not case sensitive. [Parameter()] [string] $Owner = (Get-GitHubConfig -Name Owner), # The name of the repository without the .git extension. The name is not case sensitive. [Parameter()] [string] $Repo = (Get-GitHubConfig -Name Repo), # The unique identifier of the asset. [Parameter(Mandatory)] [Alias('asset_id')] [string] $ID ) $inputObject = @{ APIEndpoint = "/repos/$Owner/$Repo/releases/assets/$ID" Method = 'GET' } Invoke-GitHubAPI @inputObject | ForEach-Object { Write-Output $_.Response } } Write-Verbose "[$scriptName] - [private] - [Releases] - [Assets] - [Get-GitHubReleaseAssetByID] - Done" #endregion - From [private] - [Releases] - [Assets] - [Get-GitHubReleaseAssetByID] #region - From [private] - [Releases] - [Assets] - [Get-GitHubReleaseAssetByReleaseID] Write-Verbose "[$scriptName] - [private] - [Releases] - [Assets] - [Get-GitHubReleaseAssetByReleaseID] - Importing" filter Get-GitHubReleaseAssetByReleaseID { <# .SYNOPSIS List release assets .DESCRIPTION List release assets .EXAMPLE Get-GitHubReleaseAssetByReleaseID -Owner 'octocat' -Repo 'hello-world' -ID '1234567' Gets the release assets for the release with the ID '1234567' for the repository 'octocat/hello-world'. .NOTES https://docs.github.com/rest/releases/assets#list-release-assets #> [CmdletBinding()] param ( # The account owner of the repository. The name is not case sensitive. [Parameter()] [string] $Owner = (Get-GitHubConfig -Name Owner), # The name of the repository without the .git extension. The name is not case sensitive. [Parameter()] [string] $Repo = (Get-GitHubConfig -Name Repo), # The unique identifier of the release. [Parameter( Mandatory, ParameterSetName = 'ID' )] [Alias('release_id')] [string] $ID, # The number of results per page (max 100). [Parameter()] [ValidateRange(1, 100)] [int] $PerPage = 30 ) $body = $PSBoundParameters | ConvertFrom-HashTable | ConvertTo-HashTable -NameCasingStyle snake_case Remove-HashtableEntry -Hashtable $body -RemoveNames 'Owner', 'Repo', 'ID' $inputObject = @{ APIEndpoint = "/repos/$Owner/$Repo/releases/$ID/assets" Method = 'GET' Body = $body } Invoke-GitHubAPI @inputObject | ForEach-Object { Write-Output $_.Response } } Write-Verbose "[$scriptName] - [private] - [Releases] - [Assets] - [Get-GitHubReleaseAssetByReleaseID] - Done" #endregion - From [private] - [Releases] - [Assets] - [Get-GitHubReleaseAssetByReleaseID] Write-Verbose "[$scriptName] - [private] - [Releases] - [Assets] - Done" #endregion - From [private] - [Releases] - [Assets] #region - From [private] - [Releases] - [Releases] Write-Verbose "[$scriptName] - [private] - [Releases] - [Releases] - Processing folder" #region - From [private] - [Releases] - [Releases] - [Get-GitHubReleaseAll] Write-Verbose "[$scriptName] - [private] - [Releases] - [Releases] - [Get-GitHubReleaseAll] - Importing" filter Get-GitHubReleaseAll { <# .SYNOPSIS List releases .DESCRIPTION This returns a list of releases, which does not include regular Git tags that have not been associated with a release. To get a list of Git tags, use the [Repository Tags API](https://docs.github.com/rest/repos/repos#list-repository-tags). Information about published releases are available to everyone. Only users with push access will receive listings for draft releases. .EXAMPLE Get-GitHubReleaseAll -Owner 'octocat' -Repo 'hello-world' Gets all the releases for the repository 'hello-world' owned by 'octocat'. .NOTES https://docs.github.com/rest/releases/releases#list-releases #> [CmdletBinding()] param ( # The account owner of the repository. The name is not case sensitive. [Parameter()] [string] $Owner = (Get-GitHubConfig -Name Owner), # The name of the repository without the .git extension. The name is not case sensitive. [Parameter()] [string] $Repo = (Get-GitHubConfig -Name Repo), # The number of results per page (max 100). [Parameter(ParameterSetName = 'AllUsers')] [ValidateRange(1, 100)] [int] $PerPage = 30 ) $body = $PSBoundParameters | ConvertFrom-HashTable | ConvertTo-HashTable -NameCasingStyle snake_case Remove-HashtableEntry -Hashtable $body -RemoveNames 'Owner', 'Repo' $inputObject = @{ APIEndpoint = "/repos/$Owner/$Repo/releases" Method = 'GET' Body = $body } Invoke-GitHubAPI @inputObject | ForEach-Object { Write-Output $_.Response } } Write-Verbose "[$scriptName] - [private] - [Releases] - [Releases] - [Get-GitHubReleaseAll] - Done" #endregion - From [private] - [Releases] - [Releases] - [Get-GitHubReleaseAll] #region - From [private] - [Releases] - [Releases] - [Get-GitHubReleaseByID] Write-Verbose "[$scriptName] - [private] - [Releases] - [Releases] - [Get-GitHubReleaseByID] - Importing" filter Get-GitHubReleaseByID { <# .SYNOPSIS Get a release .DESCRIPTION **Note:** This returns an `upload_url` key corresponding to the endpoint for uploading release assets. This key is a [hypermedia resource](https://docs.github.com/rest/overview/resources-in-the-rest-api#hypermedia). .EXAMPLE Get-GitHubReleaseById -Owner 'octocat' -Repo 'hello-world' -ID '1234567' Gets the release with the ID '1234567' for the repository 'hello-world' owned by 'octocat'. .NOTES https://docs.github.com/rest/releases/releases#get-a-release #> [CmdletBinding()] param ( # The account owner of the repository. The name is not case sensitive. [Parameter()] [string] $Owner = (Get-GitHubConfig -Name Owner), # The name of the repository without the .git extension. The name is not case sensitive. [Parameter()] [string] $Repo = (Get-GitHubConfig -Name Repo), # The unique identifier of the release. [Parameter( Mandatory )] [Alias('release_id')] [string] $ID ) $inputObject = @{ APIEndpoint = "/repos/$Owner/$Repo/releases/$ID" Method = 'GET' } Invoke-GitHubAPI @inputObject | ForEach-Object { Write-Output $_.Response } } Write-Verbose "[$scriptName] - [private] - [Releases] - [Releases] - [Get-GitHubReleaseByID] - Done" #endregion - From [private] - [Releases] - [Releases] - [Get-GitHubReleaseByID] #region - From [private] - [Releases] - [Releases] - [Get-GitHubReleaseByTagName] Write-Verbose "[$scriptName] - [private] - [Releases] - [Releases] - [Get-GitHubReleaseByTagName] - Importing" filter Get-GitHubReleaseByTagName { <# .SYNOPSIS Get a release by tag name .DESCRIPTION Get a published release with the specified tag. .EXAMPLE Get-GitHubReleaseByTagName -Owner 'octocat' -Repo 'hello-world' -Tag 'v1.0.0' Gets the release with the tag 'v1.0.0' for the repository 'hello-world' owned by 'octocat'. .NOTES https://docs.github.com/rest/releases/releases#get-a-release-by-tag-name #> [CmdletBinding()] param ( # The account owner of the repository. The name is not case sensitive. [Parameter()] [string] $Owner = (Get-GitHubConfig -Name Owner), # The name of the repository without the .git extension. The name is not case sensitive. [Parameter()] [string] $Repo = (Get-GitHubConfig -Name Repo), # The name of the tag to get a release from. [Parameter( Mandatory )] [Alias('tag_name')] [string] $Tag ) $inputObject = @{ APIEndpoint = "/repos/$Owner/$Repo/releases/tags/$Tag" Method = 'GET' } Invoke-GitHubAPI @inputObject | ForEach-Object { Write-Output $_.Response } } Write-Verbose "[$scriptName] - [private] - [Releases] - [Releases] - [Get-GitHubReleaseByTagName] - Done" #endregion - From [private] - [Releases] - [Releases] - [Get-GitHubReleaseByTagName] #region - From [private] - [Releases] - [Releases] - [Get-GitHubReleaseLatest] Write-Verbose "[$scriptName] - [private] - [Releases] - [Releases] - [Get-GitHubReleaseLatest] - Importing" filter Get-GitHubReleaseLatest { <# .SYNOPSIS Get the latest release .DESCRIPTION View the latest published full release for the repository. The latest release is the most recent non-prerelease, non-draft release, sorted by the `created_at` attribute. The `created_at` attribute is the date of the commit used for the release, and not the date when the release was drafted or published. .EXAMPLE Get-GitHubReleaseLatest -Owner 'octocat' -Repo 'hello-world' Gets the latest releases for the repository 'hello-world' owned by 'octocat'. .NOTES https://docs.github.com/rest/releases/releases#get-the-latest-release #> [CmdletBinding()] param ( # The account owner of the repository. The name is not case sensitive. [Parameter()] [string] $Owner = (Get-GitHubConfig -Name Owner), # The name of the repository without the .git extension. The name is not case sensitive. [Parameter()] [string] $Repo = (Get-GitHubConfig -Name Repo) ) $inputObject = @{ APIEndpoint = "/repos/$Owner/$Repo/releases/latest" Method = 'GET' } Invoke-GitHubAPI @inputObject | ForEach-Object { Write-Output $_.Response } } Write-Verbose "[$scriptName] - [private] - [Releases] - [Releases] - [Get-GitHubReleaseLatest] - Done" #endregion - From [private] - [Releases] - [Releases] - [Get-GitHubReleaseLatest] Write-Verbose "[$scriptName] - [private] - [Releases] - [Releases] - Done" #endregion - From [private] - [Releases] - [Releases] Write-Verbose "[$scriptName] - [private] - [Releases] - Done" #endregion - From [private] - [Releases] #region - From [private] - [Repositories] Write-Verbose "[$scriptName] - [private] - [Repositories] - Processing folder" #region - From [private] - [Repositories] - [Autolinks] Write-Verbose "[$scriptName] - [private] - [Repositories] - [Autolinks] - Processing folder" #region - From [private] - [Repositories] - [Autolinks] - [Get-GitHubRepositoryAutolinkById] Write-Verbose "[$scriptName] - [private] - [Repositories] - [Autolinks] - [Get-GitHubRepositoryAutolinkById] - Importing" filter Get-GitHubRepositoryAutolinkById { <# .SYNOPSIS Get an autolink reference of a repository .DESCRIPTION This returns a single autolink reference by ID that was configured for the given repository. Information about autolinks are only available to repository administrators. .EXAMPLE Get-GitHubRepositoryAutolinkById -Owner 'octocat' -Repo 'Hello-World' -ID 1 Gets the autolink with the ID 1 for the repository 'Hello-World' owned by 'octocat'. .NOTES https://docs.github.com/rest/repos/autolinks#get-an-autolink-reference-of-a-repository #> [CmdletBinding()] param ( # The account owner of the repository. The name is not case sensitive. [Parameter()] [Alias('org')] [string] $Owner = (Get-GitHubConfig -Name Owner), # The name of the repository without the .git extension. The name is not case sensitive. [Parameter()] [string] $Repo = (Get-GitHubConfig -Name Repo), # The unique identifier of the autolink. [Parameter(Mandatory)] [Alias('autolink_id')] [Alias('ID')] [int] $AutolinkId ) $inputObject = @{ APIEndpoint = "/repos/$Owner/$Repo/autolinks/$AutolinkId" Method = 'GET' } Invoke-GitHubAPI @inputObject | ForEach-Object { Write-Output $_.Response } } Write-Verbose "[$scriptName] - [private] - [Repositories] - [Autolinks] - [Get-GitHubRepositoryAutolinkById] - Done" #endregion - From [private] - [Repositories] - [Autolinks] - [Get-GitHubRepositoryAutolinkById] #region - From [private] - [Repositories] - [Autolinks] - [Get-GitHubRepositoryAutolinkList] Write-Verbose "[$scriptName] - [private] - [Repositories] - [Autolinks] - [Get-GitHubRepositoryAutolinkList] - Importing" filter Get-GitHubRepositoryAutolinkList { <# .SYNOPSIS List all autolinks of a repository .DESCRIPTION This returns a list of autolinks configured for the given repository. Information about autolinks are only available to repository administrators. .EXAMPLE Get-GitHubRepositoryAutolinkList -Owner 'octocat' -Repo 'Hello-World' Gets all autolinks for the repository 'Hello-World' owned by 'octocat'. .NOTES https://docs.github.com/rest/repos/autolinks#list-all-autolinks-of-a-repository #> [CmdletBinding()] param ( # The account owner of the repository. The name is not case sensitive. [Parameter()] [Alias('org')] [string] $Owner = (Get-GitHubConfig -Name Owner), # The name of the repository without the .git extension. The name is not case sensitive. [Parameter()] [string] $Repo = (Get-GitHubConfig -Name Repo) ) $inputObject = @{ APIEndpoint = "/repos/$Owner/$Repo/autolinks" Method = 'GET' } Invoke-GitHubAPI @inputObject | ForEach-Object { Write-Output $_.Response } } Write-Verbose "[$scriptName] - [private] - [Repositories] - [Autolinks] - [Get-GitHubRepositoryAutolinkList] - Done" #endregion - From [private] - [Repositories] - [Autolinks] - [Get-GitHubRepositoryAutolinkList] Write-Verbose "[$scriptName] - [private] - [Repositories] - [Autolinks] - Done" #endregion - From [private] - [Repositories] - [Autolinks] #region - From [private] - [Repositories] - [Fork] Write-Verbose "[$scriptName] - [private] - [Repositories] - [Fork] - Processing folder" #region - From [private] - [Repositories] - [Fork] - [New-GitHubRepositoryAsFork] Write-Verbose "[$scriptName] - [private] - [Repositories] - [Fork] - [New-GitHubRepositoryAsFork] - Importing" filter New-GitHubRepositoryAsFork { <# .SYNOPSIS Create a fork .DESCRIPTION Create a fork for the authenticated user. **Note**: Forking a Repository happens asynchronously. You may have to wait a short period of time before you can access the git objects. If this takes longer than 5 minutes, be sure to contact [GitHub Support](https://support.github.com/contact?tags=dotcom-rest-api). **Note**: Although this endpoint works with GitHub Apps, the GitHub App must be installed on the destination account with access to all repositories and on the source account with access to the source repository. .EXAMPLE New-GitHubRepositoryAsFork -ForkOwner 'github' -ForkRepo 'Hello-World' Fork the repository `Hello-World` owned by `github` for the authenticated user. Repo will be named `Hello-World`, and all branches and tags will be forked. .EXAMPLE New-GitHubRepositoryAsFork -ForkOwner 'github' -ForkRepo 'Hello-World' -Name 'Hello-World-2' Fork the repository `Hello-World` owned by `github` for the authenticated user, naming the resulting repository `Hello-World-2`. .EXAMPLE New-GitHubRepositoryAsFork -ForkOwner 'github' -ForkRepo 'Hello-World' -Organization 'octocat' Fork the repository `Hello-World` owned by `github` for the organization `octocat`, naming the resulting repository `Hello-World`. .EXAMPLE New-GitHubRepositoryAsFork -ForkOwner 'github' -ForkRepo 'Hello-World' -DefaultBranchOnly Fork the repository `Hello-World` owned by `github` for the authenticated user, forking only the default branch. .NOTES https://docs.github.com/rest/repos/forks#create-a-fork #> [OutputType([pscustomobject])] [CmdletBinding(SupportsShouldProcess)] param ( # The account owner of the repository. The name is not case sensitive. [Parameter(Mandatory)] [string] $Owner, # The name of the repository without the .git extension. The name is not case sensitive. [Parameter(Mandatory)] [string] $Repo, # The organization or person who will own the new repository. # To create a new repository in an organization, the authenticated user must be a member of the specified organization. [Parameter()] [string] $Organization = (Get-GitHubConfig -Name Owner), # The name of the new repository. [Parameter()] [string] $Name, # When forking from an existing repository, fork with only the default branch. [Parameter()] [Alias('default_branch_only')] [switch] $DefaultBranchOnly ) if ([string]::IsNullorEmpty($Name)) { $Name = $ForkRepo } $PSCmdlet.MyInvocation.MyCommand.Parameters.GetEnumerator() | ForEach-Object { $paramName = $_.Key $paramDefaultValue = Get-Variable -Name $paramName -ValueOnly -ErrorAction SilentlyContinue $providedValue = $PSBoundParameters[$paramName] Write-Verbose "[$paramName]" Write-Verbose " - Default: [$paramDefaultValue]" Write-Verbose " - Provided: [$providedValue]" if (-not $PSBoundParameters.ContainsKey($paramName) -and ($null -ne $paramDefaultValue)) { Write-Verbose ' - Using default value' $PSBoundParameters[$paramName] = $paramDefaultValue } else { Write-Verbose ' - Using provided value' } } $body = $PSBoundParameters | ConvertFrom-HashTable | ConvertTo-HashTable -NameCasingStyle snake_case Remove-HashtableEntry -Hashtable $body -RemoveNames 'Owner', 'Repo' -RemoveTypes 'SwitchParameter' $body['default_branch_only'] = $DefaultBranchOnly $inputObject = @{ APIEndpoint = "/repos/$Owner/$Repo/forks" Method = 'POST' Body = $body } if ($PSCmdlet.ShouldProcess("Repository [$Organization/$Name] as fork of [$Owner/$Repo]", 'Create')) { Invoke-GitHubAPI @inputObject | ForEach-Object { Write-Output $_.Response } } } Write-Verbose "[$scriptName] - [private] - [Repositories] - [Fork] - [New-GitHubRepositoryAsFork] - Done" #endregion - From [private] - [Repositories] - [Fork] - [New-GitHubRepositoryAsFork] Write-Verbose "[$scriptName] - [private] - [Repositories] - [Fork] - Done" #endregion - From [private] - [Repositories] - [Fork] #region - From [private] - [Repositories] - [Repositories] Write-Verbose "[$scriptName] - [private] - [Repositories] - [Repositories] - Processing folder" #region - From [private] - [Repositories] - [Repositories] - [Get-GitHubMyRepositories] Write-Verbose "[$scriptName] - [private] - [Repositories] - [Repositories] - [Get-GitHubMyRepositories] - Importing" filter Get-GitHubMyRepositories { <# .SYNOPSIS List repositories for the authenticated user .DESCRIPTION Lists repositories that the authenticated user has explicit permission (`:read`, `:write`, or `:admin`) to access. The authenticated user has explicit permission to access repositories they own, repositories where they are a collaborator, and repositories that they can access through an organization membership. .EXAMPLE Get-GitHubMyRepositories Gets the repositories for the authenticated user. .EXAMPLE Get-GitHubMyRepositories -Visibility 'private' Gets the private repositories for the authenticated user. .EXAMPLE $param = @{ Visibility = 'public' Affiliation = 'owner','collaborator' Sort = 'created' Direction = 'asc' PerPage = 100 Since = (Get-Date).AddYears(-5) Before = (Get-Date).AddDays(-1) } Get-GitHubMyRepositories @param Gets the public repositories for the authenticated user that are owned by the authenticated user or that the authenticated user has been added to as a collaborator. The results are sorted by creation date in ascending order and the results are limited to 100 repositories. The results are limited to repositories created between 5 years ago and 1 day ago. .EXAMPLE Get-GitHubMyRepositories -Type 'forks' Gets the forked repositories for the authenticated user. .EXAMPLE Get-GitHubMyRepositories -Type 'sources' Gets the non-forked repositories for the authenticated user. .EXAMPLE Get-GitHubMyRepositories -Type 'member' Gets the repositories for the authenticated user that are owned by an organization. .NOTES https://docs.github.com/rest/repos/repos#list-repositories-for-the-authenticated-user #> [CmdletBinding(DefaultParameterSetName = 'Type')] [Diagnostics.CodeAnalysis.SuppressMessageAttribute('PSUseSingularNouns', '', Justification = 'Private function, not exposed to user.')] param ( # Limit results to repositories with the specified visibility. [Parameter( ParameterSetName = 'Aff-Vis' )] [ValidateSet('all', 'public', 'private')] [string] $Visibility = 'all', # Comma-separated list of values. Can include: # - owner: Repositories that are owned by the authenticated user. # - collaborator: Repositories that the user has been added to as a collaborator. # - organization_member: Repositories that the user has access to through being a member of an organization. # This includes every repository on every team that the user is on. # Default: owner, collaborator, organization_member [Parameter( ParameterSetName = 'Aff-Vis' )] [ValidateSet('owner', 'collaborator', 'organization_member')] [string[]] $Affiliation = @('owner', 'collaborator', 'organization_member'), # Specifies the types of repositories you want returned. [Parameter( ParameterSetName = 'Type' )] [ValidateSet('all', 'owner', 'public', 'private', 'member')] [string] $Type = 'all', # The property to sort the results by. [Parameter()] [ValidateSet('created', 'updated', 'pushed', 'full_name')] [string] $Sort = 'created', # The order to sort by. # Default: asc when using full_name, otherwise desc. [Parameter()] [ValidateSet('asc', 'desc')] [string] $Direction, # The number of results per page (max 100). [Parameter()] [ValidateRange(1, 100)] [int] $PerPage = 30, # Only show repositories updated after the given time. [Parameter()] [datetime] $Since, # Only show repositories updated before the given time. [Parameter()] [datetime] $Before ) $PSCmdlet.MyInvocation.MyCommand.Parameters.GetEnumerator() | ForEach-Object { Write-Verbose "Parameter: [$($_.Key)] = [$($_.Value)]" $paramDefaultValue = Get-Variable -Name $_.Key -ValueOnly -ErrorAction SilentlyContinue if (-not $PSBoundParameters.ContainsKey($_.Key) -and ($null -ne $paramDefaultValue)) { Write-Verbose "Parameter: [$($_.Key)] = [$($_.Value)] - Adding default value" $PSBoundParameters[$_.Key] = $paramDefaultValue } Write-Verbose " - $($PSBoundParameters[$_.Key])" } $body = $PSBoundParameters | ConvertFrom-HashTable | ConvertTo-HashTable -NameCasingStyle snake_case Remove-HashtableEntry -Hashtable $body -RemoveNames 'Affiliation', 'Since', 'Before' if ($PSBoundParameters.ContainsKey('Affiliation')) { $body['affiliation'] = $Affiliation -join ',' } if ($PSBoundParameters.ContainsKey('Since')) { $body['since'] = $Since.ToString('yyyy-MM-ddTHH:mm:ssZ') } if ($PSBoundParameters.ContainsKey('Before')) { $body['before'] = $Before.ToString('yyyy-MM-ddTHH:mm:ssZ') } $inputObject = @{ APIEndpoint = '/user/repos' Method = 'GET' body = $body } Invoke-GitHubAPI @inputObject | ForEach-Object { Write-Output $_.Response } } Write-Verbose "[$scriptName] - [private] - [Repositories] - [Repositories] - [Get-GitHubMyRepositories] - Done" #endregion - From [private] - [Repositories] - [Repositories] - [Get-GitHubMyRepositories] #region - From [private] - [Repositories] - [Repositories] - [Get-GitHubRepositoryByName] Write-Verbose "[$scriptName] - [private] - [Repositories] - [Repositories] - [Get-GitHubRepositoryByName] - Importing" filter Get-GitHubRepositoryByName { <# .SYNOPSIS Get a repository .DESCRIPTION The `parent` and `source` objects are present when the repository is a fork. `parent` is the repository this repository was forked from, `source` is the ultimate source for the network. **Note:** In order to see the `security_and_analysis` block for a repository you must have admin permissions for the repository or be an owner or security manager for the organization that owns the repository. For more information, see "[Managing security managers in your organization](https://docs.github.com/organizations/managing-peoples-access-to-your-organization-with-roles/managing-security-managers-in-your-organization)." .EXAMPLE Get-GitHubRepositoryByName -Owner 'octocat' -Repo 'Hello-World' Gets the repository 'Hello-World' for the organization 'octocat'. .NOTES https://docs.github.com/rest/repos/repos#get-a-repository #> [CmdletBinding()] [Diagnostics.CodeAnalysis.SuppressMessageAttribute('PSAvoidLongLines', '', Justification = 'Contains a long link.')] param ( # The account owner of the repository. The name is not case sensitive. [Parameter()] [string] $Owner = (Get-GitHubConfig -Name Owner), # The name of the repository without the .git extension. The name is not case sensitive. [Parameter()] [string] $Repo = (Get-GitHubConfig -Name Repo) ) $inputObject = @{ APIEndpoint = "/repos/$Owner/$Repo" Method = 'GET' } Invoke-GitHubAPI @inputObject | ForEach-Object { Write-Output $_.Response } } Write-Verbose "[$scriptName] - [private] - [Repositories] - [Repositories] - [Get-GitHubRepositoryByName] - Done" #endregion - From [private] - [Repositories] - [Repositories] - [Get-GitHubRepositoryByName] #region - From [private] - [Repositories] - [Repositories] - [Get-GitHubRepositoryListByID] Write-Verbose "[$scriptName] - [private] - [Repositories] - [Repositories] - [Get-GitHubRepositoryListByID] - Importing" filter Get-GitHubRepositoryListByID { <# .SYNOPSIS List public repositories .DESCRIPTION Lists all public repositories in the order that they were created. Note: - For GitHub Enterprise Server, this endpoint will only list repositories available to all users on the enterprise. - Pagination is powered exclusively by the `since` parameter. Use the [Link header](https://docs.github.com/rest/guides/using-pagination-in-the-rest-api#using-link-headers) to get the URL for the next page of repositories. .EXAMPLE Get-GitHubRepositoryListByID -Since '123456789 Gets the repositories with an ID equals and greater than 123456789. .NOTES https://docs.github.com/rest/repos/repos#list-public-repositories #> [CmdletBinding()] param ( # A repository ID. Only return repositories with an ID greater than this ID. [Parameter()] [int] $Since = 0 ) $PSCmdlet.MyInvocation.MyCommand.Parameters.GetEnumerator() | ForEach-Object { Write-Verbose "Parameter: [$($_.Key)] = [$($_.Value)]" $paramDefaultValue = Get-Variable -Name $_.Key -ValueOnly -ErrorAction SilentlyContinue if (-not $PSBoundParameters.ContainsKey($_.Key) -and ($null -ne $paramDefaultValue)) { Write-Verbose "Parameter: [$($_.Key)] = [$($_.Value)] - Adding default value" $PSBoundParameters[$_.Key] = $paramDefaultValue } Write-Verbose " - $($PSBoundParameters[$_.Key])" } $body = $PSBoundParameters | ConvertFrom-HashTable | ConvertTo-HashTable -NameCasingStyle snake_case $inputObject = @{ APIEndpoint = '/repositories' Method = 'GET' Body = $body } Invoke-GitHubAPI @inputObject | ForEach-Object { Write-Output $_.Response } } Write-Verbose "[$scriptName] - [private] - [Repositories] - [Repositories] - [Get-GitHubRepositoryListByID] - Done" #endregion - From [private] - [Repositories] - [Repositories] - [Get-GitHubRepositoryListByID] #region - From [private] - [Repositories] - [Repositories] - [Get-GitHubRepositoryListByOrg] Write-Verbose "[$scriptName] - [private] - [Repositories] - [Repositories] - [Get-GitHubRepositoryListByOrg] - Importing" filter Get-GitHubRepositoryListByOrg { <# .SYNOPSIS List organization repositories .DESCRIPTION Lists repositories for the specified organization. **Note:** In order to see the `security_and_analysis` block for a repository you must have admin permissions for the repository or be an owner or security manager for the organization that owns the repository. For more information, see "[Managing security managers in your organization](https://docs.github.com/organizations/managing-peoples-access-to-your-organization-with-roles/managing-security-managers-in-your-organization)." .EXAMPLE Get-GitHubRepositoryListByOrg -Owner 'octocat' Gets the repositories for the organization 'octocat'. .EXAMPLE Get-GitHubRepositoryListByOrg -Owner 'octocat' -Type 'public' Gets the public repositories for the organization 'octocat'. .EXAMPLE Get-GitHubRepositoryListByOrg -Owner 'octocat' -Sort 'created' -Direction 'asc' Gets the repositories for the organization 'octocat' sorted by creation date in ascending order. .NOTES https://docs.github.com/rest/repos/repos#list-organization-repositories #> [CmdletBinding()] [Diagnostics.CodeAnalysis.SuppressMessageAttribute('PSAvoidLongLines', '', Justification = 'Contains a long link.')] param ( # The account owner of the repository. The name is not case sensitive. [Parameter()] [string] $Owner = (Get-GitHubConfig -Name Owner), # Specifies the types of repositories you want returned. [Parameter()] [validateSet('all', 'public', 'private', 'forks', 'sources', 'member')] [string] $type = 'all', # The property to sort the results by. [Parameter()] [validateSet('created', 'updated', 'pushed', 'full_name')] [string] $Sort = 'created', # The order to sort by. # Default: asc when using full_name, otherwise desc. [Parameter()] [validateSet('asc', 'desc')] [string] $Direction, # The number of results per page (max 100). [Parameter()] [ValidateRange(1, 100)] [int] $PerPage = 30 ) $PSCmdlet.MyInvocation.MyCommand.Parameters.GetEnumerator() | ForEach-Object { Write-Verbose "Parameter: [$($_.Key)] = [$($_.Value)]" $paramDefaultValue = Get-Variable -Name $_.Key -ValueOnly -ErrorAction SilentlyContinue if (-not $PSBoundParameters.ContainsKey($_.Key) -and ($null -ne $paramDefaultValue)) { Write-Verbose "Parameter: [$($_.Key)] = [$($_.Value)] - Adding default value" $PSBoundParameters[$_.Key] = $paramDefaultValue } Write-Verbose " - $($PSBoundParameters[$_.Key])" } $body = $PSBoundParameters | ConvertFrom-HashTable | ConvertTo-HashTable -NameCasingStyle snake_case Remove-HashtableEntry -Hashtable $body -RemoveNames 'Owner' $inputObject = @{ APIEndpoint = "/orgs/$Owner/repos" Method = 'GET' Body = $body } Invoke-GitHubAPI @inputObject | ForEach-Object { Write-Output $_.Response } } Write-Verbose "[$scriptName] - [private] - [Repositories] - [Repositories] - [Get-GitHubRepositoryListByOrg] - Done" #endregion - From [private] - [Repositories] - [Repositories] - [Get-GitHubRepositoryListByOrg] #region - From [private] - [Repositories] - [Repositories] - [Get-GitHubRepositoryListByUser] Write-Verbose "[$scriptName] - [private] - [Repositories] - [Repositories] - [Get-GitHubRepositoryListByUser] - Importing" filter Get-GitHubRepositoryListByUser { <# .SYNOPSIS List repositories for a user .DESCRIPTION Lists public repositories for the specified user. Note: For GitHub AE, this endpoint will list internal repositories for the specified user. .EXAMPLE Get-GitHubRepositoryListByUser -Username 'octocat' Gets the repositories for the user 'octocat'. .EXAMPLE Get-GitHubRepositoryListByUser -Username 'octocat' -Type 'member' Gets the repositories of organizations where the user 'octocat' is a member. .EXAMPLE Get-GitHubRepositoryListByUser -Username 'octocat' -Sort 'created' -Direction 'asc' Gets the repositories for the user 'octocat' sorted by creation date in ascending order. .NOTES https://docs.github.com/rest/repos/repos#list-repositories-for-a-user #> [CmdletBinding()] param ( # The handle for the GitHub user account. [Parameter( Mandatory, ValueFromPipeline, ValueFromPipelineByPropertyName )] [Alias('login')] [string] $Username, # Specifies the types of repositories you want returned. [Parameter()] [validateSet('all', 'owner', 'member')] [string] $Type = 'all', # The property to sort the results by. [Parameter()] [validateSet('created', 'updated', 'pushed', 'full_name')] [string] $Sort = 'created', # The order to sort by. # Default: asc when using full_name, otherwise desc. [Parameter()] [validateSet('asc', 'desc')] [string] $Direction, # The number of results per page (max 100). [Parameter()] [ValidateRange(1, 100)] [int] $PerPage = 30 ) $PSCmdlet.MyInvocation.MyCommand.Parameters.GetEnumerator() | ForEach-Object { Write-Verbose "Parameter: [$($_.Key)] = [$($_.Value)]" $paramDefaultValue = Get-Variable -Name $_.Key -ValueOnly -ErrorAction SilentlyContinue if (-not $PSBoundParameters.ContainsKey($_.Key) -and ($null -ne $paramDefaultValue)) { Write-Verbose "Parameter: [$($_.Key)] = [$($_.Value)] - Adding default value" $PSBoundParameters[$_.Key] = $paramDefaultValue } Write-Verbose " - $($PSBoundParameters[$_.Key])" } $body = $PSBoundParameters | ConvertFrom-HashTable | ConvertTo-HashTable -NameCasingStyle snake_case Remove-HashtableEntry -Hashtable $body -RemoveNames 'Username' $inputObject = @{ APIEndpoint = "/users/$Username/repos" Method = 'GET' Body = $body } Invoke-GitHubAPI @inputObject | ForEach-Object { Write-Output $_.Response } } Write-Verbose "[$scriptName] - [private] - [Repositories] - [Repositories] - [Get-GitHubRepositoryListByUser] - Done" #endregion - From [private] - [Repositories] - [Repositories] - [Get-GitHubRepositoryListByUser] #region - From [private] - [Repositories] - [Repositories] - [New-GitHubRepositoryFromTemplate] Write-Verbose "[$scriptName] - [private] - [Repositories] - [Repositories] - [New-GitHubRepositoryFromTemplate] - Importing" filter New-GitHubRepositoryFromTemplate { <# .SYNOPSIS Create a repository using a template .DESCRIPTION Creates a new repository using a repository template. Use the `template_owner` and `template_repo` route parameters to specify the repository to use as the template. If the repository is not public, the authenticated user must own or be a member of an organization that owns the repository. To check if a repository is available to use as a template, get the repository's information using the [Get a repository](https://docs.github.com/rest/repos/repos#get-a-repository) endpoint and check that the `is_template` key is `true`. **OAuth scope requirements** When using [OAuth](https://docs.github.com/apps/building-oauth-apps/understanding-scopes-for-oauth-apps/), authorizations must include: * `public_repo` scope or `repo` scope to create a public repository. Note: For GitHub AE, use `repo` scope to create an internal repository. * `repo` scope to create a private repository .EXAMPLE $params = @{ TemplateOwner = 'GitHub' TemplateRepo = 'octocat' Owner = 'PSModule' Name = 'MyNewRepo' IncludeAllBranches = $true Description = 'My new repo' Private = $true } New-GitHubRepositoryFromTemplate @params Creates a new private repository named `MyNewRepo` from the `octocat` template repository owned by `GitHub`. .NOTES https://docs.github.com/rest/repos/repos#create-a-repository-using-a-template #> [OutputType([pscustomobject])] [CmdletBinding(SupportsShouldProcess)] param ( # The account owner of the template repository. The name is not case sensitive. [Parameter(Mandatory)] [Alias('template_owner')] [string] $TemplateOwner, # The name of the template repository without the .git extension. The name is not case sensitive. [Parameter(Mandatory)] [Alias('template_repo')] [string] $TemplateRepo, # The organization or person who will own the new repository. # To create a new repository in an organization, the authenticated user must be a member of the specified organization. [Parameter()] [Alias('org')] [string] $Owner = (Get-GitHubConfig -Name Owner), # The name of the new repository. [Parameter(Mandatory)] [string] $Name, # A short description of the new repository. [Parameter()] [string] $Description, # Set to true to include the directory structure and files from all branches in the template repository, # and not just the default branch. [Parameter()] [Alias('include_all_branches')] [switch] $IncludeAllBranches, # Either true to create a new private repository or false to create a new public one. [Parameter()] [switch] $Private ) $PSCmdlet.MyInvocation.MyCommand.Parameters.GetEnumerator() | ForEach-Object { $paramName = $_.Key $paramDefaultValue = Get-Variable -Name $paramName -ValueOnly -ErrorAction SilentlyContinue $providedValue = $PSBoundParameters[$paramName] Write-Verbose "[$paramName]" Write-Verbose " - Default: [$paramDefaultValue]" Write-Verbose " - Provided: [$providedValue]" if (-not $PSBoundParameters.ContainsKey($paramName) -and ($null -ne $paramDefaultValue)) { Write-Verbose ' - Using default value' $PSBoundParameters[$paramName] = $paramDefaultValue } else { Write-Verbose ' - Using provided value' } } $body = $PSBoundParameters | ConvertFrom-HashTable | ConvertTo-HashTable -NameCasingStyle snake_case Remove-HashtableEntry -Hashtable $body -RemoveNames 'TemplateOwner', 'TemplateRepo' -RemoveTypes 'SwitchParameter' $inputObject = @{ APIEndpoint = "/repos/$TemplateOwner/$TemplateRepo/generate" Method = 'POST' Body = $body } if ($PSCmdlet.ShouldProcess("Repository [$Owner/$Name] from template [$TemplateOwner/$TemplateRepo]", 'Create')) { Invoke-GitHubAPI @inputObject | ForEach-Object { Write-Output $_.Response } } } Write-Verbose "[$scriptName] - [private] - [Repositories] - [Repositories] - [New-GitHubRepositoryFromTemplate] - Done" #endregion - From [private] - [Repositories] - [Repositories] - [New-GitHubRepositoryFromTemplate] #region - From [private] - [Repositories] - [Repositories] - [New-GitHubRepositoryOrg] Write-Verbose "[$scriptName] - [private] - [Repositories] - [Repositories] - [New-GitHubRepositoryOrg] - Importing" #Requires -Modules DynamicParams filter New-GitHubRepositoryOrg { <# .SYNOPSIS Create an organization repository .DESCRIPTION Creates a new repository in the specified organization. The authenticated user must be a member of the organization. **OAuth scope requirements** When using [OAuth](https://docs.github.com/apps/building-oauth-apps/understanding-scopes-for-oauth-apps/), authorizations must include: * `public_repo` scope or `repo` scope to create a public repository. Note: For GitHub AE, use `repo` scope to create an internal repository. * `repo` scope to create a private repository .EXAMPLE $params = @{ Owner = 'PSModule' Name = 'Hello-World' Description = 'This is your first repository' Homepage = 'https://github.com' HasIssues = $true HasProjects = $true HasWiki = $true HasDownloads = $true IsTemplate = $true AutoInit = $true AllowSquashMerge = $true AllowAutoMerge = $true DeleteBranchOnMerge = $true SquashMergeCommitTitle = 'PR_TITLE' SquashMergeCommitMessage = 'PR_BODY' } New-GitHubRepositoryOrg @params Creates a new public repository named "Hello-World" owned by the organization "PSModule". .PARAMETER GitignoreTemplate Desired language or platform .gitignore template to apply. Use the name of the template without the extension. For example, "Haskell". .PARAMETER LicenseTemplate Choose an open source license template that best suits your needs, and then use the license keyword as the license_template string. For example, "mit" or "mpl-2.0". .NOTES https://docs.github.com/rest/repos/repos#create-an-organization-repository #> [OutputType([pscustomobject])] [Diagnostics.CodeAnalysis.SuppressMessageAttribute( 'PSUseDeclaredVarsMoreThanAssignments', 'GitignoreTemplate', Justification = 'Parameter is used in dynamic parameter validation.' )] [Diagnostics.CodeAnalysis.SuppressMessageAttribute( 'PSUseDeclaredVarsMoreThanAssignments', 'LicenseTemplate', Justification = 'Parameter is used in dynamic parameter validation.' )] [CmdletBinding(SupportsShouldProcess)] param ( # The account owner of the repository. The name is not case sensitive. [Parameter()] [Alias('org')] [string] $Owner = (Get-GitHubConfig -Name Owner), # The name of the repository. [Parameter(Mandatory)] [string] $Name, # A short description of the repository. [Parameter()] [string] $Description, # A URL with more information about the repository. [Parameter()] [ValidateNotNullOrEmpty()] [uri] $Homepage, # The visibility of the repository. [Parameter()] [ValidateSet('public', 'private')] [string] $Visibility = 'public', # Either true to enable issues for this repository or false to disable them. [Parameter()] [Alias('has_issues')] [switch] $HasIssues, # Either true to enable projects for this repository or false to disable them. # Note: If you're creating a repository in an organization that has disabled repository projects, the default is false, # and if you pass true, the API returns an error. [Parameter()] [Alias('has_projects')] [switch] $HasProjects, # Either true to enable the wiki for this repository or false to disable it. [Parameter()] [Alias('has_wiki')] [switch] $HasWiki, # Whether downloads are enabled. [Parameter()] [Alias('has_downloads')] [switch] $HasDownloads, # Either true to make this repo available as a template repository or false to prevent it. [Parameter()] [Alias('is_template')] [switch] $IsTemplate, # The ID of the team that will be granted access to this repository. This is only valid when creating a repository in an organization. [Parameter()] [Alias('team_id')] [int] $TeamId, # Pass true to create an initial commit with empty README. [Parameter()] [Alias('auto_init')] [switch] $AutoInit, # Either true to allow squash-merging pull requests, or false to prevent squash-merging. [Parameter()] [Alias('allow_squash_merge')] [switch] $AllowSquashMerge, # Either true to allow merging pull requests with a merge commit, or false to prevent merging pull requests with merge commits. [Parameter()] [Alias('allow_merge_commit')] [switch] $AllowMergeCommit, # Either true to allow rebase-merging pull requests, or false to prevent rebase-merging. [Parameter()] [Alias('allow_rebase_merge')] [switch] $AllowRebaseMerge, # Either true to allow auto-merge on pull requests, or false to disallow auto-merge. [Parameter()] [Alias('allow_auto_merge')] [switch] $AllowAutoMerge, # Either true to allow automatically deleting head branches when pull requests are merged, or false to prevent automatic deletion. # The authenticated user must be an organization owner to set this property to true. [Parameter()] [Alias('delete_branch_on_merge')] [switch] $DeleteBranchOnMerge, # The default value for a squash merge commit title: # - PR_TITLE - default to the pull request's title. # - COMMIT_OR_PR_TITLE - default to the commit's title (if only one commit) or the pull request's title (when more than one commit). [Parameter()] [ValidateSet('PR_TITLE', 'COMMIT_OR_PR_TITLE')] [Alias('squash_merge_commit_title')] [string] $SquashMergeCommitTitle, # The default value for a squash merge commit message: # - PR_BODY - default to the pull request's body. # - COMMIT_MESSAGES - default to the branch's commit messages. # - BLANK - default to a blank commit message. [Parameter()] [ValidateSet('PR_BODY', 'COMMIT_MESSAGES', 'BLANK')] [Alias('squash_merge_commit_message')] [string] $SquashMergeCommitMessage, # The default value for a merge commit title. # - PR_TITLE - default to the pull request's title. # - MERGE_MESSAGE - default to the classic title for a merge message (e.g.,Merge pull request #123 from branch-name). [Parameter()] [ValidateSet('PR_TITLE', 'MERGE_MESSAGE')] [Alias('merge_commit_title')] [string] $MergeCommitTitle, # The default value for a merge commit message. # - PR_BODY - default to the pull request's body. # - PR_TITLE - default to the pull request's title. # - BLANK - default to a blank commit message. [Parameter()] [ValidateSet('PR_BODY', 'PR_TITLE', 'BLANK')] [Alias('merge_commit_message')] [string] $MergeCommitMessage ) dynamicparam { $DynamicParamDictionary = New-DynamicParamDictionary $dynParam = @{ Name = 'GitignoreTemplate' Alias = 'gitignore_template' Type = [string] ValidateSet = Get-GitHubGitignoreList DynamicParamDictionary = $DynamicParamDictionary } New-DynamicParam @dynParam $dynParam2 = @{ Name = 'LicenseTemplate' Alias = 'license_template' Type = [string] ValidateSet = Get-GitHubLicenseList | Select-Object -ExpandProperty key DynamicParamDictionary = $DynamicParamDictionary } New-DynamicParam @dynParam2 return $DynamicParamDictionary } begin { $GitignoreTemplate = $PSBoundParameters['GitignoreTemplate'] $LicenseTemplate = $PSBoundParameters['LicenseTemplate'] } process { $PSCmdlet.MyInvocation.MyCommand.Parameters.GetEnumerator() | ForEach-Object { $paramName = $_.Key $paramDefaultValue = Get-Variable -Name $paramName -ValueOnly -ErrorAction SilentlyContinue $providedValue = $PSBoundParameters[$paramName] Write-Verbose "[$paramName]" Write-Verbose " - Default: [$paramDefaultValue]" Write-Verbose " - Provided: [$providedValue]" if (-not $PSBoundParameters.ContainsKey($paramName) -and ($null -ne $paramDefaultValue)) { Write-Verbose ' - Using default value' $PSBoundParameters[$paramName] = $paramDefaultValue } else { Write-Verbose ' - Using provided value' } } $body = $PSBoundParameters | ConvertFrom-HashTable | ConvertTo-HashTable -NameCasingStyle snake_case Remove-HashtableEntry -Hashtable $body -RemoveNames 'Owner' -RemoveTypes 'SwitchParameter' $body['private'] = $Visibility -eq 'private' $body['has_issues'] = if ($HasIssues.IsPresent) { $HasIssues } else { $false } $body['has_wiki'] = if ($HasWiki.IsPresent) { $HasWiki } else { $false } $body['has_projects'] = if ($HasProjects.IsPresent) { $HasProjects } else { $false } $body['has_downloads'] = if ($HasDownloads.IsPresent) { $HasDownloads } else { $false } $body['is_template'] = if ($IsTemplate.IsPresent) { $IsTemplate } else { $false } $body['auto_init'] = if ($AutoInit.IsPresent) { $AutoInit } else { $false } $body['allow_squash_merge'] = if ($AllowSquashMerge.IsPresent) { $AllowSquashMerge } else { $false } $body['allow_merge_commit'] = if ($AllowMergeCommit.IsPresent) { $AllowMergeCommit } else { $false } $body['allow_rebase_merge'] = if ($AllowRebaseMerge.IsPresent) { $AllowRebaseMerge } else { $false } $body['allow_auto_merge'] = if ($AllowAutoMerge.IsPresent) { $AllowAutoMerge } else { $false } $body['delete_branch_on_merge'] = if ($DeleteBranchOnMerge.IsPresent) { $DeleteBranchOnMerge } else { $false } Remove-HashtableEntry -Hashtable $body -NullOrEmptyValues $inputObject = @{ APIEndpoint = "/orgs/$Owner/repos" Method = 'POST' Body = $body } if ($PSCmdlet.ShouldProcess("Repository in organization $Owner", 'Create')) { Invoke-GitHubAPI @inputObject | ForEach-Object { Write-Output $_.Response } } } } Write-Verbose "[$scriptName] - [private] - [Repositories] - [Repositories] - [New-GitHubRepositoryOrg] - Done" #endregion - From [private] - [Repositories] - [Repositories] - [New-GitHubRepositoryOrg] #region - From [private] - [Repositories] - [Repositories] - [New-GitHubRepositoryUser] Write-Verbose "[$scriptName] - [private] - [Repositories] - [Repositories] - [New-GitHubRepositoryUser] - Importing" #Requires -Modules DynamicParams filter New-GitHubRepositoryUser { <# .SYNOPSIS Create a repository for the authenticated user .DESCRIPTION Creates a new repository for the authenticated user. **OAuth scope requirements** When using [OAuth](https://docs.github.com/apps/building-oauth-apps/understanding-scopes-for-oauth-apps/), authorizations must include: * `public_repo` scope or `repo` scope to create a public repository. Note: For GitHub AE, use `repo` scope to create an internal repository. * `repo` scope to create a private repository. .EXAMPLE $params = @{ Name = 'Hello-World' Description = 'This is your first repository' Homepage = 'https://github.com' HasIssues = $true HasProjects = $true HasWiki = $true HasDownloads = $true IsTemplate = $true AutoInit = $true AllowSquashMerge = $true AllowAutoMerge = $true DeleteBranchOnMerge = $true SquashMergeCommitTitle = 'PR_TITLE' SquashMergeCommitMessage = 'PR_BODY' } New-GitHubRepositoryUser @params Creates a new public repository named "Hello-World" owned by the authenticated user. .PARAMETER GitignoreTemplate The desired language or platform to apply to the .gitignore. .PARAMETER LicenseTemplate The license keyword of the open source license for this repository. .NOTES https://docs.github.com/rest/repos/repos#create-a-repository-for-the-authenticated-user #> [Diagnostics.CodeAnalysis.SuppressMessageAttribute( 'PSUseDeclaredVarsMoreThanAssignments', 'GitignoreTemplate', Justification = 'Parameter is used in dynamic parameter validation.' )] [Diagnostics.CodeAnalysis.SuppressMessageAttribute( 'PSUseDeclaredVarsMoreThanAssignments', 'LicenseTemplate', Justification = 'Parameter is used in dynamic parameter validation.' )] [CmdletBinding(SupportsShouldProcess)] param ( # The name of the repository. [Parameter(Mandatory)] [string] $Name, # A short description of the repository. [Parameter()] [string] $Description, # A URL with more information about the repository. [Parameter()] [ValidateNotNullOrEmpty()] [uri] $Homepage, # The visibility of the repository. [Parameter()] [ValidateSet('public', 'private')] [string] $Visibility = 'public', # Whether issues are enabled. [Parameter()] [Alias('has_issues')] [switch] $HasIssues, # Whether projects are enabled. [Parameter()] [Alias('has_projects')] [switch] $HasProjects, # Whether the wiki is enabled. [Parameter()] [Alias('has_wiki')] [switch] $HasWiki, # Whether discussions are enabled. [Parameter()] [Alias('has_discussions')] [switch] $HasDiscussions, # Whether downloads are enabled. [Parameter()] [Alias('has_downloads')] [switch] $HasDownloads, # Whether this repository acts as a template that can be used to generate new repositories. [Parameter()] [Alias('is_template')] [switch] $IsTemplate, # The ID of the team that will be granted access to this repository. This is only valid when creating a repository in an organization. [Parameter()] [Alias('team_id')] [int] $TeamId, # Pass true to create an initial commit with empty README. [Parameter()] [Alias('auto_init')] [switch] $AutoInit, # Whether to allow squash merges for pull requests. [Parameter()] [Alias('allow_squash_merge')] [switch] $AllowSquashMerge, # Whether to allow merge commits for pull requests. [Parameter()] [Alias('allow_merge_commit')] [switch] $AllowMergeCommit, # Whether to allow rebase merges for pull requests. [Parameter()] [Alias('allow_rebase_merge')] [switch] $AllowRebaseMerge, # Whether to allow Auto-merge to be used on pull requests. [Parameter()] [Alias('allow_auto_merge')] [switch] $AllowAutoMerge, # Whether to delete head branches when pull requests are merged [Parameter()] [Alias('delete_branch_on_merge')] [switch] $DeleteBranchOnMerge, # The default value for a squash merge commit title: # - PR_TITLE - default to the pull request's title. # - COMMIT_OR_PR_TITLE - default to the commit's title (if only one commit) or the pull request's title (when more than one commit). [Parameter()] [ValidateSet('PR_TITLE', 'COMMIT_OR_PR_TITLE')] [Alias('squash_merge_commit_title')] [string] $SquashMergeCommitTitle, # The default value for a squash merge commit message: # - PR_BODY - default to the pull request's body. # - COMMIT_MESSAGES - default to the branch's commit messages. # - BLANK - default to a blank commit message. [Parameter()] [ValidateSet('PR_BODY', 'COMMIT_MESSAGES', 'BLANK')] [Alias('squash_merge_commit_message')] [string] $SquashMergeCommitMessage, # The default value for a merge commit title. # - PR_TITLE - default to the pull request's title. # - MERGE_MESSAGE - default to the classic title for a merge message (e.g.,Merge pull request #123 from branch-name). [Parameter()] [ValidateSet('PR_TITLE', 'MERGE_MESSAGE')] [Alias('merge_commit_title')] [string] $MergeCommitTitle, # The default value for a merge commit message. # - PR_BODY - default to the pull request's body. # - PR_TITLE - default to the pull request's title. # - BLANK - default to a blank commit message. [Parameter()] [ValidateSet('PR_BODY', 'PR_TITLE', 'BLANK')] [Alias('merge_commit_message')] [string] $MergeCommitMessage ) dynamicparam { $DynamicParamDictionary = New-DynamicParamDictionary $dynParam = @{ Name = 'GitignoreTemplate' Alias = 'gitignore_template' Type = [string] ValidateSet = Get-GitHubGitignoreList DynamicParamDictionary = $DynamicParamDictionary } New-DynamicParam @dynParam $dynParam2 = @{ Name = 'LicenseTemplate' Alias = 'license_template' Type = [string] ValidateSet = Get-GitHubLicenseList | Select-Object -ExpandProperty key DynamicParamDictionary = $DynamicParamDictionary } New-DynamicParam @dynParam2 return $DynamicParamDictionary } begin { $GitignoreTemplate = $PSBoundParameters['GitignoreTemplate'] $LicenseTemplate = $PSBoundParameters['LicenseTemplate'] } process { $PSCmdlet.MyInvocation.MyCommand.Parameters.GetEnumerator() | ForEach-Object { $paramName = $_.Key $paramDefaultValue = Get-Variable -Name $paramName -ValueOnly -ErrorAction SilentlyContinue $providedValue = $PSBoundParameters[$paramName] Write-Verbose "[$paramName]" Write-Verbose " - Default: [$paramDefaultValue]" Write-Verbose " - Provided: [$providedValue]" if (-not $PSBoundParameters.ContainsKey($paramName) -and ($null -ne $paramDefaultValue)) { Write-Verbose ' - Using default value' $PSBoundParameters[$paramName] = $paramDefaultValue } else { Write-Verbose ' - Using provided value' } } $body = $PSBoundParameters | ConvertFrom-HashTable | ConvertTo-HashTable -NameCasingStyle snake_case Remove-HashtableEntry -Hashtable $body -RemoveNames 'visibility' -RemoveTypes 'SwitchParameter' $body['private'] = $Visibility -eq 'private' $body['has_issues'] = if ($HasIssues.IsPresent) { $HasIssues } else { $false } $body['has_wiki'] = if ($HasWiki.IsPresent) { $HasWiki } else { $false } $body['has_projects'] = if ($HasProjects.IsPresent) { $HasProjects } else { $false } $body['has_downloads'] = if ($HasDownloads.IsPresent) { $HasDownloads } else { $false } $body['is_template'] = if ($IsTemplate.IsPresent) { $IsTemplate } else { $false } $body['auto_init'] = if ($AutoInit.IsPresent) { $AutoInit } else { $false } $body['allow_squash_merge'] = if ($AllowSquashMerge.IsPresent) { $AllowSquashMerge } else { $false } $body['allow_merge_commit'] = if ($AllowMergeCommit.IsPresent) { $AllowMergeCommit } else { $false } $body['allow_rebase_merge'] = if ($AllowRebaseMerge.IsPresent) { $AllowRebaseMerge } else { $false } $body['allow_auto_merge'] = if ($AllowAutoMerge.IsPresent) { $AllowAutoMerge } else { $false } $body['delete_branch_on_merge'] = if ($DeleteBranchOnMerge.IsPresent) { $DeleteBranchOnMerge } else { $false } Remove-HashtableEntry -Hashtable $body -NullOrEmptyValues $inputObject = @{ APIEndpoint = '/user/repos' Method = 'POST' Body = $body } if ($PSCmdlet.ShouldProcess('Repository for user', 'Create')) { Invoke-GitHubAPI @inputObject | ForEach-Object { Write-Output $_.Response } } } } Write-Verbose "[$scriptName] - [private] - [Repositories] - [Repositories] - [New-GitHubRepositoryUser] - Done" #endregion - From [private] - [Repositories] - [Repositories] - [New-GitHubRepositoryUser] Write-Verbose "[$scriptName] - [private] - [Repositories] - [Repositories] - Done" #endregion - From [private] - [Repositories] - [Repositories] Write-Verbose "[$scriptName] - [private] - [Repositories] - Done" #endregion - From [private] - [Repositories] #region - From [private] - [Users] Write-Verbose "[$scriptName] - [private] - [Users] - Processing folder" #region - From [private] - [Users] - [Blocking] Write-Verbose "[$scriptName] - [private] - [Users] - [Blocking] - Processing folder" #region - From [private] - [Users] - [Blocking] - [Block-GitHubUserByUser] Write-Verbose "[$scriptName] - [private] - [Users] - [Blocking] - [Block-GitHubUserByUser] - Importing" filter Block-GitHubUserByUser { <# .SYNOPSIS Block a user .DESCRIPTION Blocks the given user and returns a 204. If the authenticated user cannot block the given user a 422 is returned. .EXAMPLE Block-GitHubUserByUser -Username 'octocat' Blocks the user 'octocat' for the authenticated user. Returns $true if successful, $false if not. .NOTES https://docs.github.com/rest/users/blocking#block-a-user #> [OutputType([bool])] [CmdletBinding()] param ( # The handle for the GitHub user account. [Parameter( Mandatory, ValueFromPipeline, ValueFromPipelineByPropertyName )] [Alias('login')] [string] $Username ) $inputObject = @{ APIEndpoint = "/user/blocks/$Username" Method = 'PUT' } try { $null = (Invoke-GitHubAPI @inputObject) # Should we check if user is already blocked and return true if so? return $true } catch { if ($_.Exception.Response.StatusCode.Value__ -eq 422) { return $false } else { Write-Error $_.Exception.Response throw $_ } } } Write-Verbose "[$scriptName] - [private] - [Users] - [Blocking] - [Block-GitHubUserByUser] - Done" #endregion - From [private] - [Users] - [Blocking] - [Block-GitHubUserByUser] #region - From [private] - [Users] - [Blocking] - [Get-GitHubBlockedUserByUser] Write-Verbose "[$scriptName] - [private] - [Users] - [Blocking] - [Get-GitHubBlockedUserByUser] - Importing" filter Get-GitHubBlockedUserByUser { <# .SYNOPSIS List users blocked by the authenticated user .DESCRIPTION List the users you've blocked on your personal account. .EXAMPLE Get-GitHubBlockedUserByUser Returns a list of users blocked by the authenticated user. .NOTES [List users blocked by the authenticated user](https://docs.github.com/rest/users/blocking#list-users-blocked-by-the-authenticated-user) #> [OutputType([pscustomobject])] [CmdletBinding()] param ( # The number of results per page (max 100). [Parameter()] [ValidateRange(1, 100)] [int] $PerPage = 30 ) $body = $PSBoundParameters | ConvertFrom-HashTable | ConvertTo-HashTable -NameCasingStyle snake_case $inputObject = @{ APIEndpoint = '/user/blocks' Method = 'GET' Body = $body } Invoke-GitHubAPI @inputObject | ForEach-Object { Write-Output $_.Response } } Write-Verbose "[$scriptName] - [private] - [Users] - [Blocking] - [Get-GitHubBlockedUserByUser] - Done" #endregion - From [private] - [Users] - [Blocking] - [Get-GitHubBlockedUserByUser] #region - From [private] - [Users] - [Blocking] - [Test-GitHubBlockedUserByUser] Write-Verbose "[$scriptName] - [private] - [Users] - [Blocking] - [Test-GitHubBlockedUserByUser] - Importing" filter Test-GitHubBlockedUserByUser { <# .SYNOPSIS Check if a user is blocked by the authenticated user .DESCRIPTION Returns a 204 if the given user is blocked by the authenticated user. Returns a 404 if the given user is not blocked by the authenticated user, or if the given user account has been identified as spam by GitHub. .EXAMPLE Test-GitHubBlockedUserByUser -Username 'octocat' Checks if the user `octocat` is blocked by the authenticated user. Returns true if the user is blocked, false if not. .NOTES https://docs.github.com/rest/users/blocking#check-if-a-user-is-blocked-by-the-authenticated-user #> [OutputType([bool])] [CmdletBinding()] param ( # The handle for the GitHub user account. [Parameter( Mandatory, ValueFromPipeline, ValueFromPipelineByPropertyName )] [Alias('login')] [string] $Username, # The number of results per page (max 100). [Parameter()] [ValidateRange(1, 100)] [int] $PerPage = 30 ) $body = $PSBoundParameters | ConvertFrom-HashTable | ConvertTo-HashTable -NameCasingStyle snake_case $inputObject = @{ APIEndpoint = "/user/blocks/$Username" Method = 'GET' Body = $body } try { (Invoke-GitHubAPI @inputObject).StatusCode -eq 204 } catch { if ($_.Exception.Response.StatusCode.Value__ -eq 404) { return $false } else { throw $_ } } } Write-Verbose "[$scriptName] - [private] - [Users] - [Blocking] - [Test-GitHubBlockedUserByUser] - Done" #endregion - From [private] - [Users] - [Blocking] - [Test-GitHubBlockedUserByUser] #region - From [private] - [Users] - [Blocking] - [Unblock-GitHubUserByUser] Write-Verbose "[$scriptName] - [private] - [Users] - [Blocking] - [Unblock-GitHubUserByUser] - Importing" filter Unblock-GitHubUserByUser { <# .SYNOPSIS Unblock a user .DESCRIPTION Unblocks the given user and returns a 204. .EXAMPLE Unblock-GitHubUserByUser -Username 'octocat' Unblocks the user 'octocat' for the authenticated user. Returns $true if successful. .NOTES https://docs.github.com/rest/users/blocking#unblock-a-user #> [OutputType([bool])] [CmdletBinding()] param ( # The handle for the GitHub user account. [Parameter( Mandatory, ValueFromPipeline, ValueFromPipelineByPropertyName )] [Alias('login')] [string] $Username ) $inputObject = @{ APIEndpoint = "/user/blocks/$Username" Method = 'DELETE' } try { $null = (Invoke-GitHubAPI @inputObject) return $true } catch { Write-Error $_.Exception.Response throw $_ } } Write-Verbose "[$scriptName] - [private] - [Users] - [Blocking] - [Unblock-GitHubUserByUser] - Done" #endregion - From [private] - [Users] - [Blocking] - [Unblock-GitHubUserByUser] Write-Verbose "[$scriptName] - [private] - [Users] - [Blocking] - Done" #endregion - From [private] - [Users] - [Blocking] #region - From [private] - [Users] - [Emails] Write-Verbose "[$scriptName] - [private] - [Users] - [Emails] - Processing folder" #region - From [private] - [Users] - [Emails] - [Get-GitHubUserAllEmail] Write-Verbose "[$scriptName] - [private] - [Users] - [Emails] - [Get-GitHubUserAllEmail] - Importing" filter Get-GitHubUserAllEmail { <# .SYNOPSIS List email addresses for the authenticated user .DESCRIPTION Lists all of your email addresses, and specifies which one is visible to the public. This endpoint is accessible with the `user:email` scope. .EXAMPLE Get-GitHubUserAllEmail Gets all email addresses for the authenticated user. .NOTES https://docs.github.com/rest/users/emails#list-email-addresses-for-the-authenticated-user #> [OutputType([pscustomobject])] [CmdletBinding()] param ( # The number of results per page (max 100). [Parameter()] [ValidateRange(1, 100)] [int] $PerPage = 30 ) $body = $PSBoundParameters | ConvertFrom-HashTable | ConvertTo-HashTable -NameCasingStyle snake_case $inputObject = @{ APIEndpoint = '/user/emails' Method = 'GET' Body = $body } Invoke-GitHubAPI @inputObject | ForEach-Object { Write-Output $_.Response } } Write-Verbose "[$scriptName] - [private] - [Users] - [Emails] - [Get-GitHubUserAllEmail] - Done" #endregion - From [private] - [Users] - [Emails] - [Get-GitHubUserAllEmail] #region - From [private] - [Users] - [Emails] - [Get-GitHubUserPublicEmail] Write-Verbose "[$scriptName] - [private] - [Users] - [Emails] - [Get-GitHubUserPublicEmail] - Importing" filter Get-GitHubUserPublicEmail { <# .SYNOPSIS List public email addresses for the authenticated user .DESCRIPTION Lists your publicly visible email address, which you can set with the [Set primary email visibility for the authenticated user](https://docs.github.com/rest/users/emails#set-primary-email-visibility-for-the-authenticated-user) endpoint. This endpoint is accessible with the `user:email` scope. .EXAMPLE Get-GitHubUserPublicEmail Gets all public email addresses for the authenticated user. .NOTES https://docs.github.com/rest/users/emails#list-public-email-addresses-for-the-authenticated-user #> [OutputType([pscustomobject])] [Diagnostics.CodeAnalysis.SuppressMessageAttribute('PSAvoidLongLines', '', Justification = 'Link to documentation.')] [CmdletBinding()] param ( # The number of results per page (max 100). [Parameter()] [ValidateRange(1, 100)] [int] $PerPage = 30 ) $body = $PSBoundParameters | ConvertFrom-HashTable | ConvertTo-HashTable -NameCasingStyle snake_case $inputObject = @{ APIEndpoint = '/user/public_emails' Method = 'GET' Body = $body } Invoke-GitHubAPI @inputObject | ForEach-Object { Write-Output $_.Response } } Write-Verbose "[$scriptName] - [private] - [Users] - [Emails] - [Get-GitHubUserPublicEmail] - Done" #endregion - From [private] - [Users] - [Emails] - [Get-GitHubUserPublicEmail] Write-Verbose "[$scriptName] - [private] - [Users] - [Emails] - Done" #endregion - From [private] - [Users] - [Emails] #region - From [private] - [Users] - [Followers] Write-Verbose "[$scriptName] - [private] - [Users] - [Followers] - Processing folder" #region - From [private] - [Users] - [Followers] - [Get-GitHubUserFollowersOfUser] Write-Verbose "[$scriptName] - [private] - [Users] - [Followers] - [Get-GitHubUserFollowersOfUser] - Importing" filter Get-GitHubUserFollowersOfUser { <# .SYNOPSIS List followers of a user .DESCRIPTION Lists the people following the specified user. .EXAMPLE Get-GitHubUserFollowersOfUser -Username 'octocat' Gets all followers of user 'octocat'. .NOTES https://docs.github.com/rest/users/followers#list-followers-of-a-user #> [OutputType([pscustomobject])] [CmdletBinding()] param ( # The handle for the GitHub user account. [Parameter( Mandatory, ValueFromPipeline, ValueFromPipelineByPropertyName )] [Alias('login')] [string] $Username, # The number of results per page (max 100). [Parameter()] [ValidateRange(1, 100)] [int] $PerPage = 30 ) $body = $PSBoundParameters | ConvertFrom-HashTable | ConvertTo-HashTable -NameCasingStyle snake_case Remove-HashtableEntry -Hashtable $body -RemoveNames 'username' $inputObject = @{ APIEndpoint = "/users/$Username/followers" Method = 'GET' Body = $body } Invoke-GitHubAPI @inputObject | ForEach-Object { Write-Output $_.Response } } Write-Verbose "[$scriptName] - [private] - [Users] - [Followers] - [Get-GitHubUserFollowersOfUser] - Done" #endregion - From [private] - [Users] - [Followers] - [Get-GitHubUserFollowersOfUser] #region - From [private] - [Users] - [Followers] - [Get-GitHubUserFollowingMe] Write-Verbose "[$scriptName] - [private] - [Users] - [Followers] - [Get-GitHubUserFollowingMe] - Importing" filter Get-GitHubUserFollowingMe { <# .SYNOPSIS List the people the authenticated user follows .DESCRIPTION Lists the people who the authenticated user follows. .EXAMPLE Get-GitHubUserFollowingMe Gets all people the authenticated user follows. .NOTES https://docs.github.com/rest/users/followers#list-the-people-the-authenticated-user-follows #> [OutputType([pscustomobject])] [CmdletBinding()] param ( # The number of results per page (max 100). [Parameter()] [ValidateRange(1, 100)] [int] $PerPage = 30 ) $body = $PSBoundParameters | ConvertFrom-HashTable | ConvertTo-HashTable -NameCasingStyle snake_case $inputObject = @{ APIEndpoint = '/user/following' Method = 'GET' Body = $body } Invoke-GitHubAPI @inputObject | ForEach-Object { Write-Output $_.Response } } Write-Verbose "[$scriptName] - [private] - [Users] - [Followers] - [Get-GitHubUserFollowingMe] - Done" #endregion - From [private] - [Users] - [Followers] - [Get-GitHubUserFollowingMe] #region - From [private] - [Users] - [Followers] - [Get-GitHubUserFollowingUser] Write-Verbose "[$scriptName] - [private] - [Users] - [Followers] - [Get-GitHubUserFollowingUser] - Importing" filter Get-GitHubUserFollowingUser { <# .SYNOPSIS List the people a user follows .DESCRIPTION Lists the people who the specified user follows. .EXAMPLE Get-GitHubUserFollowingUser -Username 'octocat' Gets all people that 'octocat' follows. .NOTES https://docs.github.com/rest/users/followers#list-the-people-a-user-follows #> [OutputType([pscustomobject])] [CmdletBinding()] param ( # The handle for the GitHub user account. [Parameter( Mandatory, ValueFromPipeline, ValueFromPipelineByPropertyName )] [Alias('login')] [string] $Username, # The number of results per page (max 100). [Parameter()] [ValidateRange(1, 100)] [int] $PerPage = 30 ) $body = $PSBoundParameters | ConvertFrom-HashTable | ConvertTo-HashTable -NameCasingStyle snake_case Remove-HashtableEntry -Hashtable $body -RemoveNames 'username' $inputObject = @{ APIEndpoint = "/users/$Username/following" Method = 'GET' Body = $body } Invoke-GitHubAPI @inputObject | ForEach-Object { Write-Output $_.Response } } Write-Verbose "[$scriptName] - [private] - [Users] - [Followers] - [Get-GitHubUserFollowingUser] - Done" #endregion - From [private] - [Users] - [Followers] - [Get-GitHubUserFollowingUser] #region - From [private] - [Users] - [Followers] - [Get-GitHubUserMyFollowers] Write-Verbose "[$scriptName] - [private] - [Users] - [Followers] - [Get-GitHubUserMyFollowers] - Importing" filter Get-GitHubUserMyFollowers { <# .SYNOPSIS List followers of the authenticated user .DESCRIPTION Lists the people following the authenticated user. .EXAMPLE Get-GitHubUserMyFollowers Gets all followers of the authenticated user. .NOTES https://docs.github.com/rest/users/followers#list-followers-of-the-authenticated-user #> [OutputType([pscustomobject])] [Diagnostics.CodeAnalysis.SuppressMessageAttribute('PSUseSingularNouns', '', Justification = 'Private function, not exposed to user.')] [CmdletBinding()] param ( # The number of results per page (max 100). [Parameter()] [ValidateRange(1, 100)] [int] $PerPage = 30 ) $body = $PSBoundParameters | ConvertFrom-HashTable | ConvertTo-HashTable -NameCasingStyle snake_case $inputObject = @{ APIEndpoint = '/user/followers' Method = 'GET' Body = $body } Invoke-GitHubAPI @inputObject | ForEach-Object { Write-Output $_.Response } } Write-Verbose "[$scriptName] - [private] - [Users] - [Followers] - [Get-GitHubUserMyFollowers] - Done" #endregion - From [private] - [Users] - [Followers] - [Get-GitHubUserMyFollowers] #region - From [private] - [Users] - [Followers] - [Test-GitHubUserFollowedByMe] Write-Verbose "[$scriptName] - [private] - [Users] - [Followers] - [Test-GitHubUserFollowedByMe] - Importing" filter Test-GitHubUserFollowedByMe { <# .SYNOPSIS Check if a person is followed by the authenticated user .DESCRIPTION Returns a 204 if the given user is followed by the authenticated user. Returns a 404 if the user is not followed by the authenticated user. .EXAMPLE Test-GitHubUserFollowedByMe -Username 'octocat' Checks if the authenticated user follows the user 'octocat'. .NOTES https://docs.github.com/rest/users/followers#check-if-a-person-is-followed-by-the-authenticated-user #> [OutputType([bool])] [CmdletBinding()] param ( # The handle for the GitHub user account. [Parameter( Mandatory, ValueFromPipelineByPropertyName )] [string] $Username ) $inputObject = @{ APIEndpoint = "/user/following/$Username" Method = 'GET' } try { $null = (Invoke-GitHubAPI @inputObject) return $true } catch { if ($_.Exception.Response.StatusCode.Value__ -eq 404) { return $false } else { throw $_ } } } Write-Verbose "[$scriptName] - [private] - [Users] - [Followers] - [Test-GitHubUserFollowedByMe] - Done" #endregion - From [private] - [Users] - [Followers] - [Test-GitHubUserFollowedByMe] #region - From [private] - [Users] - [Followers] - [Test-GitHubUserFollowedByUser] Write-Verbose "[$scriptName] - [private] - [Users] - [Followers] - [Test-GitHubUserFollowedByUser] - Importing" filter Test-GitHubUserFollowedByUser { <# .SYNOPSIS Check if a user follows another user .DESCRIPTION Checks if a user follows another user. .EXAMPLE Test-GitHubUserFollowedByUser -Username 'octocat' -Follows 'ratstallion' Checks if the user 'octocat' follows the user 'ratstallion'. .NOTES https://docs.github.com/rest/users/followers#check-if-a-user-follows-another-user #> [OutputType([bool])] [CmdletBinding()] param ( # The handle for the GitHub user account. [Parameter( Mandatory, ValueFromPipelineByPropertyName )] [string] $Username, # The handle for the GitHub user account we want to check if user specified by $Username is following. [Parameter( Mandatory, ValueFromPipelineByPropertyName )] [string] $Follows ) $inputObject = @{ APIEndpoint = "/users/$Username/following/$Follows" Method = 'GET' } try { $null = (Invoke-GitHubAPI @inputObject) return $true } catch { if ($_.Exception.Response.StatusCode.Value__ -eq 404) { return $false } else { throw $_ } } } Write-Verbose "[$scriptName] - [private] - [Users] - [Followers] - [Test-GitHubUserFollowedByUser] - Done" #endregion - From [private] - [Users] - [Followers] - [Test-GitHubUserFollowedByUser] Write-Verbose "[$scriptName] - [private] - [Users] - [Followers] - Done" #endregion - From [private] - [Users] - [Followers] #region - From [private] - [Users] - [GPG-Keys] Write-Verbose "[$scriptName] - [private] - [Users] - [GPG-Keys] - Processing folder" #region - From [private] - [Users] - [GPG-Keys] - [Get-GitHubUserGpgKeyForUser] Write-Verbose "[$scriptName] - [private] - [Users] - [GPG-Keys] - [Get-GitHubUserGpgKeyForUser] - Importing" filter Get-GitHubUserGpgKeyForUser { <# .SYNOPSIS List GPG keys for a user .DESCRIPTION Lists the GPG keys for a user. This information is accessible by anyone. .EXAMPLE Get-GitHubUserGpgKeyForUser -Username 'octocat' Gets all GPG keys for the 'octocat' user. .NOTES https://docs.github.com/rest/users/gpg-keys#list-gpg-keys-for-a-user #> [OutputType([pscustomobject])] [CmdletBinding()] param ( # The handle for the GitHub user account. [Parameter( Mandatory, ValueFromPipelineByPropertyName )] [string] $Username, # The number of results per page (max 100). [Parameter()] [ValidateRange(1, 100)] [int] $PerPage = 30 ) $body = $PSBoundParameters | ConvertFrom-HashTable | ConvertTo-HashTable -NameCasingStyle snake_case Remove-HashtableEntry -Hashtable $body -RemoveNames 'username' $inputObject = @{ APIEndpoint = "/users/$Username/gpg_keys" Method = 'GET' Body = $body } Invoke-GitHubAPI @inputObject | ForEach-Object { Write-Output $_.Response } } Write-Verbose "[$scriptName] - [private] - [Users] - [GPG-Keys] - [Get-GitHubUserGpgKeyForUser] - Done" #endregion - From [private] - [Users] - [GPG-Keys] - [Get-GitHubUserGpgKeyForUser] #region - From [private] - [Users] - [GPG-Keys] - [Get-GitHubUserMyGpgKey] Write-Verbose "[$scriptName] - [private] - [Users] - [GPG-Keys] - [Get-GitHubUserMyGpgKey] - Importing" filter Get-GitHubUserMyGpgKey { <# .SYNOPSIS List GPG keys for the authenticated user .DESCRIPTION Lists the current user's GPG keys. Requires that you are authenticated via Basic Auth or via OAuth with at least `read:gpg_key` [scope](https://docs.github.com/apps/building-oauth-apps/understanding-scopes-for-oauth-apps/). .EXAMPLE Get-GitHubUserMyGpgKey Gets all GPG keys for the authenticated user. .NOTES https://docs.github.com/rest/users/gpg-keys#list-gpg-keys-for-the-authenticated-user #> [OutputType([pscustomobject])] [CmdletBinding()] param ( # The number of results per page (max 100). [Parameter()] [ValidateRange(1, 100)] [int] $PerPage = 30 ) $body = $PSBoundParameters | ConvertFrom-HashTable | ConvertTo-HashTable -NameCasingStyle snake_case $inputObject = @{ APIEndpoint = '/user/gpg_keys' Method = 'GET' Body = $body } Invoke-GitHubAPI @inputObject | ForEach-Object { Write-Output $_.Response } } Write-Verbose "[$scriptName] - [private] - [Users] - [GPG-Keys] - [Get-GitHubUserMyGpgKey] - Done" #endregion - From [private] - [Users] - [GPG-Keys] - [Get-GitHubUserMyGpgKey] #region - From [private] - [Users] - [GPG-Keys] - [Get-GitHubUserMyGpgKeyById] Write-Verbose "[$scriptName] - [private] - [Users] - [GPG-Keys] - [Get-GitHubUserMyGpgKeyById] - Importing" filter Get-GitHubUserMyGpgKeyById { <# .SYNOPSIS Get a GPG key for the authenticated user .DESCRIPTION View extended details for a single GPG key. Requires that you are authenticated via Basic Auth or via OAuth with at least `read:gpg_key` [scope](https://docs.github.com/apps/building-oauth-apps/understanding-scopes-for-oauth-apps/). .EXAMPLE Get-GitHubUserMyGpgKeyById -ID '1234567' Gets the GPG key with ID '1234567' for the authenticated user. .NOTES https://docs.github.com/rest/users/gpg-keys#get-a-gpg-key-for-the-authenticated-user #> [OutputType([pscustomobject])] [CmdletBinding()] param ( # The ID of the GPG key. [Parameter( Mandatory )] [Alias('gpg_key_id')] [string] $ID ) $inputObject = @{ APIEndpoint = "/user/gpg_keys/$ID" Method = 'GET' } Invoke-GitHubAPI @inputObject | ForEach-Object { Write-Output $_.Response } } Write-Verbose "[$scriptName] - [private] - [Users] - [GPG-Keys] - [Get-GitHubUserMyGpgKeyById] - Done" #endregion - From [private] - [Users] - [GPG-Keys] - [Get-GitHubUserMyGpgKeyById] Write-Verbose "[$scriptName] - [private] - [Users] - [GPG-Keys] - Done" #endregion - From [private] - [Users] - [GPG-Keys] #region - From [private] - [Users] - [Keys] Write-Verbose "[$scriptName] - [private] - [Users] - [Keys] - Processing folder" #region - From [private] - [Users] - [Keys] - [Get-GitHubUserKeyForUser] Write-Verbose "[$scriptName] - [private] - [Users] - [Keys] - [Get-GitHubUserKeyForUser] - Importing" filter Get-GitHubUserKeyForUser { <# .SYNOPSIS List public SSH keys for a user .DESCRIPTION Lists the _verified_ public SSH keys for a user. This is accessible by anyone. .EXAMPLE Get-GitHubUserKeyForUser -Username 'octocat' Gets all public SSH keys for the 'octocat' user. .NOTES https://docs.github.com/rest/users/keys#list-public-keys-for-a-user #> [OutputType([pscustomobject])] [CmdletBinding()] param ( # The handle for the GitHub user account. [Parameter( Mandatory, ValueFromPipelineByPropertyName )] [string] $Username, # The number of results per page (max 100). [Parameter()] [ValidateRange(1, 100)] [int] $PerPage = 30 ) $body = $PSBoundParameters | ConvertFrom-HashTable | ConvertTo-HashTable -NameCasingStyle snake_case Remove-HashtableEntry -Hashtable $body -RemoveNames 'username' $inputObject = @{ APIEndpoint = "/users/$Username/keys" Method = 'GET' Body = $body } Invoke-GitHubAPI @inputObject | ForEach-Object { Write-Output $_.Response } } Write-Verbose "[$scriptName] - [private] - [Users] - [Keys] - [Get-GitHubUserKeyForUser] - Done" #endregion - From [private] - [Users] - [Keys] - [Get-GitHubUserKeyForUser] #region - From [private] - [Users] - [Keys] - [Get-GitHubUserMyKey] Write-Verbose "[$scriptName] - [private] - [Users] - [Keys] - [Get-GitHubUserMyKey] - Importing" filter Get-GitHubUserMyKey { <# .SYNOPSIS List public SSH keys for the authenticated user .DESCRIPTION Lists the public SSH keys for the authenticated user's GitHub account. Requires that you are authenticated via Basic Auth or via OAuth with at least `read:public_key` [scope](https://docs.github.com/apps/building-oauth-apps/understanding-scopes-for-oauth-apps/). .EXAMPLE Get-GitHubUserMyKey Gets all public SSH keys for the authenticated user. .NOTES https://docs.github.com/rest/users/keys#list-public-ssh-keys-for-the-authenticated-user #> [OutputType([pscustomobject])] [CmdletBinding()] param ( # The number of results per page (max 100). [Parameter()] [ValidateRange(1, 100)] [int] $PerPage = 30 ) $body = $PSBoundParameters | ConvertFrom-HashTable | ConvertTo-HashTable -NameCasingStyle snake_case $inputObject = @{ APIEndpoint = '/user/keys' Method = 'GET' Body = $body } Invoke-GitHubAPI @inputObject | ForEach-Object { Write-Output $_.Response } } Write-Verbose "[$scriptName] - [private] - [Users] - [Keys] - [Get-GitHubUserMyKey] - Done" #endregion - From [private] - [Users] - [Keys] - [Get-GitHubUserMyKey] #region - From [private] - [Users] - [Keys] - [Get-GitHubUserMyKeyById] Write-Verbose "[$scriptName] - [private] - [Users] - [Keys] - [Get-GitHubUserMyKeyById] - Importing" filter Get-GitHubUserMyKeyById { <# .SYNOPSIS Get a public SSH key for the authenticated user .DESCRIPTION View extended details for a single public SSH key. Requires that you are authenticated via Basic Auth or via OAuth with at least `read:public_key` [scope](https://docs.github.com/apps/building-oauth-apps/understanding-scopes-for-oauth-apps/). .EXAMPLE Get-GitHubUserMyKeyById -ID '1234567' Gets the public SSH key with the ID '1234567' for the authenticated user. .NOTES https://docs.github.com/rest/users/keys#get-a-public-ssh-key-for-the-authenticated-user #> [OutputType([pscustomobject])] [CmdletBinding()] param ( # The unique identifier of the key. [Parameter( Mandatory )] [Alias('key_id')] [string] $ID ) $inputObject = @{ APIEndpoint = "/user/keys/$ID" Method = 'GET' } Invoke-GitHubAPI @inputObject | ForEach-Object { Write-Output $_.Response } } Write-Verbose "[$scriptName] - [private] - [Users] - [Keys] - [Get-GitHubUserMyKeyById] - Done" #endregion - From [private] - [Users] - [Keys] - [Get-GitHubUserMyKeyById] Write-Verbose "[$scriptName] - [private] - [Users] - [Keys] - Done" #endregion - From [private] - [Users] - [Keys] #region - From [private] - [Users] - [Social-Accounts] Write-Verbose "[$scriptName] - [private] - [Users] - [Social-Accounts] - Processing folder" #region - From [private] - [Users] - [Social-Accounts] - [Get-GitHubMyUserSocials] Write-Verbose "[$scriptName] - [private] - [Users] - [Social-Accounts] - [Get-GitHubMyUserSocials] - Importing" filter Get-GitHubMyUserSocials { <# .SYNOPSIS List social accounts for the authenticated user .DESCRIPTION Lists all of your social accounts. .EXAMPLE Get-GitHubMyUserSocials Lists all of your social accounts. .NOTES https://docs.github.com/rest/users/social-accounts#list-social-accounts-for-the-authenticated-user #> [OutputType([pscustomobject])] [Diagnostics.CodeAnalysis.SuppressMessageAttribute('PSUseSingularNouns', '', Justification = 'Private function, not exposed to user.')] [CmdletBinding()] param ( # The number of results per page (max 100). [Parameter()] [ValidateRange(1, 100)] [int] $PerPage = 30 ) $body = $PSBoundParameters | ConvertFrom-HashTable | ConvertTo-HashTable -NameCasingStyle snake_case $inputObject = @{ APIEndpoint = '/user/social_accounts' Method = 'GET' Body = $body } Invoke-GitHubAPI @inputObject | ForEach-Object { Write-Output $_.Response } } Write-Verbose "[$scriptName] - [private] - [Users] - [Social-Accounts] - [Get-GitHubMyUserSocials] - Done" #endregion - From [private] - [Users] - [Social-Accounts] - [Get-GitHubMyUserSocials] #region - From [private] - [Users] - [Social-Accounts] - [Get-GitHubUserSocialsByName] Write-Verbose "[$scriptName] - [private] - [Users] - [Social-Accounts] - [Get-GitHubUserSocialsByName] - Importing" filter Get-GitHubUserSocialsByName { <# .SYNOPSIS List social accounts for a user .DESCRIPTION Lists social media accounts for a user. This endpoint is accessible by anyone. .EXAMPLE Get-GitHubUserSocialsByName -Username 'octocat' Lists social media accounts for the user 'octocat'. .NOTES https://docs.github.com/rest/users/social-accounts#list-social-accounts-for-a-user #> [OutputType([pscustomobject])] [CmdletBinding()] param ( # The handle for the GitHub user account. [Parameter( Mandatory, ValueFromPipeline, ValueFromPipelineByPropertyName )] [Alias('login')] [string] $Username ) $inputObject = @{ APIEndpoint = "/users/$Username/social_accounts" Method = 'GET' } Invoke-GitHubAPI @inputObject | ForEach-Object { Write-Output $_.Response } } Write-Verbose "[$scriptName] - [private] - [Users] - [Social-Accounts] - [Get-GitHubUserSocialsByName] - Done" #endregion - From [private] - [Users] - [Social-Accounts] - [Get-GitHubUserSocialsByName] Write-Verbose "[$scriptName] - [private] - [Users] - [Social-Accounts] - Done" #endregion - From [private] - [Users] - [Social-Accounts] #region - From [private] - [Users] - [SSH-Signing-Keys] Write-Verbose "[$scriptName] - [private] - [Users] - [SSH-Signing-Keys] - Processing folder" #region - From [private] - [Users] - [SSH-Signing-Keys] - [Get-GitHubUserMySigningKey] Write-Verbose "[$scriptName] - [private] - [Users] - [SSH-Signing-Keys] - [Get-GitHubUserMySigningKey] - Importing" filter Get-GitHubUserMySigningKey { <# .SYNOPSIS List SSH signing keys for the authenticated user .DESCRIPTION Lists the SSH signing keys for the authenticated user's GitHub account. You must authenticate with Basic Authentication, or you must authenticate with OAuth with at least `read:ssh_signing_key` scope. For more information, see "[Understanding scopes for OAuth apps](https://docs.github.com/apps/building-oauth-apps/understanding-scopes-for-oauth-apps/)." .EXAMPLE Get-GitHubUserMySigningKey Lists the SSH signing keys for the authenticated user's GitHub account. .NOTES https://docs.github.com/rest/users/ssh-signing-keys#list-ssh-signing-keys-for-the-authenticated-user #> [OutputType([pscustomobject])] [CmdletBinding()] param ( # The number of results per page (max 100). [Parameter()] [ValidateRange(1, 100)] [int] $PerPage = 30 ) $body = $PSBoundParameters | ConvertFrom-HashTable | ConvertTo-HashTable -NameCasingStyle snake_case $inputObject = @{ APIEndpoint = '/user/ssh_signing_keys' Method = 'GET' Body = $body } Invoke-GitHubAPI @inputObject | ForEach-Object { Write-Output $_.Response } } Write-Verbose "[$scriptName] - [private] - [Users] - [SSH-Signing-Keys] - [Get-GitHubUserMySigningKey] - Done" #endregion - From [private] - [Users] - [SSH-Signing-Keys] - [Get-GitHubUserMySigningKey] #region - From [private] - [Users] - [SSH-Signing-Keys] - [Get-GitHubUserMySigningKeyById] Write-Verbose "[$scriptName] - [private] - [Users] - [SSH-Signing-Keys] - [Get-GitHubUserMySigningKeyById] - Importing" filter Get-GitHubUserMySigningKeyById { <# .SYNOPSIS Get an SSH signing key for the authenticated user .DESCRIPTION Gets extended details for an SSH signing key. You must authenticate with Basic Authentication, or you must authenticate with OAuth with at least `read:ssh_signing_key` scope. For more information, see "[Understanding scopes for OAuth apps](https://docs.github.com/apps/building-oauth-apps/understanding-scopes-for-oauth-apps/)." .EXAMPLE Get-GitHubUserMySigningKeyById -ID '1234567' Gets the SSH signing key with the ID '1234567' for the authenticated user. .NOTES https://docs.github.com/rest/users/ssh-signing-keys#get-an-ssh-signing-key-for-the-authenticated-user #> [OutputType([pscustomobject])] [CmdletBinding()] param ( # The unique identifier of the SSH signing key. [Parameter( Mandatory )] [Alias('ssh_signing_key_id')] [string] $ID ) $inputObject = @{ APIEndpoint = "/user/ssh_signing_keys/$ID" Method = 'GET' } Invoke-GitHubAPI @inputObject | ForEach-Object { Write-Output $_.Response } } Write-Verbose "[$scriptName] - [private] - [Users] - [SSH-Signing-Keys] - [Get-GitHubUserMySigningKeyById] - Done" #endregion - From [private] - [Users] - [SSH-Signing-Keys] - [Get-GitHubUserMySigningKeyById] #region - From [private] - [Users] - [SSH-Signing-Keys] - [Get-GitHubUserSigningKeyForUser] Write-Verbose "[$scriptName] - [private] - [Users] - [SSH-Signing-Keys] - [Get-GitHubUserSigningKeyForUser] - Importing" filter Get-GitHubUserSigningKeyForUser { <# .SYNOPSIS List SSH signing keys for a user .DESCRIPTION List SSH signing keys for a user .EXAMPLE Get-GitHubUserSigningKeyForUser -Username 'octocat' Gets the SSH signing keys for the user 'octocat'. .NOTES https://docs.github.com/rest/users/ssh-signing-keys#list-ssh-signing-keys-for-a-user #> [OutputType([pscustomobject])] [CmdletBinding()] param ( # The handle for the GitHub user account. [Parameter( Mandatory, ValueFromPipelineByPropertyName )] [string] $Username, # The number of results per page (max 100). [Parameter()] [ValidateRange(1, 100)] [int] $PerPage = 30 ) $body = $PSBoundParameters | ConvertFrom-HashTable | ConvertTo-HashTable -NameCasingStyle snake_case Remove-HashtableEntry -Hashtable $body -RemoveNames 'username' $inputObject = @{ APIEndpoint = "/users/$Username/ssh_signing_keys" Method = 'GET' Body = $body } Invoke-GitHubAPI @inputObject | ForEach-Object { Write-Output $_.Response } } Write-Verbose "[$scriptName] - [private] - [Users] - [SSH-Signing-Keys] - [Get-GitHubUserSigningKeyForUser] - Done" #endregion - From [private] - [Users] - [SSH-Signing-Keys] - [Get-GitHubUserSigningKeyForUser] Write-Verbose "[$scriptName] - [private] - [Users] - [SSH-Signing-Keys] - Done" #endregion - From [private] - [Users] - [SSH-Signing-Keys] #region - From [private] - [Users] - [Get-GitHubAllUser] Write-Verbose "[$scriptName] - [private] - [Users] - [Get-GitHubAllUser] - Importing" filter Get-GitHubAllUser { <# .SYNOPSIS List users .DESCRIPTION Lists all users, in the order that they signed up on GitHub. This list includes personal user accounts and organization accounts. Note: Pagination is powered exclusively by the `since` parameter. Use the [Link header](https://docs.github.com/rest/guides/using-pagination-in-the-rest-api#using-link-headers) to get the URL for the next page of users. .EXAMPLE Get-GitHubAllUser -Since 17722253 Get a list of users, starting with the user 'MariusStorhaug'. .NOTES https://docs.github.com/rest/users/users#list-users #> [OutputType([pscustomobject])] [CmdletBinding()] param ( # A user ID. Only return users with an ID greater than this ID. [Parameter()] [int] $Since = 0, # The number of results per page (max 100). [Parameter()] [ValidateRange(1, 100)] [int] $PerPage = 30 ) $body = $PSBoundParameters | ConvertFrom-HashTable | ConvertTo-HashTable -NameCasingStyle snake_case $inputObject = @{ APIEndpoint = '/users' Method = 'GET' Body = $body } Invoke-GitHubAPI @inputObject | ForEach-Object { Write-Output $_.Response } } Write-Verbose "[$scriptName] - [private] - [Users] - [Get-GitHubAllUser] - Done" #endregion - From [private] - [Users] - [Get-GitHubAllUser] #region - From [private] - [Users] - [Get-GitHubMyUser] Write-Verbose "[$scriptName] - [private] - [Users] - [Get-GitHubMyUser] - Importing" filter Get-GitHubMyUser { <# .SYNOPSIS Get the authenticated user .DESCRIPTION If the authenticated user is authenticated with an OAuth token with the `user` scope, then the response lists public and private profile information. If the authenticated user is authenticated through OAuth without the `user` scope, then the response lists only public profile information. .EXAMPLE Get-GitHubMyUser Get the authenticated user .NOTES https://docs.github.com/rest/users/users#get-the-authenticated-user #> [OutputType([pscustomobject])] [Alias('Get-GitHubContext')] [CmdletBinding()] param () $inputObject = @{ APIEndpoint = '/user' Method = 'GET' } Invoke-GitHubAPI @inputObject | ForEach-Object { Write-Output $_.Response } } Write-Verbose "[$scriptName] - [private] - [Users] - [Get-GitHubMyUser] - Done" #endregion - From [private] - [Users] - [Get-GitHubMyUser] #region - From [private] - [Users] - [Get-GitHubUserByName] Write-Verbose "[$scriptName] - [private] - [Users] - [Get-GitHubUserByName] - Importing" filter Get-GitHubUserByName { <# .SYNOPSIS Get a user .DESCRIPTION Provides publicly available information about someone with a GitHub account. GitHub Apps with the `Plan` user permission can use this endpoint to retrieve information about a user's GitHub plan. The GitHub App must be authenticated as a user. See "[Identifying and authorizing users for GitHub Apps](https://docs.github.com/apps/building-github-apps/identifying-and-authorizing-users-for-github-apps/)" for details about authentication. For an example response, see 'Response with GitHub plan information' below" The `email` key in the following response is the publicly visible email address from your GitHub [profile page](https://github.com/settings/profile). When setting up your profile, you can select a primary email address to be ΓǣpublicΓǥ which provides an email entry for this endpoint. If you do not set a public email address for `email`, then it will have a value of `null`. You only see publicly visible email addresses when authenticated with GitHub. For more information, see [Authentication](https://docs.github.com/rest/overview/resources-in-the-rest-api#authentication). The Emails API enables you to list all of your email addresses, and toggle a primary email to be visible publicly. For more information, see "[Emails API](https://docs.github.com/rest/users/emails)". .EXAMPLE Get-GitHubUserByName -Username 'octocat' Get the 'octocat' user. .NOTES https://docs.github.com/rest/users/users#get-a-user #> [OutputType([pscustomobject])] [Diagnostics.CodeAnalysis.SuppressMessageAttribute('PSAvoidLongLines', '', Justification = 'Contains a long link.')] [CmdletBinding()] param ( # The handle for the GitHub user account. [Parameter( Mandatory, ValueFromPipeline, ValueFromPipelineByPropertyName )] [Alias('login')] [string] $Username ) $inputObject = @{ APIEndpoint = "/users/$Username" Method = 'GET' } Invoke-GitHubAPI @inputObject | ForEach-Object { Write-Output $_.Response } } Write-Verbose "[$scriptName] - [private] - [Users] - [Get-GitHubUserByName] - Done" #endregion - From [private] - [Users] - [Get-GitHubUserByName] Write-Verbose "[$scriptName] - [private] - [Users] - Done" #endregion - From [private] - [Users] #region - From [private] - [Utilities] Write-Verbose "[$scriptName] - [private] - [Utilities] - Processing folder" #region - From [private] - [Utilities] - [Casing] Write-Verbose "[$scriptName] - [private] - [Utilities] - [Casing] - Processing folder" #region - From [private] - [Utilities] - [Casing] - [Convert-StringCasingStyle] Write-Verbose "[$scriptName] - [private] - [Utilities] - [Casing] - [Convert-StringCasingStyle] - Importing" filter Convert-StringCasingStyle { <# .SYNOPSIS Convert a string to a different casing style .DESCRIPTION This function converts a string to a different casing style. .EXAMPLE 'thisIsCamelCase' | Convert-StringCasingStyle -To 'snake_case' Convert the string 'thisIsCamelCase' to 'this_is_camel_case' .EXAMPLE 'thisIsCamelCase' | Convert-StringCasingStyle -To 'UPPER_SNAKE_CASE' Convert the string 'thisIsCamelCase' to 'THIS_IS_CAMEL_CASE' .EXAMPLE 'thisIsCamelCase' | Convert-StringCasingStyle -To 'kebab-case' .NOTES General notes #> [OutputType([string])] [CmdletBinding()] param ( # The string to convert [Parameter( Mandatory, ValueFromPipeline )] [string] $Text, # The casing style to convert the string to [Parameter(Mandatory)] [ValidateSet( 'lowercase', 'UPPERCASE', 'Title Case', 'Sentencecase', 'PascalCase', 'camelCase', 'kebab-case', 'UPPER-KEBAB-CASE', 'snake_case', 'UPPER_SNAKE_CASE' )] [string] $To ) $currentStyle = Get-StringCasingStyle -Text $Text $words = Split-StringByCasingStyle -Text $Text -By $currentStyle # Convert the words into the target style switch ($To) { 'lowercase' { ($words -join '').toLower() } 'UPPERCASE' { ($words -join '').toUpper() } 'Title Case' { ($words | ForEach-Object { $_.Substring(0, 1).ToUpper() + $_.Substring(1).ToLower() }) -join ' ' } 'Sentencecase' { $words -join '' | ForEach-Object { $_.Substring(0, 1).ToUpper() + $_.Substring(1).ToLower() } } 'kebab-case' { ($words -join '-').ToLower() } 'snake_case' { ($words -join '_').ToLower() } 'PascalCase' { ($words | ForEach-Object { $_.Substring(0, 1).ToUpper() + $_.Substring(1).ToLower() }) -join '' } 'camelCase' { $words[0].toLower() + (($words | Select-Object -Skip 1 | ForEach-Object { $_.Substring(0, 1).ToUpper() + $_.Substring(1) }) -join '') } 'UPPER_SNAKE_CASE' { ($words -join '_').toUpper() } 'UPPER-KEBAB-CASE' { ($words -join '-').toUpper() } } } Write-Verbose "[$scriptName] - [private] - [Utilities] - [Casing] - [Convert-StringCasingStyle] - Done" #endregion - From [private] - [Utilities] - [Casing] - [Convert-StringCasingStyle] #region - From [private] - [Utilities] - [Casing] - [Get-StringCasingStyle] Write-Verbose "[$scriptName] - [private] - [Utilities] - [Casing] - [Get-StringCasingStyle] - Importing" filter Get-StringCasingStyle { <# .SYNOPSIS Detects the casing style of a string .DESCRIPTION This function detects the casing style of a string. .EXAMPLE 'testtesttest' | Get-StringCasingStyle lowercase .EXAMPLE 'TESTTESTTEST' | Get-StringCasingStyle UPPERCASE .EXAMPLE 'Testtesttest' | Get-StringCasingStyle Sentencecase .EXAMPLE 'TestTestTest' | Get-StringCasingStyle PascalCase .EXAMPLE 'testTestTest' | Get-StringCasingStyle camelCase .EXAMPLE 'test-test-test' | Get-StringCasingStyle kebab-case .EXAMPLE 'TEST-TEST-TEST' | Get-StringCasingStyle UPPER-KEBAB-CASE .EXAMPLE 'test_test_test' | Get-StringCasingStyle snake_case .EXAMPLE 'TEST_TEST_TEST' | Get-StringCasingStyle UPPER_SNAKE_CASE .EXAMPLE 'Test_teSt-Test' | Get-StringCasingStyle Unknown #> [OutputType([string])] [CmdletBinding()] param ( # The string to check the casing style of [Parameter( Mandatory, ValueFromPipeline )] [ValidateNotNullOrEmpty()] [string] $Text ) $style = if ([regex]::Match($Text, '^[a-z][a-z0-9]*$').Success) { 'lowercase' } elseif ([regex]::Match($Text, '^[A-Z][A-Z0-9]*$').Success) { 'UPPERCASE' } elseif ([regex]::Match($Text, '^[A-Z][a-z0-9]*$').Success) { 'Sentencecase' } elseif ([regex]::Match($Text, '^([A-Z][a-z]*)(\s+[A-Z][a-z]*)+$').Success) { 'Title Case' } elseif ([regex]::Match($Text, '^[A-Z][a-z0-9]*([A-Z][a-z0-9]*)+$').Success) { 'PascalCase' } elseif ([regex]::Match($Text, '^[a-z][a-z0-9]*([A-Z][a-z0-9]*)+$').Success) { 'camelCase' } elseif ([regex]::Match($Text, '^[a-z][a-z0-9]*(-[a-z0-9]+)+$').Success) { 'kebab-case' } elseif ([regex]::Match($Text, '^[A-Z][A-Z0-9]*(-[A-Z0-9]+)+$').Success) { 'UPPER-KEBAB-CASE' } elseif ([regex]::Match($Text, '^[a-z][a-z0-9]*(_[a-z0-9]+)+$').Success) { 'snake_case' } elseif ([regex]::Match($Text, '^[A-Z][A-Z0-9]*(_[A-Z0-9]+)+$').Success) { 'UPPER_SNAKE_CASE' } else { 'Unknown' } Write-Verbose "Detected casing style: [$style]" $style } Write-Verbose "[$scriptName] - [private] - [Utilities] - [Casing] - [Get-StringCasingStyle] - Done" #endregion - From [private] - [Utilities] - [Casing] - [Get-StringCasingStyle] #region - From [private] - [Utilities] - [Casing] - [Split-StringByCasingStyle] Write-Verbose "[$scriptName] - [private] - [Utilities] - [Casing] - [Split-StringByCasingStyle] - Importing" filter Split-StringByCasingStyle { <# .SYNOPSIS Splits a kebab-case string into an array of words .DESCRIPTION This function splits a kebab-case string into an array of words. .EXAMPLE Split-StringByCasingStyle -Text 'this-is-a-kebab-case-string' -By kebab-case this is a kebab case string .EXAMPLE Split-StringByCasingStyle -Text 'this_is_a_kebab_case_string' -By 'snake_case' this is a kebab case string .EXAMPLE Split-StringByCasingStyle -Text 'ThisIsAPascalCaseString' -By 'PascalCase' This Is A Pascal Case String .EXAMPLE Split-StringByCasingStyle -Text 'thisIsACamelCaseString' -By 'camelCase' this Is A Camel Case String .EXAMPLE Split-StringByCasingStyle -Text 'this_is_a-CamelCaseString' -By kebab-case | Split-StringByCasingStyle -By snake_case this_is_a camelcasestring #> [OutputType([string[]])] [CmdletBinding()] param ( # The string to split [Parameter( Mandatory, ValueFromPipeline )] [string] $Text, # The casing style to split the string by [Parameter()] [ValidateSet( 'lowercase', 'UPPERCASE', 'Sentencecase', 'Title Case', 'PascalCase', 'camelCase', 'kebab-case', 'UPPER-KEBAB-CASE', 'snake_case', 'UPPER_SNAKE_CASE' )] [string] $By ) $styles = $PSBoundParameters | Where-Object { $_.Value -eq $true } | Select-Object -ExpandProperty Name Write-Verbose "Splitting string [$Text] by casing style [$($styles -join ', ' )]" $splitText = switch ($By) { 'PascalCase' { [regex]::Matches($Text, '([A-Z][a-z]*)').Value; break } 'camelCase' { [regex]::Matches($Text, '([A-Z][a-z]*)|^[a-z]+').Value; break } 'kebab-case' { $Text -split '-'; break } 'UPPER-KEBAB-CASE' { $Text -split '-'; break } 'snake_case' { $Text -split '_'; break } 'UPPER_SNAKE_CASE' { $Text -split '_'; break } default { $Text -split ' ' } } Write-Verbose "Result: [$($splitText -join ', ')]" $splitText } Write-Verbose "[$scriptName] - [private] - [Utilities] - [Casing] - [Split-StringByCasingStyle] - Done" #endregion - From [private] - [Utilities] - [Casing] - [Split-StringByCasingStyle] Write-Verbose "[$scriptName] - [private] - [Utilities] - [Casing] - Done" #endregion - From [private] - [Utilities] - [Casing] #region - From [private] - [Utilities] - [Hashtable] Write-Verbose "[$scriptName] - [private] - [Utilities] - [Hashtable] - Processing folder" #region - From [private] - [Utilities] - [Hashtable] - [ConvertFrom-HashTable] Write-Verbose "[$scriptName] - [private] - [Utilities] - [Hashtable] - [ConvertFrom-HashTable] - Importing" filter ConvertFrom-HashTable { <# .SYNOPSIS Converts a hashtable to a pscustomobject .DESCRIPTION This function converts a hashtable to a pscustomobject. .EXAMPLE $object = @{a = 1;b = 2;c = 3} $object | ConvertFrom-HashTable | Format-Table a b c - - - 1 2 3 Converts the hashtable to a pscustomobject and displays it in a table. .EXAMPLE $object = @{a = 1;b = 2;c = 3} $object | ConvertFrom-Dictionary | ConvertTo-Json { "a": 1, "b": 2, "c": 3 } Converts the hashtable to a pscustomobject and then to JSON. Using the alias 'ConvertFrom-Dictionary' instead of 'ConvertFrom-HashTable'. #> [OutputType([pscustomobject])] [Alias('ConvertFrom-Dictionary')] [CmdletBinding()] param ( # The hashtable to be converted. The input takes any type of dictionary. The original dictionary is not modified. [Parameter( Mandatory, ValueFromPipeline )] [AllowNull()] [object] $InputObject ) $InputObject | ConvertTo-Json -Depth 100 | ConvertFrom-Json } Write-Verbose "[$scriptName] - [private] - [Utilities] - [Hashtable] - [ConvertFrom-HashTable] - Done" #endregion - From [private] - [Utilities] - [Hashtable] - [ConvertFrom-HashTable] #region - From [private] - [Utilities] - [Hashtable] - [ConvertTo-HashTable] Write-Verbose "[$scriptName] - [private] - [Utilities] - [Hashtable] - [ConvertTo-HashTable] - Importing" filter ConvertTo-HashTable { <# .SYNOPSIS Converts an object to a hashtable .DESCRIPTION This function converts an object to a hashtable. .EXAMPLE $object = [pscustomobject]@{a = 1;b = 2;c = 3} $object | ConvertTo-HashTable | Format-Table Name Value ---- ----- a 1 b 2 c 3 Converts the object to a hashtable and displays it in a table. .EXAMPLE $object = [pscustomobject]@{a = 1;b = 2;c = 3} $object | ConvertTo-Dictionary | ConvertTo-Json { "a": 1, "b": 2, "c": 3 } Converts the object to a hashtable and then to JSON. Using the alias 'ConvertTo-Dictionary' instead of 'ConvertTo-HashTable'. #> [OutputType([hashtable])] [Alias('ConvertTo-Dictionary')] [CmdletBinding()] param ( # The object to be converted. The input takes any type of object. The original object is not modified. [Parameter( Mandatory, ValueFromPipeline )] [object]$InputObject, # The casing style of the hashtable keys. [Parameter()] [ValidateSet( 'lowercase', 'UPPERCASE', 'Title Case', 'PascalCase', 'camelCase', 'kebab-case', 'UPPER-KEBAB-CASE', 'snake_case', 'UPPER_SNAKE_CASE' )] [string]$NameCasingStyle ) [hashtable]$hashtable = @{} foreach ($item in $InputObject.PSObject.Properties) { $name = if ($NameCasingStyle) { ($item.Name | Convert-StringCasingStyle -To $NameCasingStyle) } else { $item.Name } $hashtable[$name] = $item.Value } $hashtable } Write-Verbose "[$scriptName] - [private] - [Utilities] - [Hashtable] - [ConvertTo-HashTable] - Done" #endregion - From [private] - [Utilities] - [Hashtable] - [ConvertTo-HashTable] #region - From [private] - [Utilities] - [Hashtable] - [Join-Object] Write-Verbose "[$scriptName] - [private] - [Utilities] - [Hashtable] - [Join-Object] - Importing" filter Join-Object { <# .SYNOPSIS Merges two or more objects into a single object .DESCRIPTION Merges two or more objects into a single object. The first object is the main object, and the remaining objects are overrides. The overrides are applied in order, so the last object in the list will override any previous values. .EXAMPLE $main = [pscustomobject]@{a = 1; b = 2; c = 3} $overrides = [pscustomobject]@{a = 4; b = 5; d = 6} $overrides2 = [pscustomobject]@{a = 7; b = 8; e = 9} Join-Object -Main $main -Overrides $overrides, $overrides2 a b c d e - - - - - 7 8 3 6 9 Merges the three objects into a single object. The values from the last object override the values from the previous objects. .EXAMPLE $main = @{a = 1;b = 2} $overrides = @{a = 3;c = 4} Merge-Object -Main $main -Overrides $overrides -AsHashtable Name Value ---- ----- a 3 b 2 c 4 Merges the two hashtables into a single hashtable. The values from the last hashtable override the values from the previous hashtables. Using the alias 'Merge-Object' instead of 'Join-Object'. .EXAMPLE $main = @{a = 1;b = 1;c = 1} $overrides = @{b = 2;d = 2} $overrides2 = @{c = 3;e = 3} $main | Join-Object -Overrides $overrides, $overrides2 | Format-Table a b c d e - - - - - 1 2 3 2 3 Merges the three hashtables into a single hashtable. The values from the last hashtable override the values from the previous hashtables. Using the pipeline to pass the main object instead of the -Main parameter. #> [OutputType([pscustomobject])] [OutputType(ParameterSetName = 'AsHashTable', [hashtable])] [Alias('Merge-Object')] [CmdletBinding(DefaultParameterSetName = '__DefaultSet')] param ( # The main object to merge into. This object will be cloned, so the original object will not be modified. [Parameter( Mandatory, ValueFromPipeline )] [object] $Main, # The objects to merge into the main object [Parameter(Mandatory)] [object[]] $Overrides, # Return the result as a hashtable instead of a pscustomobject [Parameter( Mandatory, ParameterSetName = 'AsHashTable' )] [switch] $AsHashtable ) if ($Main -isnot [hashtable]) { $Main = $Main | ConvertTo-HashTable } $hashtable = $Main.clone() foreach ($Override in $Overrides) { if ($Override -isnot [hashtable]) { $Override = $Override | ConvertTo-HashTable } $Override.Keys | ForEach-Object { $hashtable[$_] = $Override[$_] } } if ($AsHashtable) { return $hashtable } $hashtable | ConvertFrom-HashTable } Write-Verbose "[$scriptName] - [private] - [Utilities] - [Hashtable] - [Join-Object] - Done" #endregion - From [private] - [Utilities] - [Hashtable] - [Join-Object] #region - From [private] - [Utilities] - [Hashtable] - [Remove-HashtableEntry] Write-Verbose "[$scriptName] - [private] - [Utilities] - [Hashtable] - [Remove-HashtableEntry] - Importing" filter Remove-HashtableEntry { <# .SYNOPSIS Remove entries from a hashtable. .DESCRIPTION Remove different types of entries from a hashtable. .EXAMPLE $Hashtable = @{ 'Key1' = 'Value1' 'Key2' = 'Value2' 'Key3' = $null 'Key4' = 'Value4' 'Key5' = '' } $Hashtable | Remove-HashtableEntry -NullOrEmptyValues Remove keys with null or empty values #> [OutputType([void])] [Diagnostics.CodeAnalysis.SuppressMessageAttribute( 'PSUseShouldProcessForStateChangingFunctions', '', Justification = 'Function does not change state.' )] [CmdletBinding()] param ( # The hashtable to remove entries from. [Parameter( Mandatory, ValueFromPipeline )] [hashtable] $Hashtable, # Remove keys with null or empty values. [Parameter()] [switch] $NullOrEmptyValues, # Remove keys of type. [Parameter()] [string[]] $RemoveTypes, # Remove keys with a given name. [Parameter()] [string[]] $RemoveNames, # Remove keys NOT of type. [Parameter()] [string[]] $KeepTypes, # Remove keys NOT with a given name. [Parameter()] [string[]] $KeepNames ) if ($NullOrEmptyValues) { Write-Verbose 'Remove keys with null or empty values' ($Hashtable.GetEnumerator() | Where-Object { [string]::IsNullOrEmpty($_.Value) }) | ForEach-Object { Write-Verbose " - [$($_.Name)] - Value: [$($_.Value)] - Remove" $Hashtable.Remove($_.Name) } } if ($RemoveTypes) { Write-Verbose "Remove keys of type: [$RemoveTypes]" ($Hashtable.GetEnumerator() | Where-Object { ($_.Value.GetType().Name -in $RemoveTypes) }) | ForEach-Object { Write-Verbose " - [$($_.Name)] - Type: [$($_.Value.GetType().Name)] - Remove" $Hashtable.Remove($_.Name) } } if ($KeepTypes) { Write-Verbose "Remove keys NOT of type: [$KeepTypes]" ($Hashtable.GetEnumerator() | Where-Object { ($_.Value.GetType().Name -notin $KeepTypes) }) | ForEach-Object { Write-Verbose " - [$($_.Name)] - Type: [$($_.Value.GetType().Name)] - Remove" $Hashtable.Remove($_.Name) } } if ($RemoveNames) { Write-Verbose "Remove keys named: [$RemoveNames]" ($Hashtable.GetEnumerator() | Where-Object { $_.Name -in $RemoveNames }) | ForEach-Object { Write-Verbose " - [$($_.Name)] - Remove" $Hashtable.Remove($_.Name) } } if ($KeepNames) { Write-Verbose "Remove keys NOT named: [$KeepNames]" ($Hashtable.GetEnumerator() | Where-Object { $_.Name -notin $KeepNames }) | ForEach-Object { Write-Verbose " - [$($_.Name)] - Remove" $Hashtable.Remove($_.Name) } } } Write-Verbose "[$scriptName] - [private] - [Utilities] - [Hashtable] - [Remove-HashtableEntry] - Done" #endregion - From [private] - [Utilities] - [Hashtable] - [Remove-HashtableEntry] Write-Verbose "[$scriptName] - [private] - [Utilities] - [Hashtable] - Done" #endregion - From [private] - [Utilities] - [Hashtable] #region - From [private] - [Utilities] - [Web] Write-Verbose "[$scriptName] - [private] - [Utilities] - [Web] - Processing folder" #region - From [private] - [Utilities] - [Web] - [ConvertTo-QueryString] Write-Verbose "[$scriptName] - [private] - [Utilities] - [Web] - [ConvertTo-QueryString] - Importing" filter ConvertTo-QueryString { <# .SYNOPSIS Convert an object to a query string .DESCRIPTION Convert an object to a query string .EXAMPLE ConvertTo-QueryString -InputObject @{a=1;b=2} ?a=1&b=2 .EXAMPLE ConvertTo-QueryString -InputObject @{a='this is value of a';b='valueOfB'} ?a=this%20is%20value%20of%20a&b=valueOfB .EXAMPLE ConvertTo-QueryString -InputObject @{a='this is value of a';b='valueOfB'} -AsURLEncoded ?a=this+is+value+of+a&b=valueOfB #> [OutputType([string])] [CmdletBinding()] param( [Parameter( Mandatory, ValueFromPipeline )] [object] $InputObject, [Parameter()] [switch] $AsURLEncoded ) if ($InputObject -isnot [hashtable]) { $InputObject = $InputObject | ConvertTo-HashTable } $parameters = if ($AsURLEncoded) { ($InputObject.GetEnumerator() | ForEach-Object { "$([System.Web.HttpUtility]::UrlEncode($_.Key))=$([System.Web.HttpUtility]::UrlEncode($_.Value))" }) -join '&' } else { ($InputObject.GetEnumerator() | ForEach-Object { "$([System.Uri]::EscapeDataString($_.Key))=$([System.Uri]::EscapeDataString($_.Value))" }) -join '&' } if ($parameters) { '?' + $parameters } } Write-Verbose "[$scriptName] - [private] - [Utilities] - [Web] - [ConvertTo-QueryString] - Done" #endregion - From [private] - [Utilities] - [Web] - [ConvertTo-QueryString] Write-Verbose "[$scriptName] - [private] - [Utilities] - [Web] - Done" #endregion - From [private] - [Utilities] - [Web] Write-Verbose "[$scriptName] - [private] - [Utilities] - Done" #endregion - From [private] - [Utilities] Write-Verbose "[$scriptName] - [private] - Done" #endregion - From [private] #region - From [public] Write-Verbose "[$scriptName] - [public] - Processing folder" #region - From [public] - [Actions] Write-Verbose "[$scriptName] - [public] - [Actions] - Processing folder" #region - From [public] - [Actions] - [Disable-GitHubWorkflow] Write-Verbose "[$scriptName] - [public] - [Actions] - [Disable-GitHubWorkflow] - Importing" filter Disable-GitHubWorkflow { <# .NOTES [Disable a workflow](https://docs.github.com/en/rest/actions/workflows#disable-a-workflow) #> [CmdletBinding()] param ( [Parameter()] [string] $Owner = (Get-GitHubConfig -Name Owner), [Parameter()] [string] $Repo = (Get-GitHubConfig -Name Repo), [Parameter( Mandatory, ValueFromPipelineByPropertyName )] [string[]] $ID ) $inputObject = @{ APIEndpoint = "/repos/$Owner/$Repo/actions/workflows/$ID/disable" Method = 'PUT' } $null = Invoke-GitHubAPI @inputObject } Write-Verbose "[$scriptName] - [public] - [Actions] - [Disable-GitHubWorkflow] - Done" #endregion - From [public] - [Actions] - [Disable-GitHubWorkflow] #region - From [public] - [Actions] - [Enable-GitHubWorkflow] Write-Verbose "[$scriptName] - [public] - [Actions] - [Enable-GitHubWorkflow] - Importing" filter Enable-GitHubWorkflow { <# .NOTES [Enable a workflow](https://docs.github.com/en/rest/actions/workflows#enable-a-workflow) #> [CmdletBinding()] param ( [Parameter()] [string] $Owner = (Get-GitHubConfig -Name Owner), [Parameter()] [string] $Repo = (Get-GitHubConfig -Name Repo), [Parameter( Mandatory, ValueFromPipelineByPropertyName )] [string[]] $ID ) $inputObject = @{ APIEndpoint = "/repos/$Owner/$Repo/actions/workflows/$ID/enable" Method = 'PUT' } $null = Invoke-GitHubAPI @inputObject } Write-Verbose "[$scriptName] - [public] - [Actions] - [Enable-GitHubWorkflow] - Done" #endregion - From [public] - [Actions] - [Enable-GitHubWorkflow] #region - From [public] - [Actions] - [Get-GitHubWorkflow] Write-Verbose "[$scriptName] - [public] - [Actions] - [Get-GitHubWorkflow] - Importing" filter Get-GitHubWorkflow { <# .SYNOPSIS Lists the workflows in a repository. .DESCRIPTION Anyone with read access to the repository can use this endpoint. If the repository is private you must use an access token with the repo scope. GitHub Apps must have the actions:read permission to use this endpoint. .EXAMPLE Get-GitHubWorkflow -Owner 'octocat' -Repo 'hello-world' Gets all workflows in the 'octocat/hello-world' repository. .EXAMPLE Get-GitHubWorkflow -Owner 'octocat' -Repo 'hello-world' -Name 'hello-world.yml' Gets the 'hello-world.yml' workflow in the 'octocat/hello-world' repository. .NOTES [List repository workflows](https://docs.github.com/rest/actions/workflows?apiVersion=2022-11-28#list-repository-workflows) #> [CmdletBinding(DefaultParameterSetName = 'ByName')] param ( [Parameter()] [string] $Owner = (Get-GitHubConfig -Name Owner), [Parameter()] [string] $Repo = (Get-GitHubConfig -Name Repo), # The number of results per page (max 100). [Parameter()] [ValidateRange(1, 100)] [int] $PerPage = 30 ) $body = @{ per_page = $PerPage } $inputObject = @{ APIEndpoint = "/repos/$Owner/$Repo/actions/workflows" Method = 'GET' Body = $body } Invoke-GitHubAPI @inputObject | ForEach-Object { Write-Output $_.Response.workflows } } Write-Verbose "[$scriptName] - [public] - [Actions] - [Get-GitHubWorkflow] - Done" #endregion - From [public] - [Actions] - [Get-GitHubWorkflow] #region - From [public] - [Actions] - [Get-GitHubWorkflowRun] Write-Verbose "[$scriptName] - [public] - [Actions] - [Get-GitHubWorkflowRun] - Importing" filter Get-GitHubWorkflowRun { <# .NOTES [List workflow runs for a workflow](https://docs.github.com/rest/actions/workflow-runs?apiVersion=2022-11-28#list-workflow-runs-for-a-workflow) [List workflow runs for a repository](https://docs.github.com/rest/actions/workflow-runs?apiVersion=2022-11-28#list-workflow-runs-for-a-repository) #> [CmdletBinding(DefaultParameterSetName = 'Repo')] [Diagnostics.CodeAnalysis.SuppressMessageAttribute('PSAvoidLongLines', '', Justification = 'Contains a long link.')] param ( [Parameter()] [string] $Owner = (Get-GitHubConfig -Name Owner), [Parameter()] [string] $Repo = (Get-GitHubConfig -Name Repo), [Parameter(ParameterSetName = 'ByName')] [string] $Name, [Parameter(ParameterSetName = 'ByID')] [string] $ID, # The number of results per page (max 100). [Parameter()] [ValidateRange(1, 100)] [int] $PerPage = 30 ) $body = @{ per_page = $PerPage } if ($Name) { $ID = (Get-GitHubWorkflow -Owner $Owner -Repo $Repo -Name $Name).id } if ($ID) { $Uri = "/repos/$Owner/$Repo/actions/workflows/$ID/runs" } else { $Uri = "/repos/$Owner/$Repo/actions/runs" } $inputObject = @{ APIEndpoint = $Uri Method = 'GET' Body = $body } Invoke-GitHubAPI @inputObject | ForEach-Object { Write-Output $_.Response.workflow_runs } } Write-Verbose "[$scriptName] - [public] - [Actions] - [Get-GitHubWorkflowRun] - Done" #endregion - From [public] - [Actions] - [Get-GitHubWorkflowRun] #region - From [public] - [Actions] - [Get-GitHubWorkflowUsage] Write-Verbose "[$scriptName] - [public] - [Actions] - [Get-GitHubWorkflowUsage] - Importing" filter Get-GitHubWorkflowUsage { <# .SYNOPSIS Short description .DESCRIPTION Long description .PARAMETER Owner Parameter description .PARAMETER Repo Parameter description .PARAMETER ID Parameter description .EXAMPLE An example .NOTES [Get workflow usage](https://docs.github.com/en/rest/actions/workflows#get-workflow-usage) #> [CmdletBinding( DefaultParameterSetName = 'ByName' )] param ( [Parameter()] [string] $Owner = (Get-GitHubConfig -Name Owner), [Parameter()] [string] $Repo = (Get-GitHubConfig -Name Repo), [Parameter( Mandatory, ValueFromPipelineByPropertyName )] [string[]] $ID ) $inputObject = @{ Method = 'GET' APIEndpoint = "/repos/$Owner/$Repo/actions/workflows/$ID/timing" } Invoke-GitHubAPI @inputObject | ForEach-Object { Write-Output $_.Response.billable } } Write-Verbose "[$scriptName] - [public] - [Actions] - [Get-GitHubWorkflowUsage] - Done" #endregion - From [public] - [Actions] - [Get-GitHubWorkflowUsage] #region - From [public] - [Actions] - [Remove-GitHubWorkflowRun] Write-Verbose "[$scriptName] - [public] - [Actions] - [Remove-GitHubWorkflowRun] - Importing" filter Remove-GitHubWorkflowRun { <# .SYNOPSIS Delete a workflow run .DESCRIPTION Delete a specific workflow run. Anyone with write access to the repository can use this endpoint. If the repository is private you must use an access token with the `repo` scope. GitHub Apps must have the `actions:write` permission to use this endpoint. .EXAMPLE Remove-GitHubWorkflowRun -Owner 'octocat' -Repo 'Hello-World' -ID 123456789 Deletes the workflow run with the ID 123456789 from the 'Hello-World' repository owned by 'octocat' .NOTES [Delete a workflow run](https://docs.github.com/rest/actions/workflow-runs#delete-a-workflow-run) #> [CmdletBinding(SupportsShouldProcess)] param ( # The account owner of the repository. The name is not case sensitive. [Parameter()] [string] $Owner = (Get-GitHubConfig -Name Owner), # The name of the repository without the .git extension. The name is not case sensitive. [Parameter()] [string] $Repo = (Get-GitHubConfig -Name Repo), # The unique identifier of the workflow run. [Parameter( Mandatory, ValueFromPipelineByPropertyName )] [Alias('ID', 'run_id')] [string] $RunID ) $inputObject = @{ APIEndpoint = "repos/$Owner/$Repo/actions/runs/$RunID" Method = 'DELETE' } if ($PSCmdlet.ShouldProcess("workflow run with ID [$RunID] in [$Owner/$Repo]", 'Delete')) { Invoke-GitHubAPI @inputObject | ForEach-Object { Write-Output $_.Response } } } Write-Verbose "[$scriptName] - [public] - [Actions] - [Remove-GitHubWorkflowRun] - Done" #endregion - From [public] - [Actions] - [Remove-GitHubWorkflowRun] #region - From [public] - [Actions] - [Start-GitHubWorkflow] Write-Verbose "[$scriptName] - [public] - [Actions] - [Start-GitHubWorkflow] - Importing" filter Start-GitHubWorkflow { <# .SYNOPSIS Start a workflow run using the workflow's ID. .DESCRIPTION Start a workflow run using the workflow's ID. .EXAMPLE Get-GitHubWorkflow | Where-Object name -NotLike '.*' | Start-GitHubWorkflow -Inputs @{ staticValidation = $true deploymentValidation = $false removeDeployment = $true prerelease = $false } .NOTES [Create a workflow dispatch event](https://docs.github.com/en/rest/actions/workflows#create-a-workflow-dispatch-event) #> [CmdletBinding(SupportsShouldProcess)] param ( # The account owner of the repository. The name is not case sensitive. [Parameter()] [string] $Owner = (Get-GitHubConfig -Name Owner), # The name of the repository without the .git extension. The name is not case sensitive. [Parameter()] [string] $Repo = (Get-GitHubConfig -Name Repo), # The ID of the workflow. [Alias('workflow_id')] [Parameter( Mandatory, ValueFromPipelineByPropertyName )] [string] $ID, # The reference of the workflow run. The reference can be a branch, tag, or a commit SHA. [Parameter( ValueFromPipelineByPropertyName )] [Alias('branch', 'tag')] [string] $Ref = 'main', # Input parameters for the workflow run. You can use the inputs and payload keys to pass custom data to your workflow. [Parameter()] [hashtable] $Inputs = @{} ) $body = @{ ref = $Ref inputs = $Inputs } $inputObject = @{ APIEndpoint = "/repos/$Owner/$Repo/actions/workflows/$ID/dispatches" Method = 'POST' Body = $body } if ($PSCmdlet.ShouldProcess("workflow with ID [$ID] in [$Owner/$Repo]", 'Start')) { Invoke-GitHubAPI @inputObject | ForEach-Object { Write-Output $_.Response } } } Write-Verbose "[$scriptName] - [public] - [Actions] - [Start-GitHubWorkflow] - Done" #endregion - From [public] - [Actions] - [Start-GitHubWorkflow] #region - From [public] - [Actions] - [Start-GitHubWorkflowReRun] Write-Verbose "[$scriptName] - [public] - [Actions] - [Start-GitHubWorkflowReRun] - Importing" filter Start-GitHubWorkflowReRun { <# .SYNOPSIS Re-run a workflow .DESCRIPTION Re-runs your workflow run using its `run_id`. You can also specify a branch or tag name to re-run a workflow run from a branch .EXAMPLE Start-GitHubWorkflowReRun -Owner 'octocat' -Repo 'Hello-World' -ID 123456789 .NOTES [Re-run a workflow](https://docs.github.com/en/rest/actions/workflow-runs#re-run-a-workflow) #> [CmdletBinding(SupportsShouldProcess)] param ( # The account owner of the repository. The name is not case sensitive. [Parameter()] [string] $Owner = (Get-GitHubConfig -Name Owner), # The name of the repository without the .git extension. The name is not case sensitive. [Parameter()] [string] $Repo = (Get-GitHubConfig -Name Repo), # The unique identifier of the workflow run. [Alias('workflow_id')] [Parameter( Mandatory, ValueFromPipelineByPropertyName )] [string] $ID ) $inputObject = @{ Method = 'POST' APIEndpoint = "/repos/$Owner/$Repo/actions/runs/$ID/rerun" } if ($PSCmdlet.ShouldProcess("workflow with ID [$ID] in [$Owner/$Repo]", 'Re-run')) { Invoke-GitHubAPI @inputObject | ForEach-Object { Write-Output $_.Response } } } Write-Verbose "[$scriptName] - [public] - [Actions] - [Start-GitHubWorkflowReRun] - Done" #endregion - From [public] - [Actions] - [Start-GitHubWorkflowReRun] #region - From [public] - [Actions] - [Stop-GitHubWorkflowRun] Write-Verbose "[$scriptName] - [public] - [Actions] - [Stop-GitHubWorkflowRun] - Importing" filter Stop-GitHubWorkflowRun { <# .SYNOPSIS Cancel a workflow run .DESCRIPTION Cancels a workflow run using its `run_id`. You can use this endpoint to cancel a workflow run that is in progress or waiting .EXAMPLE Stop-GitHubWorkflowRun -Owner 'octocat' -Repo 'Hello-World' -ID 123456789 Cancels the workflow run with the ID 123456789 from the 'Hello-World' repository owned by 'octocat' .NOTES [Cancel a workflow run](https://docs.github.com/en/rest/actions/workflow-runs#cancel-a-workflow-run) #> [CmdletBinding(SupportsShouldProcess)] [alias('Cancel-GitHubWorkflowRun')] param ( [Parameter()] [string] $Owner = (Get-GitHubConfig -Name Owner), [Parameter()] [string] $Repo = (Get-GitHubConfig -Name Repo), [Alias('workflow_id')] [Parameter( Mandatory, ValueFromPipelineByPropertyName )] [string] $ID ) $inputObject = @{ Method = 'POST' APIEndpoint = "/repos/$Owner/$Repo/actions/runs/$ID/cancel" } if ($PSCmdlet.ShouldProcess("workflow run with ID [$ID] in [$Owner/$Repo]", 'Cancel/Stop')) { Invoke-GitHubAPI @inputObject | ForEach-Object { Write-Output $_.Response } } } Write-Verbose "[$scriptName] - [public] - [Actions] - [Stop-GitHubWorkflowRun] - Done" #endregion - From [public] - [Actions] - [Stop-GitHubWorkflowRun] Write-Verbose "[$scriptName] - [public] - [Actions] - Done" #endregion - From [public] - [Actions] #region - From [public] - [API] Write-Verbose "[$scriptName] - [public] - [API] - Processing folder" #region - From [public] - [API] - [Invoke-GitHubAPI] Write-Verbose "[$scriptName] - [public] - [API] - [Invoke-GitHubAPI] - Importing" filter Invoke-GitHubAPI { <# .SYNOPSIS Calls the GitHub API using the provided parameters. .DESCRIPTION This function is a wrapper around Invoke-RestMethod tailored for calling GitHub's API. It automatically handles the endpoint URI construction, headers, and token authentication. .EXAMPLE Invoke-GitHubAPI -ApiEndpoint '/repos/user/repo/pulls' -Method GET Gets all open pull requests for the specified repository. .EXAMPLE Invoke-GitHubAPI -ApiEndpoint '/repos/user/repo/pulls' -Method GET -Body @{ state = 'open' } Gets all open pull requests for the specified repository, filtered by the 'state' parameter. .EXAMPLE Invoke-GitHubAPI -ApiEndpoint '/repos/user/repo/pulls' -Method GET -Body @{ state = 'open' } -Accept 'application/vnd.github.v3+json' Gets all open pull requests for the specified repository, filtered by the 'state' parameter, and using the specified 'Accept' header. #> [CmdletBinding(DefaultParameterSetName = 'ApiEndpoint')] param ( # The HTTP method to be used for the API request. It can be one of the following: GET, POST, PUT, DELETE, or PATCH. [Parameter()] [Microsoft.PowerShell.Commands.WebRequestMethod] $Method = 'GET', # The base URI for the GitHub API. This is usually `https://api.github.com`, but can be adjusted if necessary. [Parameter( ParameterSetName = 'ApiEndpoint' )] [string] $ApiBaseUri = (Get-GitHubConfig -Name ApiBaseUri), # The specific endpoint for the API call, e.g., '/repos/user/repo/pulls'. [Parameter( Mandatory, ParameterSetName = 'ApiEndpoint' )] [string] $ApiEndpoint, # The body of the API request. This can be a hashtable or a string. If a hashtable is provided, it will be converted to JSON. [Parameter()] [Object] $Body, # The 'Accept' header for the API request. If not provided, the default will be used by GitHub's API. [Parameter()] [string] $Accept = 'application/vnd.github+json; charset=utf-8', # Specifies the HTTP version used for the request. [Parameter()] [version] $HttpVersion = '2.0', # Support Pagination Relation Links per RFC5988. [Parameter()] [bool] $FollowRelLink = $true, # The file path to be used for the API request. This is used for uploading files. [Parameter()] [string] $UploadFilePath, # The file path to be used for the API response. This is used for downloading files. [Parameter()] [string] $DownloadFilePath, # The full URI for the API request. This is used for custom API calls. [Parameter( Mandatory, ParameterSetName = 'Uri' )] [string] $URI, # The secure token used for authentication in the GitHub API. It should be stored as a SecureString to ensure it's kept safe in memory. [Parameter()] [SecureString] $AccessToken = (Get-GitHubConfig -Name AccessToken), # The 'Content-Type' header for the API request. The default is 'application/vnd.github+json'. [Parameter()] [string] $ContentType = 'application/vnd.github+json; charset=utf-8', # The GitHub API version to be used. By default, it pulls from a configuration script variable. [Parameter()] [string] $Version = (Get-GitHubConfig -Name ApiVersion) ) if (Test-GitHubAccessTokenRefreshRequired) { Connect-GitHubAccount -Silent $AccessToken = (Get-GitHubConfig -Name AccessToken) } $headers = @{ Accept = $Accept 'X-GitHub-Api-Version' = $Version } Remove-HashtableEntry -Hashtable $headers -NullOrEmptyValues if (-not $URI) { $URI = ("$ApiBaseUri/" -replace '/$', '') + ("/$ApiEndpoint" -replace '^/', '') } $APICall = @{ Uri = $URI Method = $Method Headers = $Headers Authentication = 'Bearer' Token = $AccessToken ContentType = $ContentType FollowRelLink = $FollowRelLink StatusCodeVariable = 'APICallStatusCode' ResponseHeadersVariable = 'APICallResponseHeaders' InFile = $UploadFilePath OutFile = $DownloadFilePath } #If PSversion is higher than 7.1 use HttpVersion if ($PSVersionTable.PSVersion -ge [version]'7.3') { $APICall['HttpVersion'] = $HttpVersion } $APICall | Remove-HashtableEntry -NullOrEmptyValues if ($Body) { # Use body to create the query string for certain situations if ($Method -eq 'GET') { $queryString = $Body | ConvertTo-QueryString $APICall.Uri = $APICall.Uri + $queryString } elseif ($Body -is [string]) { # Use body to create the form data $APICall.Body = $Body } else { $APICall.Body = $Body | ConvertTo-Json -Depth 100 } } try { Invoke-RestMethod @APICall | ForEach-Object { $statusCode = $APICallStatusCode | ConvertTo-Json -Depth 100 | ConvertFrom-Json $responseHeaders = $APICallResponseHeaders | ConvertTo-Json -Depth 100 | ConvertFrom-Json $verboseMessage = @" ---------------------------------- StatusCode: $statusCode ---------------------------------- Request: $($APICall | ConvertFrom-HashTable | Format-List | Out-String) ---------------------------------- ResponseHeaders: $($responseHeaders.PSObject.Properties | ForEach-Object { $_ | Format-List | Out-String }) ---------------------------------- "@ Write-Verbose $verboseMessage [pscustomobject]@{ Request = $APICall Response = $_ StatusCode = $statusCode ResponseHeaders = $responseHeaders } } } catch { $failure = $_ $errorResult = @" ----------------------------------`n`r Request: $($APICall | ConvertFrom-HashTable | Format-List | Out-String) ----------------------------------`n`r Message: $($failure.Exception.Message | ConvertFrom-HashTable | Format-List | Out-String) ----------------------------------`n`r Response: $($failure.Exception.Response | ConvertFrom-HashTable | Format-List | Out-String) ----------------------------------`n`r "@ $errorResult.Split([System.Environment]::NewLine) | ForEach-Object { Write-Error $_ } throw $failure.Exception.Message } } Write-Verbose "[$scriptName] - [public] - [API] - [Invoke-GitHubAPI] - Done" #endregion - From [public] - [API] - [Invoke-GitHubAPI] Write-Verbose "[$scriptName] - [public] - [API] - Done" #endregion - From [public] - [API] #region - From [public] - [Auth] Write-Verbose "[$scriptName] - [public] - [Auth] - Processing folder" #region - From [public] - [Auth] - [Connect-GitHubAccount] Write-Verbose "[$scriptName] - [public] - [Auth] - [Connect-GitHubAccount] - Importing" function Connect-GitHubAccount { <# .SYNOPSIS Connects to GitHub using a personal access token or device code login. .DESCRIPTION Connects to GitHub using a personal access token or device code login. For device flow / device code login: PowerShell requests device and user verification codes and gets the authorization URL where you will enter the user verification code. In GitHub you will be asked to enter a user verification code at <https://github.com/login/device>. PowerShell will keep polling GitHub for the user authentication status. Once you have authorized the device, the app will be able to make API calls with a new access token. .EXAMPLE Connect-GitHubAccount Connects to GitHub using a device flow login. If the user has already logged in, the access token will be refreshed. .EXAMPLE $env:GH_TOKEN = '***' Connect-GitHubAccount Connects to GitHub using the access token from environment variable, assuming unattended mode. .EXAMPLE Connect-GitHubAccount -AccessToken ! Enter your personal access token: ************* User gets prompted for the access token and stores it in the secret store. The token is used when connecting to GitHub. .EXAMPLE Connect-GitHubAccount -Mode 'OAuthApp' -Scope 'gist read:org repo workflow' Connects to GitHub using a device flow login and sets the scope of the access token. .NOTES [Authenticating to the REST API](https://docs.github.com/rest/overview/other-authentication-methods#authenticating-for-saml-sso) #> [Alias('Connect-GHAccount')] [Alias('Connect-GitHub')] [Alias('Connect-GH')] [Alias('Login-GitHubAccount')] [Alias('Login-GHAccount')] [Alias('Login-GitHub')] [Alias('Login-GH')] [OutputType([void])] [Diagnostics.CodeAnalysis.SuppressMessageAttribute('PSAvoidLongLines', '', Justification = 'Long links for documentation.')] [Diagnostics.CodeAnalysis.SuppressMessageAttribute('PSReviewUnusedParameter', 'AccessToken', Justification = 'Required for parameter set')] [Diagnostics.CodeAnalysis.SuppressMessageAttribute('PSAvoidUsingWriteHost', '', Justification = 'Is the CLI part of the module.')] [Diagnostics.CodeAnalysis.SuppressMessageAttribute('PSAvoidUsingConvertToSecureStringWithPlainText', '', Justification = 'The tokens are recieved as clear text. Mitigating exposure by removing variables and performing garbage collection.')] [CmdletBinding(DefaultParameterSetName = 'DeviceFlow')] param ( # Choose between authentication methods, either OAuthApp or GitHubApp. # For more info about the types of authentication visit: # [Differences between GitHub Apps and OAuth apps](https://docs.github.com/apps/oauth-apps/building-oauth-apps/differences-between-github-apps-and-oauth-apps) [Parameter(ParameterSetName = 'DeviceFlow')] [ValidateSet('OAuthApp', 'GitHubApp')] [string] $Mode = 'GitHubApp', # The scope of the access token, when using OAuth authentication. # Provide the list of scopes as space-separated values. # For more information on scopes visit: # [Scopes for OAuth apps](https://docs.github.com/apps/oauth-apps/building-oauth-apps/scopes-for-oauth-apps) [Parameter(ParameterSetName = 'DeviceFlow')] [string] $Scope = 'gist read:org repo workflow', # The personal access token to use for authentication. [Parameter( Mandatory, ParameterSetName = 'PAT' )] [Alias('Token')] [Alias('PAT')] [switch] $AccessToken, # Set the default owner to use in commands. [Parameter()] [Alias('Organization')] [Alias('Org')] [string] $Owner, # Set the default repository to use in commands. [Parameter()] [Alias('Repository')] [string] $Repo, # Suppresses the output of the function. [Parameter()] [Alias('Quiet')] [Alias('q')] [Alias('s')] [switch] $Silent ) $envVars = Get-ChildItem -Path 'Env:' Write-Verbose 'Environment variables:' Write-Verbose ($envVars | Format-Table -AutoSize | Out-String) $gitHubToken = $envVars | Where-Object Name -In 'GH_TOKEN', 'GITHUB_TOKEN' | Select-Object -First 1 Write-Verbose "GitHub token: [$gitHubToken]" $gitHubTokenPresent = $gitHubToken.count -gt 0 Write-Verbose "GitHub token present: [$gitHubTokenPresent]" $AuthType = if ($gitHubTokenPresent) { 'sPAT' } else { $PSCmdlet.ParameterSetName } Write-Verbose "AuthType: [$AuthType]" switch ($AuthType) { 'DeviceFlow' { Write-Verbose 'Logging in using device flow...' $clientID = $script:Auth.$Mode.ClientID if ($Mode -ne (Get-GitHubConfig -Name 'DeviceFlowType' -ErrorAction SilentlyContinue)) { Write-Verbose "Using $Mode authentication..." $tokenResponse = Invoke-GitHubDeviceFlowLogin -ClientID $clientID -Scope $Scope } else { $accessTokenValidity = [datetime](Get-GitHubConfig -Name 'AccessTokenExpirationDate') - (Get-Date) $accessTokenIsValid = $accessTokenValidity.Seconds -gt 0 $hours = $accessTokenValidity.Hours.ToString().PadLeft(2, '0') $minutes = $accessTokenValidity.Minutes.ToString().PadLeft(2, '0') $seconds = $accessTokenValidity.Seconds.ToString().PadLeft(2, '0') $accessTokenValidityText = "$hours`:$minutes`:$seconds" if ($accessTokenIsValid) { if ($accessTokenValidity.TotalHours -gt $script:Auth.AccessTokenGracePeriodInHours) { if (-not $Silent) { Write-Host '✓ ' -ForegroundColor Green -NoNewline Write-Host "Access token is still valid for $accessTokenValidityText ..." } break } else { if (-not $Silent) { Write-Host '⚠' -ForegroundColor Yellow -NoNewline Write-Host "Access token remaining validity $accessTokenValidityText. Refreshing access token..." } $tokenResponse = Invoke-GitHubDeviceFlowLogin -ClientID $clientID -RefreshToken (Get-GitHubConfig -Name 'RefreshToken') } } else { $refreshTokenValidity = [datetime](Get-GitHubConfig -Name 'RefreshTokenExpirationDate') - (Get-Date) $refreshTokenIsValid = $refreshTokenValidity.Seconds -gt 0 if ($refreshTokenIsValid) { if (-not $Silent) { Write-Host '⚠' -ForegroundColor Yellow -NoNewline Write-Host 'Access token expired. Refreshing access token...' } $tokenResponse = Invoke-GitHubDeviceFlowLogin -ClientID $clientID -RefreshToken (Get-GitHubConfig -Name 'RefreshToken') } else { Write-Verbose "Using $Mode authentication..." $tokenResponse = Invoke-GitHubDeviceFlowLogin -ClientID $clientID -Scope $Scope } } } Reset-GitHubConfig -Scope 'Auth' switch ($Mode) { 'GitHubApp' { $settings = @{ AccessToken = ConvertTo-SecureString -AsPlainText $tokenResponse.access_token AccessTokenExpirationDate = (Get-Date).AddSeconds($tokenResponse.expires_in) AccessTokenType = $tokenResponse.access_token -replace '_.*$', '_*' ApiBaseUri = 'https://api.github.com' ApiVersion = '2022-11-28' AuthType = $AuthType DeviceFlowType = $Mode RefreshToken = ConvertTo-SecureString -AsPlainText $tokenResponse.refresh_token RefreshTokenExpirationDate = (Get-Date).AddSeconds($tokenResponse.refresh_token_expires_in) Scope = $tokenResponse.scope } } 'OAuthApp' { $settings = @{ AccessToken = ConvertTo-SecureString -AsPlainText $tokenResponse.access_token AccessTokenType = $tokenResponse.access_token -replace '_.*$', '_*' ApiBaseUri = 'https://api.github.com' ApiVersion = '2022-11-28' AuthType = $AuthType DeviceFlowType = $Mode Scope = $tokenResponse.scope } } } Set-GitHubConfig @settings break } 'PAT' { Write-Verbose 'Logging in using personal access token...' Reset-GitHubConfig -Scope 'Auth' Write-Host '! ' -ForegroundColor DarkYellow -NoNewline Start-Process 'https://github.com/settings/tokens' $accessTokenValue = Read-Host -Prompt 'Enter your personal access token' -AsSecureString $accessTokenType = (ConvertFrom-SecureString $accessTokenValue -AsPlainText) -replace '_.*$', '_*' if ($accessTokenType -notmatch '^ghp_|^github_pat_') { Write-Host '⚠' -ForegroundColor Yellow -NoNewline Write-Host "Unexpected access token format: $accessTokenType" } $settings = @{ AccessToken = $accessTokenValue AccessTokenType = $accessTokenType ApiBaseUri = 'https://api.github.com' ApiVersion = '2022-11-28' AuthType = $AuthType } Set-GitHubConfig @settings break } 'sPAT' { Write-Verbose 'Logging in using GitHub access token...' Reset-GitHubConfig -Scope 'Auth' $prefix = $gitHubToken.Value -replace '_.*$', '_*' $settings = @{ AccessToken = ConvertTo-SecureString -AsPlainText $gitHubToken.Value AccessTokenType = $prefix ApiBaseUri = 'https://api.github.com' ApiVersion = '2022-11-28' AuthType = 'sPAT' } Set-GitHubConfig @settings } } if ($AuthType -ne 'sPAT') { $user = Get-GitHubUser $username = $user.login Set-GitHubConfig -UserName $username } else { $username = 'system' } if (-not $Silent) { Write-Host '✓ ' -ForegroundColor Green -NoNewline Write-Host "Logged in as $username!" } $systemRepo = $envVars | Where-Object Name -EQ 'GITHUB_REPOSITORY' $systemRepoPresent = $systemRepo.count -gt 0 if ($Owner) { Set-GitHubConfig -Owner $Owner } elseif ($systemRepoPresent) { $owner = $systemRepo.Value.Split('/')[0] Set-GitHubConfig -Owner $owner } if ($Repo) { Set-GitHubConfig -Repo $Repo } elseif ($systemRepoPresent) { $repo = $systemRepo.Value.Split('/')[-1] Set-GitHubConfig -Repo $repo } Remove-Variable -Name tokenResponse -ErrorAction SilentlyContinue Remove-Variable -Name settings -ErrorAction SilentlyContinue [System.GC]::Collect() } Write-Verbose "[$scriptName] - [public] - [Auth] - [Connect-GitHubAccount] - Done" #endregion - From [public] - [Auth] - [Connect-GitHubAccount] #region - From [public] - [Auth] - [Disconnect-GitHubAccount] Write-Verbose "[$scriptName] - [public] - [Auth] - [Disconnect-GitHubAccount] - Importing" function Disconnect-GitHubAccount { <# .SYNOPSIS Disconnects from GitHub and removes the current GitHub configuration. .DESCRIPTION Disconnects from GitHub and removes the current GitHub configuration. .EXAMPLE Disconnect-GitHubAccount Disconnects from GitHub and removes the current GitHub configuration. #> [Alias('Disconnect-GHAccount')] [Alias('Disconnect-GitHub')] [Alias('Disconnect-GH')] [Alias('Logout-GitHubAccount')] [Alias('Logout-GHAccount')] [Alias('Logout-GitHub')] [Alias('Logout-GH')] [Alias('Logoff-GitHubAccount')] [Alias('Logoff-GHAccount')] [Alias('Logoff-GitHub')] [Alias('Logoff-GH')] [OutputType([void])] [Diagnostics.CodeAnalysis.SuppressMessageAttribute('PSAvoidUsingWriteHost', '', Justification = 'Is the CLI part of the module.')] [CmdletBinding()] param () Reset-GitHubConfig -Scope 'All' Write-Host '✓ ' -ForegroundColor Green -NoNewline Write-Host 'Logged out of GitHub!' } Write-Verbose "[$scriptName] - [public] - [Auth] - [Disconnect-GitHubAccount] - Done" #endregion - From [public] - [Auth] - [Disconnect-GitHubAccount] Write-Verbose "[$scriptName] - [public] - [Auth] - Done" #endregion - From [public] - [Auth] #region - From [public] - [Branches] Write-Verbose "[$scriptName] - [public] - [Branches] - Processing folder" #region - From [public] - [Branches] - [Get-GitHubRepoBranch] Write-Verbose "[$scriptName] - [public] - [Branches] - [Get-GitHubRepoBranch] - Importing" filter Get-GitHubRepoBranch { <# .SYNOPSIS List branches .DESCRIPTION Lists all branches from a repository .EXAMPLE Get-GitHubRepoBranch -Owner 'octocat' -Repo 'Hello-World' Gets all the branches from the 'Hello-World' repository owned by 'octocat' .NOTES [List branches](https://docs.github.com/rest/branches/branches#list-branches) #> [CmdletBinding()] param ( # The account owner of the repository. The name is not case sensitive. [Parameter()] [string] $Owner = (Get-GitHubConfig -Name Owner), # The name of the repository without the .git extension. The name is not case sensitive. [Parameter()] [string] $Repo = (Get-GitHubConfig -Name Repo) ) $inputObject = @{ APIEndpoint = "/repos/$Owner/$Repo/branches" Method = 'GET' } Invoke-GitHubAPI @inputObject | ForEach-Object { Write-Output $_.Response } } Write-Verbose "[$scriptName] - [public] - [Branches] - [Get-GitHubRepoBranch] - Done" #endregion - From [public] - [Branches] - [Get-GitHubRepoBranch] Write-Verbose "[$scriptName] - [public] - [Branches] - Done" #endregion - From [public] - [Branches] #region - From [public] - [Commands] Write-Verbose "[$scriptName] - [public] - [Commands] - Processing folder" #region - From [public] - [Commands] - [Add-Mask] Write-Verbose "[$scriptName] - [public] - [Commands] - [Add-Mask] - Importing" filter Add-Mask { <# .SYNOPSIS Mask a value in GitHub Actions .DESCRIPTION Masking a value prevents a string or variable from being printed in the log. Each masked word separated by whitespace is replaced with the * character. You can use an environment variable or string for the mask's value. When you mask a value, it is treated as a secret and will be redacted on the runner. For example, after you mask a value, you won't be able to set that value as an output. .EXAMPLE Add-Mask $SecretValue Masks the value of $SecretValue so that its printed like ***. .EXAMPLE $SecretValue1, $SecretValue2 | Mask Masks the value of $SecretValue1 and $SecretValue2 so that its printed like ***, using the pipeline .NOTES [Masking a value in a log | GitHub Docs](https://docs.github.com/en/actions/writing-workflows/choosing-what-your-workflow-does/workflow-commands-for-github-actions#masking-a-value-in-a-log) #> [Alias('Mask')] [Diagnostics.CodeAnalysis.SuppressMessageAttribute( 'PSAvoidLongLines', '', Scope = 'Function', Justification = 'Long documentation URL' )] [Diagnostics.CodeAnalysis.SuppressMessageAttribute( 'PSUseShouldProcessForStateChangingFunctions', '', Scope = 'Function', Justification = 'Does not change state' )] [Diagnostics.CodeAnalysis.SuppressMessageAttribute( 'PSAvoidUsingWriteHost', '', Scope = 'Function', Justification = 'Intended for logging in Github Runners which does support Write-Host' )] [CmdletBinding()] param( # The value to mask [Parameter( Mandatory, ValueFromPipeline )] [AllowNull()] [string[]] $Value ) foreach ($item in $Value) { Write-Host "::add-mask::$item" } } Write-Verbose "[$scriptName] - [public] - [Commands] - [Add-Mask] - Done" #endregion - From [public] - [Commands] - [Add-Mask] #region - From [public] - [Commands] - [Set-LogGroup] Write-Verbose "[$scriptName] - [public] - [Commands] - [Set-LogGroup] - Importing" function Set-LogGroup { <# .SYNOPSIS Encapsulates commands with a log group in GitHub Actions .DESCRIPTION DSL approach for GitHub Action commands. Allows for colapsing of code in IDE for code that belong together. .EXAMPLE Set-LogGroup -Name 'MyGroup' -ScriptBlock { Write-Host 'Hello, World!' } Creates a new log group named 'MyGroup' and writes 'Hello, World!' to the output. .EXAMPLE LogGroup 'MyGroup' { Write-Host 'Hello, World!' } Uses the alias 'LogGroup' to create a new log group named 'MyGroup' and writes 'Hello, World!' to the output. .NOTES [GitHub - Grouping log lines](https://docs.github.com/en/actions/using-workflows/workflow-commands-for-github-actions#grouping-log-lines) #> [Alias('LogGroup')] [Diagnostics.CodeAnalysis.SuppressMessageAttribute( 'PSUseShouldProcessForStateChangingFunctions', '', Scope = 'Function', Justification = 'Does not change state' )] [CmdletBinding()] param( # The name of the log group [Parameter(Mandatory)] [string] $Name, # The script block to execute [Parameter(Mandatory)] [scriptblock] $ScriptBlock ) Start-LogGroup -Name $Name . $ScriptBlock Stop-LogGroup } Write-Verbose "[$scriptName] - [public] - [Commands] - [Set-LogGroup] - Done" #endregion - From [public] - [Commands] - [Set-LogGroup] #region - From [public] - [Commands] - [Start-LogGroup] Write-Verbose "[$scriptName] - [public] - [Commands] - [Start-LogGroup] - Importing" function Start-LogGroup { <# .SYNOPSIS Starts a log group in GitHub Actions .EXAMPLE New-LogGroup 'MyGroup' Starts a new log group named 'MyGroup' .NOTES [GitHub - Grouping log lines](https://docs.github.com/en/actions/using-workflows/workflow-commands-for-github-actions#grouping-log-lines) #> [Alias('New-LogGroup')] [Diagnostics.CodeAnalysis.SuppressMessageAttribute( 'PSUseShouldProcessForStateChangingFunctions', '', Scope = 'Function', Justification = 'Does not change state' )] [Diagnostics.CodeAnalysis.SuppressMessageAttribute( 'PSAvoidUsingWriteHost', '', Scope = 'Function', Justification = 'Intended for logging in Github Runners which does support Write-Host' )] [CmdletBinding()] param( # The name of the log group [Parameter(Mandatory)] [string] $Name ) Write-Host "::group::$Name" } Write-Verbose "[$scriptName] - [public] - [Commands] - [Start-LogGroup] - Done" #endregion - From [public] - [Commands] - [Start-LogGroup] #region - From [public] - [Commands] - [Stop-LogGroup] Write-Verbose "[$scriptName] - [public] - [Commands] - [Stop-LogGroup] - Importing" function Stop-LogGroup { <# .SYNOPSIS Stops the current log group in GitHub Actions .EXAMPLE Stop-LogGroup Starts a new log group named 'MyGroup' .NOTES [GitHub - Grouping log lines](https://docs.github.com/en/actions/using-workflows/workflow-commands-for-github-actions#grouping-log-lines) #> [Alias('End-LogGroup')] [Diagnostics.CodeAnalysis.SuppressMessageAttribute( 'PSUseShouldProcessForStateChangingFunctions', '', Scope = 'Function', Justification = 'Does not change state' )] [Diagnostics.CodeAnalysis.SuppressMessageAttribute( 'PSAvoidUsingWriteHost', '', Scope = 'Function', Justification = 'Intended for logging in Github Runners' )] [CmdletBinding()] param() Write-Host '::endgroup::' } Write-Verbose "[$scriptName] - [public] - [Commands] - [Stop-LogGroup] - Done" #endregion - From [public] - [Commands] - [Stop-LogGroup] Write-Verbose "[$scriptName] - [public] - [Commands] - Done" #endregion - From [public] - [Commands] #region - From [public] - [Config] Write-Verbose "[$scriptName] - [public] - [Config] - Processing folder" #region - From [public] - [Config] - [Get-GitHubConfig] Write-Verbose "[$scriptName] - [public] - [Config] - [Get-GitHubConfig] - Importing" #Requires -Modules Store function Get-GitHubConfig { <# .SYNOPSIS Get configuration value. .DESCRIPTION Get a named configuration value from the GitHub configuration file. .EXAMPLE Get-GitHubConfig -Name ApiBaseUri Get the current GitHub configuration for the ApiBaseUri. #> [Alias('Get-GHConfig')] [Alias('GGHC')] [OutputType([object])] [CmdletBinding()] param ( # Choose a configuration name to get. [Parameter()] [ValidateSet( 'AccessToken', 'AccessTokenExpirationDate', 'AccessTokenType', 'ApiBaseUri', 'ApiVersion', 'AuthType', 'DeviceFlowType', 'Owner', 'RefreshToken', 'RefreshTokenExpirationDate', 'Repo', 'SecretVaultName', 'SecretVaultType', 'Scope', 'UserName' )] [string] $Name ) $prefix = $script:Config.Prefix switch -Regex ($Name) { '^AccessToken$|^RefreshToken$' { Get-StoreConfig -Name "$prefix$Name" } default { Get-StoreConfig -Name $Name } } } Write-Verbose "[$scriptName] - [public] - [Config] - [Get-GitHubConfig] - Done" #endregion - From [public] - [Config] - [Get-GitHubConfig] #region - From [public] - [Config] - [Set-GitHubConfig] Write-Verbose "[$scriptName] - [public] - [Config] - [Set-GitHubConfig] - Importing" #Requires -Modules Store function Set-GitHubConfig { <# .SYNOPSIS Set the GitHub configuration. .DESCRIPTION Set the GitHub configuration. Specific scopes can be set by using the parameters. .EXAMPLE Set-GitHubConfig -APIBaseURI 'https://api.github.com" -APIVersion '2022-11-28' Sets the App.API scope of the GitHub configuration. .EXAMPLE Set-GitHubConfig -Name "MyFavouriteRepo" -Value 'https://github.com/PSModule/GitHub' Sets a item called 'MyFavouriteRepo' in the GitHub configuration. #> [Alias('Set-GHConfig')] [CmdletBinding(SupportsShouldProcess)] param ( # Set the access token type. [Parameter()] [string] $AccessTokenType, # Set the access token. [Parameter()] [securestring] $AccessToken, # Set the access token expiration date. [Parameter()] [datetime] $AccessTokenExpirationDate, # Set the API Base URI. [Parameter()] [string] $ApiBaseUri, # Set the GitHub API Version. [Parameter()] [string] $ApiVersion, # Set the authentication type. [Parameter()] [string] $AuthType, # Set the device flow type. [Parameter()] [string] $DeviceFlowType, # Set the default for the Owner parameter. [Parameter()] [string] $Owner, # Set the refresh token. [Parameter()] [securestring] $RefreshToken, # Set the refresh token expiration date. [Parameter()] [datetime] $RefreshTokenExpirationDate, # Set the default for the Repo parameter. [Parameter()] [string] $Repo, # Set the secret vault name. [Parameter()] [string] $SecretVaultName, # Set the secret vault type. [Parameter()] [string] $SecretVaultType, # Set the scope. [Parameter()] [string] $Scope, # Set the GitHub username. [Parameter()] [string] $UserName ) $prefix = $script:Config.Prefix $Settings = @{ "$prefix`AccessToken" = $AccessToken AccessTokenExpirationDate = $AccessTokenExpirationDate AccessTokenType = $AccessTokenType ApiBaseUri = $ApiBaseUri ApiVersion = $ApiVersion AuthType = $AuthType DeviceFlowType = $DeviceFlowType Owner = $Owner "$prefix`RefreshToken" = $RefreshToken RefreshTokenExpirationDate = $RefreshTokenExpirationDate Repo = $Repo SecretVaultName = $SecretVaultName SecretVaultType = $SecretVaultType Scope = $Scope UserName = $UserName } $Settings | Remove-HashtableEntry -NullOrEmptyValues foreach ($key in $Settings.Keys) { if ($PSCmdlet.ShouldProcess("Setting $key", "Setting $key to $($Settings[$key])")) { Write-Verbose "Setting $key to $($Settings[$key])" Set-StoreConfig -Name $key -Value $Settings[$key] } } } Write-Verbose "[$scriptName] - [public] - [Config] - [Set-GitHubConfig] - Done" #endregion - From [public] - [Config] - [Set-GitHubConfig] Write-Verbose "[$scriptName] - [public] - [Config] - Done" #endregion - From [public] - [Config] #region - From [public] - [Emojis] Write-Verbose "[$scriptName] - [public] - [Emojis] - Processing folder" #region - From [public] - [Emojis] - [Get-GitHubEmoji] Write-Verbose "[$scriptName] - [public] - [Emojis] - [Get-GitHubEmoji] - Importing" filter Get-GitHubEmoji { <# .SYNOPSIS Get emojis .DESCRIPTION Lists all the emojis available to use on GitHub. If you pass the `Destination` parameter, the emojis will be downloaded to the specified destination. .EXAMPLE Get-GitHubEmoji Gets all the emojis available to use on GitHub. .EXAMPLE Get-GitHubEmoji -Destination 'C:\Users\user\Documents\GitHub\Emojis' Downloads all the emojis available to use on GitHub to the specified destination. .NOTES [Get emojis](https://docs.github.com/rest/reference/emojis#get-emojis) #> [CmdletBinding()] param ( # The path to the directory where the emojis will be downloaded. [Parameter()] [string] $Destination ) $inputObject = @{ APIEndpoint = '/emojis' Method = 'GET' } $response = Invoke-GitHubAPI @inputObject | ForEach-Object { Write-Output $_.Response } if (Test-Path -Path $Destination) { $response.PSObject.Properties | ForEach-Object -Parallel { Invoke-WebRequest -Uri $_.Value -OutFile "$using:Destination/$($_.Name).png" } } else { $response } } Write-Verbose "[$scriptName] - [public] - [Emojis] - [Get-GitHubEmoji] - Done" #endregion - From [public] - [Emojis] - [Get-GitHubEmoji] Write-Verbose "[$scriptName] - [public] - [Emojis] - Done" #endregion - From [public] - [Emojis] #region - From [public] - [Gitignore] Write-Verbose "[$scriptName] - [public] - [Gitignore] - Processing folder" #region - From [public] - [Gitignore] - [Get-GitHubGitignore] Write-Verbose "[$scriptName] - [public] - [Gitignore] - [Get-GitHubGitignore] - Importing" #Requires -Modules DynamicParams filter Get-GitHubGitignore { <# .SYNOPSIS Get a gitignore template or list of all gitignore templates names .DESCRIPTION If no parameters are specified, the function will return a list of all gitignore templates names. If the Name parameter is specified, the function will return the gitignore template for the specified name. .EXAMPLE Get-GitHubGitignoreList Get all gitignore templates .EXAMPLE Get-GitHubGitignore -Name 'VisualStudio' Get a gitignore template for VisualStudio .NOTES [Get a gitignore template](https://docs.github.com/rest/gitignore/gitignore#get-a-gitignore-template) [Get all gitignore templates](https://docs.github.com/rest/gitignore/gitignore#get-all-gitignore-templates) #> [CmdletBinding(DefaultParameterSetName = 'List')] param () dynamicparam { $DynamicParamDictionary = New-DynamicParamDictionary $dynParam = @{ Name = 'Name' ParameterSetName = 'Name' Type = [string] Mandatory = $true ValidateSet = Get-GitHubGitignoreList DynamicParamDictionary = $DynamicParamDictionary } New-DynamicParam @dynParam return $DynamicParamDictionary } process { $Name = $PSBoundParameters['Name'] switch ($PSCmdlet.ParameterSetName) { 'List' { Get-GitHubGitignoreList } 'Name' { Get-GitHubGitignoreByName -Name $Name } } } } Write-Verbose "[$scriptName] - [public] - [Gitignore] - [Get-GitHubGitignore] - Done" #endregion - From [public] - [Gitignore] - [Get-GitHubGitignore] Write-Verbose "[$scriptName] - [public] - [Gitignore] - Done" #endregion - From [public] - [Gitignore] #region - From [public] - [License] Write-Verbose "[$scriptName] - [public] - [License] - Processing folder" #region - From [public] - [License] - [Get-GitHubLicense] Write-Verbose "[$scriptName] - [public] - [License] - [Get-GitHubLicense] - Importing" #Requires -Modules DynamicParams filter Get-GitHubLicense { <# .SYNOPSIS Get a license template, list of all popular license templates or a license for a repository .DESCRIPTION If no parameters are specified, the function will return a list of all license templates. If the Name parameter is specified, the function will return the license template for the specified name. If the Owner and Repo parameters are specified, the function will return the license for the specified repository. .EXAMPLE Get-GitHubLicense Get all license templates .EXAMPLE Get-GitHubLicense -Name mit Get the mit license template .EXAMPLE Get-GitHubLicense -Owner 'octocat' -Repo 'Hello-World' Get the license for the Hello-World repository from the octocat account. .PARAMETER Name The license keyword, license name, or license SPDX ID. For example, mit or mpl-2.0. .NOTES [Get a license](https://docs.github.com/rest/licenses/licenses#get-a-license) [Get all commonly used licenses](https://docs.github.com/rest/licenses/licenses#get-all-commonly-used-licenses) [Get the license for a repository](https://docs.github.com/rest/licenses/licenses#get-the-license-for-a-repository) #> [CmdletBinding(DefaultParameterSetName = 'List')] param ( # The account owner of the repository. The name is not case sensitive. [Parameter(ParameterSetName = 'Repository')] [string] $Owner = (Get-GitHubConfig -Name Owner), # The name of the repository without the .git extension. The name is not case sensitive. [Parameter(ParameterSetName = 'Repository')] [string] $Repo = (Get-GitHubConfig -Name Repo) ) dynamicparam { $DynamicParamDictionary = New-DynamicParamDictionary $dynParam = @{ Name = 'Name' ParameterSetName = 'Name' Type = [string] Mandatory = $true ValidateSet = Get-GitHubLicenseList | Select-Object -ExpandProperty Name DynamicParamDictionary = $DynamicParamDictionary } New-DynamicParam @dynParam return $DynamicParamDictionary } process { $Name = $PSBoundParameters['Name'] switch ($PSCmdlet.ParameterSetName) { 'List' { Get-GitHubLicenseList } 'Name' { Get-GitHubLicenseByName -Name $Name } 'Repository' { Get-GitHubRepositoryLicense -Owner $Owner -Repo $Repo } } } } Write-Verbose "[$scriptName] - [public] - [License] - [Get-GitHubLicense] - Done" #endregion - From [public] - [License] - [Get-GitHubLicense] Write-Verbose "[$scriptName] - [public] - [License] - Done" #endregion - From [public] - [License] #region - From [public] - [Markdown] Write-Verbose "[$scriptName] - [public] - [Markdown] - Processing folder" #region - From [public] - [Markdown] - [Get-GitHubMarkdown] Write-Verbose "[$scriptName] - [public] - [Markdown] - [Get-GitHubMarkdown] - Importing" filter Get-GitHubMarkdown { <# .NOTES [Render a Markdown document](https://docs.github.com/en/rest/markdown/markdown#render-a-markdown-document) #> [CmdletBinding()] param ( [Parameter( Mandatory, ValueFromPipeline, ValueFromPipelineByPropertyName )] [switch] $Text, [Parameter()] [ValidateSet('markdown', 'gfm')] [string] $Mode, [Parameter()] [string] $Context ) $body = @{ context = $Context mode = $Mode text = $Text } $inputObject = @{ APIEndpoint = '/markdown' Method = 'POST' Body = $body } Invoke-GitHubAPI @inputObject | ForEach-Object { Write-Output $_.Response } } Write-Verbose "[$scriptName] - [public] - [Markdown] - [Get-GitHubMarkdown] - Done" #endregion - From [public] - [Markdown] - [Get-GitHubMarkdown] #region - From [public] - [Markdown] - [Get-GitHubMarkdownRaw] Write-Verbose "[$scriptName] - [public] - [Markdown] - [Get-GitHubMarkdownRaw] - Importing" filter Get-GitHubMarkdownRaw { <# .NOTES [Render a Markdown document in raw mode](https://docs.github.com/rest/reference/meta#github-api-root) #> [CmdletBinding()] param ( [Parameter()] [string] $Text ) $inputObject = @{ APIEndpoint = '/markdown/raw' ContentType = 'text/plain' Body = $Text Method = 'POST' } Invoke-GitHubAPI @inputObject | ForEach-Object { Write-Output $_.Response } } Write-Verbose "[$scriptName] - [public] - [Markdown] - [Get-GitHubMarkdownRaw] - Done" #endregion - From [public] - [Markdown] - [Get-GitHubMarkdownRaw] Write-Verbose "[$scriptName] - [public] - [Markdown] - Done" #endregion - From [public] - [Markdown] #region - From [public] - [Meta] Write-Verbose "[$scriptName] - [public] - [Meta] - Processing folder" #region - From [public] - [Meta] - [Get-GitHubApiVersion] Write-Verbose "[$scriptName] - [public] - [Meta] - [Get-GitHubApiVersion] - Importing" filter Get-GitHubApiVersion { <# .SYNOPSIS Get all API versions. .DESCRIPTION Get all supported GitHub API versions. .EXAMPLE Get-GitHubApiVersion Get all supported GitHub API versions. .NOTES [Get all API versions](https://docs.github.com/rest/meta/meta#get-all-api-versions) #> [OutputType([string[]])] [CmdletBinding()] param () $inputObject = @{ ApiEndpoint = '/versions' Method = 'GET' } Invoke-GitHubAPI @inputObject | ForEach-Object { Write-Output $_.Response } } Write-Verbose "[$scriptName] - [public] - [Meta] - [Get-GitHubApiVersion] - Done" #endregion - From [public] - [Meta] - [Get-GitHubApiVersion] #region - From [public] - [Meta] - [Get-GitHubMeta] Write-Verbose "[$scriptName] - [public] - [Meta] - [Get-GitHubMeta] - Importing" filter Get-GitHubMeta { <# .SYNOPSIS Get GitHub meta information. .DESCRIPTION Returns meta information about GitHub, including a list of GitHub's IP addresses. For more information, see "[About GitHub's IP addresses](https://docs.github.com/articles/about-github-s-ip-addresses/)." The API's response also includes a list of GitHub's domain names. The values shown in the documentation's response are example values. You must always query the API directly to get the latest values. **Note:** This endpoint returns both IPv4 and IPv6 addresses. However, not all features support IPv6. You should refer to the specific documentation for each feature to determine if IPv6 is supported. .EXAMPLE Get-GitHubMeta Returns meta information about GitHub, including a list of GitHub's IP addresses. .NOTES [Get GitHub meta information](https://docs.github.com/rest/meta/meta#get-apiname-meta-information) #> [OutputType([object])] [CmdletBinding()] param () $inputObject = @{ ApiEndpoint = '/meta' Method = 'GET' } Invoke-GitHubAPI @inputObject | ForEach-Object { Write-Output $_.Response } } Write-Verbose "[$scriptName] - [public] - [Meta] - [Get-GitHubMeta] - Done" #endregion - From [public] - [Meta] - [Get-GitHubMeta] #region - From [public] - [Meta] - [Get-GitHubOctocat] Write-Verbose "[$scriptName] - [public] - [Meta] - [Get-GitHubOctocat] - Importing" filter Get-GitHubOctocat { <# .SYNOPSIS Get Octocat. .DESCRIPTION Get the octocat as ASCII art. .EXAMPLE Get-GitHubOctocat Get the octocat as ASCII art .EXAMPLE Get-GitHubOctocat -S "Hello world" Get the octocat as ASCII art with a custom saying .NOTES [Get Octocat](https://docs.github.com/rest/meta/meta#get-octocat) #> [OutputType([string])] [CmdletBinding()] param ( # The words to show in Octocat's speech bubble [Parameter()] [Alias('Say')] [Alias('Saying')] [string] $S ) $body = @{ s = $S } $inputObject = @{ APIEndpoint = '/octocat' Method = 'GET' Body = $body } Invoke-GitHubAPI @inputObject | ForEach-Object { Write-Output $_.Response } } Write-Verbose "[$scriptName] - [public] - [Meta] - [Get-GitHubOctocat] - Done" #endregion - From [public] - [Meta] - [Get-GitHubOctocat] #region - From [public] - [Meta] - [Get-GitHubRoot] Write-Verbose "[$scriptName] - [public] - [Meta] - [Get-GitHubRoot] - Importing" filter Get-GitHubRoot { <# .SYNOPSIS GitHub API Root. .DESCRIPTION Get Hypermedia links to resources accessible in GitHub's REST API. .EXAMPLE Get-GitHubRoot Get the root endpoint for the GitHub API. .NOTES [GitHub API Root](https://docs.github.com/rest/meta/meta#github-api-root) #> [CmdletBinding()] param () $inputObject = @{ APIEndpoint = '/' Method = 'GET' } Invoke-GitHubAPI @inputObject | ForEach-Object { Write-Output $_.Response } } Write-Verbose "[$scriptName] - [public] - [Meta] - [Get-GitHubRoot] - Done" #endregion - From [public] - [Meta] - [Get-GitHubRoot] #region - From [public] - [Meta] - [Get-GitHubZen] Write-Verbose "[$scriptName] - [public] - [Meta] - [Get-GitHubZen] - Importing" filter Get-GitHubZen { <# .SYNOPSIS Get the Zen of GitHub. .DESCRIPTION Get a random sentence from the Zen of GitHub. .EXAMPLE Get-GitHubZen Get a random sentence from the Zen of GitHub. .NOTES [Get the Zen of GitHub](https://docs.github.com/rest/meta/meta#get-the-zen-of-github) #> [CmdletBinding()] param () $inputObject = @{ APIEndpoint = '/zen' Method = 'GET' } Invoke-GitHubAPI @inputObject | ForEach-Object { Write-Output $_.Response } } Write-Verbose "[$scriptName] - [public] - [Meta] - [Get-GitHubZen] - Done" #endregion - From [public] - [Meta] - [Get-GitHubZen] Write-Verbose "[$scriptName] - [public] - [Meta] - Done" #endregion - From [public] - [Meta] #region - From [public] - [Organization] Write-Verbose "[$scriptName] - [public] - [Organization] - Processing folder" #region - From [public] - [Organization] - [Get-GitHubOrganization] Write-Verbose "[$scriptName] - [public] - [Organization] - [Get-GitHubOrganization] - Importing" filter Get-GitHubOrganization { <# .SYNOPSIS List organization .DESCRIPTION List organizations for the authenticated user - if no parameters are provided. List organizations for a user - if a username is provided. Lists all organizations, in the order that they were created on GitHub - if '-All' is provided. Get an organization - if a organization name is provided. .EXAMPLE Get-GitHubOrganization List organizations for the authenticated user. .EXAMPLE Get-GitHubOrganization -Username 'octocat' List public organizations for the user 'octocat'. .EXAMPLE Get-GitHubOrganization -All -Since 142951047 List organizations, starting with PSModule. .EXAMPLE Get-GitHubOrganization -Name 'PSModule' Get the organization 'PSModule'. .NOTES [List organizations](https://docs.github.com/rest/orgs/orgs) #> [OutputType([pscustomobject])] [CmdletBinding(DefaultParameterSetName = '__DefaultSet')] [System.Diagnostics.CodeAnalysis.SuppressMessageAttribute('PSReviewUnusedParameter', 'All', Justification = 'Required for parameter set')] param ( # The organization name. The name is not case sensitive. [Parameter( Mandatory, ParameterSetName = 'NamedOrg', ValueFromPipelineByPropertyName )] [Alias('login')] [Alias('org')] [Alias('owner')] [string] $OrganizationName, # The handle for the GitHub user account. [Parameter( Mandatory, ParameterSetName = 'NamedUser', ValueFromPipelineByPropertyName )] [string] $Username, # List all organizations. Use '-Since' to start at a specific organization ID. [Parameter( Mandatory, ParameterSetName = 'AllOrg' )] [switch] $All, # A organization ID. Only return organizations with an ID greater than this ID. [Parameter(ParameterSetName = 'AllOrg')] [int] $Since = 0, # The number of results per page (max 100). [Parameter(ParameterSetName = 'AllOrg')] [Parameter(ParameterSetName = 'UserOrg')] [Parameter(ParameterSetName = '__DefaultSet')] [ValidateRange(1, 100)] [int] $PerPage = 30 ) switch ($PSCmdlet.ParameterSetName) { '__DefaultSet' { Get-GitHubMyOrganization -PerPage $PerPage | Get-GitHubOrganizationByName } 'NamedOrg' { Get-GitHubOrganizationByName -OrganizationName $OrganizationName } 'NamedUser' { Get-GitHubUserOrganization -Username $Username } 'AllOrg' { Get-GitHubAllOrganization -Since $Since -PerPage $PerPage } } } Write-Verbose "[$scriptName] - [public] - [Organization] - [Get-GitHubOrganization] - Done" #endregion - From [public] - [Organization] - [Get-GitHubOrganization] #region - From [public] - [Organization] - [Get-GitHubOrganizationAppInstallation] Write-Verbose "[$scriptName] - [public] - [Organization] - [Get-GitHubOrganizationAppInstallation] - Importing" filter Get-GitHubOrganizationAppInstallation { <# .SYNOPSIS List app installations for an organization .DESCRIPTION Lists all GitHub Apps in an organization. The installation count includes all GitHub Apps installed on repositories in the organization. You must be an organization owner with `admin:read` scope to use this endpoint. .EXAMPLE Get-GitHubOrganizationAppInstallation -OrganizationName 'github' Gets all GitHub Apps in the organization `github`. .NOTES [List app installations for an organization](https://docs.github.com/rest/orgs/orgs#list-app-installations-for-an-organization) #> [OutputType([pscustomobject])] [CmdletBinding()] param ( # The organization name. The name is not case sensitive. [Parameter( Mandatory, ValueFromPipeline, ValueFromPipelineByPropertyName )] [Alias('org')] [Alias('owner')] [Alias('login')] [string] $OrganizationName, # The number of results per page (max 100). [Parameter()] [ValidateRange(1, 100)] [int] $PerPage = 30 ) $body = @{ per_page = $PerPage } $inputObject = @{ APIEndpoint = "/orgs/$OrganizationName/installations" Method = 'GET' Body = $body } Invoke-GitHubAPI @inputObject | ForEach-Object { Write-Output $_.Response.installations } } Write-Verbose "[$scriptName] - [public] - [Organization] - [Get-GitHubOrganizationAppInstallation] - Done" #endregion - From [public] - [Organization] - [Get-GitHubOrganizationAppInstallation] #region - From [public] - [Organization] - [Remove-GitHubOrganization] Write-Verbose "[$scriptName] - [public] - [Organization] - [Remove-GitHubOrganization] - Importing" filter Remove-GitHubOrganization { <# .SYNOPSIS Delete an organization .DESCRIPTION Deletes an organization and all its repositories. The organization login will be unavailable for 90 days after deletion. Please review the [GitHub Terms of Service](https://docs.github.com/site-policy/github-terms/github-terms-of-service) regarding account deletion before using this endpoint. .EXAMPLE Remove-GitHubOrganization -OrganizationName 'GitHub' Deletes the organization 'GitHub' and all its repositories. .NOTES [Delete an organization](https://docs.github.com/rest/orgs/orgs#delete-an-organization) #> [OutputType([pscustomobject])] [CmdletBinding(SupportsShouldProcess)] param ( # The organization name. The name is not case sensitive. [Parameter( Mandatory, ValueFromPipeline, ValueFromPipelineByPropertyName )] [Alias('org')] [Alias('owner')] [Alias('login')] [string] $OrganizationName ) $inputObject = @{ APIEndpoint = "/orgs/$OrganizationName" Method = 'DELETE' } if ($PSCmdlet.ShouldProcess("organization [$OrganizationName]", 'Delete')) { Invoke-GitHubAPI @inputObject | ForEach-Object { Write-Output $_.Response } } } Write-Verbose "[$scriptName] - [public] - [Organization] - [Remove-GitHubOrganization] - Done" #endregion - From [public] - [Organization] - [Remove-GitHubOrganization] #region - From [public] - [Organization] - [Set-GitHubOrganization] Write-Verbose "[$scriptName] - [public] - [Organization] - [Set-GitHubOrganization] - Importing" filter Set-GitHubOrganization { <# .SYNOPSIS Update an organization .DESCRIPTION **Parameter Deprecation Notice:** GitHub will replace and discontinue `members_allowed_repository_creation_type` in favor of more granular permissions. The new input parameters are `members_can_create_public_repositories`, `members_can_create_private_repositories` for all organizations and `members_can_create_internal_repositories` for organizations associated with an enterprise account using GitHub Enterprise Cloud or GitHub Enterprise Server 2.20+. For more information, see the [blog post](https://developer.github.com/changes/2019-12-03-internal-visibility-changes). Enables an authenticated organization owner with the `admin:org` scope or the `repo` scope to update the organization's profile and member privileges. .EXAMPLE Set-GitHubOrganization -OrganizationName 'GitHub' -Blog 'https://github.blog' Sets the blog URL for the organization 'GitHub' to '<https://github.blog>'. .EXAMPLE $param = @{ OrganizationName = 'GitHub' MembersCanCreatePublicRepositories = $true MembersCanCreatePrivateRepositories = $true MembersCanCreateInternalRepositories = $true } Set-GitHubOrganization @param Sets the repository creation permissions for the organization 'GitHub' to allow all members to create public, private, and internal repositories. .NOTES [Update an organization](https://docs.github.com/rest/orgs/orgs#update-an-organization) #> [OutputType([pscustomobject])] [CmdletBinding(SupportsShouldProcess)] param ( # The organization name. The name is not case sensitive. [Parameter( Mandatory, ValueFromPipeline, ValueFromPipelineByPropertyName )] [Alias('org')] [Alias('owner')] [Alias('login')] [string] $OrganizationName, # Billing email address. This address is not publicized. [Parameter(ValueFromPipelineByPropertyName)] [Alias('billing_email')] [string] $BillingEmail, # The company name. [Parameter(ValueFromPipelineByPropertyName)] [string] $Company, # The publicly visible email address. [Parameter(ValueFromPipelineByPropertyName)] [string] $Email, # The Twitter username of the company. [Parameter(ValueFromPipelineByPropertyName)] [Alias('twitter_username')] [string] $TwitterUsername, # The location. [Parameter(ValueFromPipelineByPropertyName)] [string] $Location, # The shorthand name of the company. [Parameter(ValueFromPipelineByPropertyName)] [string] $Name, # The description of the company. [Parameter(ValueFromPipelineByPropertyName)] [string] $Description, # Whether an organization can use organization projects. [Parameter(ValueFromPipelineByPropertyName)] [Alias('has_organization_projects')] [bool] $HasOrganizationProjects, # Whether repositories that belong to the organization can use repository projects. [Parameter(ValueFromPipelineByPropertyName)] [Alias('has_repository_projects')] [bool] $HasRepositoryProjects, # Default permission level members have for organization repositories. [Parameter(ValueFromPipelineByPropertyName)] [Alias('default_repository_permission')] [ValidateSet('read', 'write', 'admin', 'none')] [string] $DefaultRepositoryPermission, # Whether of non-admin organization members can create repositories. # Note: A parameter can override this parameter. See members_allowed_repository_creation_type in this table for details. [Parameter(ValueFromPipelineByPropertyName)] [Alias('members_can_create_repositories')] [bool] $MembersCanCreateRepositories = $true, # Whether organization members can create internal repositories, which are visible to all enterprise members. # You can only allow members to create internal repositories if your organization is associated with an enterprise # account using GitHub Enterprise Cloud or GitHub Enterprise Server 2.20+. For more information, see # "Restricting repository creation in your organization" in the GitHub Help documentation. [Parameter(ValueFromPipelineByPropertyName)] [Alias('members_can_create_internal_repositories')] [bool] $MembersCanCreateInternalRepositories, # Whether organization members can create private repositories, which are visible to organization members with permission. # For more information, see "Restricting repository creation in your organization" in the GitHub Help documentation. [Parameter(ValueFromPipelineByPropertyName)] [Alias('members_can_create_private_repositories')] [bool] $MembersCanCreatePrivateRepositories, # Whether organization members can create public repositories, which are visible to anyone. For more information, # see 'Restricting repository creation in your organization' in the GitHub Help documentation. [Parameter(ValueFromPipelineByPropertyName)] [Alias('members_can_create_public_repositories')] [bool] $MembersCanCreatePublicRepositories, # Specifies which types of repositories non-admin organization members can create. private is only available to # repositories that are part of an organization on GitHub Enterprise Cloud. Note: This parameter is deprecated and # will be removed in the future. Its return value ignores internal repositories. Using this parameter overrides values # set in members_can_create_repositories. See the parameter deprecation notice in the operation description for details. [Parameter(ValueFromPipelineByPropertyName)] [Alias('members_allowed_repository_creation_type')] [ValidateSet('all', 'private', 'none')] [string] $MembersAllowedRepositoryCreationType, # Whether organization members can create GitHub Pages sites. Existing published sites will not be impacted. [Parameter(ValueFromPipelineByPropertyName)] [Alias('members_can_create_pages')] [bool] $MembersCanCreatePages = $true, # Whether organization members can create public GitHub Pages sites. Existing published sites will not be impacted. [Parameter(ValueFromPipelineByPropertyName)] [Alias('members_can_create_public_pages')] [bool] $MembersCanCreatePublicPages = $true, # Whether organization members can create private GitHub Pages sites. Existing published sites will not be impacted. [Parameter(ValueFromPipelineByPropertyName)] [Alias('members_can_create_private_pages')] [bool] $MembersCanCreatePrivatePages = $true, # Whether organization members can fork private organization repositories. [Parameter(ValueFromPipelineByPropertyName)] [Alias('members_can_fork_private_repositories')] [bool] $MembersCanForkPrivateRepositories = $false, # Whether contributors to organization repositories are required to sign off on commits they make through GitHub's web interface. [Parameter(ValueFromPipelineByPropertyName)] [Alias('web_commit_signoff_required')] [bool] $WebCommitSignoffRequired = $false, # Path to the organization's blog. [Parameter(ValueFromPipelineByPropertyName)] [string] $Blog, # Whether GitHub Advanced Security is automatically enabled for new repositories. # To use this parameter, you must have admin permissions for the repository or be an owner or security manager for # the organization that owns the repository. For more information, see "Managing security managers in your organization." # You can check which security and analysis features are currently enabled by using a GET /orgs/{org} request. [Parameter(ValueFromPipelineByPropertyName)] [Alias('advanced_security_enabled_for_new_repositories')] [bool] $AdvancedSecurityEnabledForNewRepositories = $false, # Whether Dependabot alerts is automatically enabled for new repositories. # To use this parameter, you must have admin permissions for the repository or be an owner or security manager for # the organization that owns the repository. For more information, see "Managing security managers in your organization." # You can check which security and analysis features are currently enabled by using a GET /orgs/{org} request. [Parameter(ValueFromPipelineByPropertyName)] [Alias('dependabot_alerts_enabled_for_new_repositories')] [bool] $DependabotAlertsEnabledForNewRepositories = $false, # Whether Dependabot security updates is automatically enabled for new repositories. # To use this parameter, you must have admin permissions for the repository or be an owner or security manager for # the organization that owns the repository. For more information, see "Managing security managers in your organization." # You can check which security and analysis features are currently enabled by using a GET /orgs/{org} request. [Parameter(ValueFromPipelineByPropertyName)] [Alias('dependabot_security_updates_enabled_for_new_repositories')] [bool] $DependabotSecurityUpdatesEnabledForNewRepositories = $false, # Whether dependency graph is automatically enabled for new repositories. # To use this parameter, you must have admin permissions for the repository or be an owner or security manager for # the organization that owns the repository. For more information, see "Managing security managers in your organization." # You can check which security and analysis features are currently enabled by using a GET /orgs/{org} request. [Parameter(ValueFromPipelineByPropertyName)] [Alias('dependency_graph_enabled_for_new_repositories')] [bool] $DependencyGraphEnabledForNewRepositories = $false, # Whether secret scanning is automatically enabled for new repositories. # To use this parameter, you must have admin permissions for the repository or be an owner or security manager for # the organization that owns the repository. For more information, see "Managing security managers in your organization." # You can check which security and analysis features are currently enabled by using a GET /orgs/{org} request. [Parameter(ValueFromPipelineByPropertyName)] [Alias('secret_scanning_enabled_for_new_repositories')] [bool] $SecretScanningEnabledForNewRepositories = $false, # Whether secret scanning push protection is automatically enabled for new repositories. # To use this parameter, you must have admin permissions for the repository or be an owner or security manager for # the organization that owns the repository. For more information, see "Managing security managers in your organization." # You can check which security and analysis features are currently enabled by using a GET /orgs/{org} request. [Parameter(ValueFromPipelineByPropertyName)] [Alias('secret_scanning_push_protection_enabled_for_new_repositories')] [bool] $SecretScanningPushProtectionEnabledForNewRepositories = $false, # Whether a custom link is shown to contributors who are blocked from pushing a secret by push protection. [Parameter(ValueFromPipelineByPropertyName)] [Alias('secret_scanning_push_protection_custom_link_enabled')] [bool] $SecretScanningPushProtectionCustomLinkEnabled = $false, # If secret_scanning_push_protection_custom_link_enabled is true, the URL that will be displayed to contributors who # are blocked from pushing a secret. [Parameter(ValueFromPipelineByPropertyName)] [Alias('secret_scanning_push_protection_custom_link')] [string] $SecretScanningPushProtectionCustomLink ) $body = $PSBoundParameters | ConvertFrom-HashTable | ConvertTo-HashTable -NameCasingStyle snake_case Remove-HashtableEntry -Hashtable $body -RemoveNames 'organization_name' $inputObject = @{ APIEndpoint = "/orgs/$OrganizationName" Method = 'PATCH' Body = $body } if ($PSCmdlet.ShouldProcess("organization [$OrganizationName]", 'Set')) { Invoke-GitHubAPI @inputObject | ForEach-Object { Write-Output $_.Response } } } Write-Verbose "[$scriptName] - [public] - [Organization] - [Set-GitHubOrganization] - Done" #endregion - From [public] - [Organization] - [Set-GitHubOrganization] #region - From [public] - [Organization] - [Set-GitHubOrganizationSecurityFeature] Write-Verbose "[$scriptName] - [public] - [Organization] - [Set-GitHubOrganizationSecurityFeature] - Importing" filter Set-GitHubOrganizationSecurityFeature { <# .SYNOPSIS Enable or disable a security feature for an organization .DESCRIPTION Enables or disables the specified security feature for all eligible repositories in an organization. To use this endpoint, you must be an organization owner or be member of a team with the security manager role. A token with the 'write:org' scope is also required. GitHub Apps must have the `organization_administration:write` permission to use this endpoint. For more information, see "[Managing security managers in your organization](https://docs.github.com/organizations/managing-peoples-access-to-your-organization-with-roles/managing-security-managers-in-your-organization)." .EXAMPLE Set-GitHubOrganizationSecurityFeature -OrganizationName 'github' -SecurityProduct 'dependency_graph' -Enablement 'enable_all' Enable the dependency graph for all repositories in the organization `github`. .NOTES [Enable or disable a security feature for an organization](https://docs.github.com/rest/orgs/orgs#enable-or-disable-a-security-feature-for-an-organization) #> [OutputType([pscustomobject])] [Diagnostics.CodeAnalysis.SuppressMessageAttribute('PSAvoidLongLines', '', Justification = 'Long link in notes.')] [CmdletBinding(SupportsShouldProcess)] param ( # The organization name. The name is not case sensitive. [Parameter(Mandatory)] [Alias('org')] [Alias('owner')] [Alias('login')] [string] $OrganizationName, # The security feature to enable or disable. [Parameter(Mandatory)] [Alias('security_product')] [ValidateSet( 'dependency_graph', 'dependabot_alerts', 'dependabot_security_updates', 'advanced_security', 'code_scanning_default_setup', 'secret_scanning', 'secret_scanning_push_protection' )] [string] $SecurityProduct, # The action to take. # enable_all means to enable the specified security feature for all repositories in the organization. disable_all # means to disable the specified security feature for all repositories in the organization. [Parameter(Mandatory)] [ValidateSet( 'enable_all', 'disable_all' )] [string] $Enablement, # CodeQL query suite to be used. If you specify the query_suite parameter, the default setup will be configured with # this query suite only on all repositories that didn't have default setup already configured. It will not change the # query suite on repositories that already have default setup configured. If you don't specify any query_suite in your # request, the preferred query suite of the organization will be applied. [Parameter()] [Alias('query_suite')] [ValidateSet( 'default', 'extended' )] [string] $QuerySuite ) $body = @{ query_suite = $QuerySuite } $inputObject = @{ APIEndpoint = "/orgs/$OrganizationName/$SecurityProduct/$Enablement" Method = 'POST' Body = $body } if ($PSCmdlet.ShouldProcess("security feature [$SecurityProduct] on organization [$OrganizationName]", 'Set')) { Invoke-GitHubAPI @inputObject | ForEach-Object { Write-Output $_.Response } } } Write-Verbose "[$scriptName] - [public] - [Organization] - [Set-GitHubOrganizationSecurityFeature] - Done" #endregion - From [public] - [Organization] - [Set-GitHubOrganizationSecurityFeature] Write-Verbose "[$scriptName] - [public] - [Organization] - Done" #endregion - From [public] - [Organization] #region - From [public] - [Rate-Limit] Write-Verbose "[$scriptName] - [public] - [Rate-Limit] - Processing folder" #region - From [public] - [Rate-Limit] - [Get-GitHubRateLimit] Write-Verbose "[$scriptName] - [public] - [Rate-Limit] - [Get-GitHubRateLimit] - Importing" filter Get-GitHubRateLimit { <# .SYNOPSIS Get rate limit status for the authenticated user .DESCRIPTION **Note:** Accessing this endpoint does not count against your REST API rate limit. Some categories of endpoints have custom rate limits that are separate from the rate limit governing the other REST API endpoints. For this reason, the API response categorizes your rate limit. Under `resources`, you'll see objects relating to different categories: * The `core` object provides your rate limit status for all non-search-related resources in the REST API. * The `search` object provides your rate limit status for the REST API for searching (excluding code searches). For more information, see "[Search](https://docs.github.com/rest/search)." * The `code_search` object provides your rate limit status for the REST API for searching code. For more information, see "[Search code](https://docs.github.com/rest/search/search#search-code)." * The `graphql` object provides your rate limit status for the GraphQL API. For more information, see "[Resource limitations](https://docs.github.com/graphql/overview/resource-limitations#rate-limit)." * The `integration_manifest` object provides your rate limit status for the `POST /app-manifests/{code}/conversions` operation. For more information, see "[Creating a GitHub App from a manifest](https://docs.github.com/apps/creating-github-apps/setting-up-a-github-app/creating-a-github-app-from-a-manifest#3-you-exchange-the-temporary-code-to-retrieve-the-app-configuration)." * The `dependency_snapshots` object provides your rate limit status for submitting snapshots to the dependency graph. For more information, see "[Dependency graph](https://docs.github.com/rest/dependency-graph)." * The `code_scanning_upload` object provides your rate limit status for uploading SARIF results to code scanning. For more information, see "[Uploading a SARIF file to GitHub](https://docs.github.com/code-security/code-scanning/integrating-with-code-scanning/uploading-a-sarif-file-to-github)." * The `actions_runner_registration` object provides your rate limit status for registering self-hosted runners in GitHub Actions. For more information, see "[Self-hosted runners](https://docs.github.com/rest/actions/self-hosted-runners)." * The `source_import` object is no longer in use for any API endpoints, and it will be removed in the next API version. For more information about API versions, see "[API Versions](https://docs.github.com/rest/overview/api-versions)." **Note:** The `rate` object is deprecated. If you're writing new API client code or updating existing code, you should use the `core` object instead of the `rate` object. The `core` object contains the same information that is present in the `rate` object. .EXAMPLE Get-GitHubRateLimit Gets the rate limit status for the authenticated user. .NOTES [Get rate limit status for the authenticated user](https://docs.github.com/rest/rate-limit/rate-limit#get-rate-limit-status-for-the-authenticated-user) #> [OutputType([pscustomobject])] [Diagnostics.CodeAnalysis.SuppressMessageAttribute('PSAvoidLongLines', '', Justification = 'Contains a long link.')] [CmdletBinding()] param () $inputObject = @{ APIEndpoint = '/rate_limit' Method = 'GET' } Invoke-GitHubAPI @inputObject | ForEach-Object { Write-Output $_.Response.Resources } } Write-Verbose "[$scriptName] - [public] - [Rate-Limit] - [Get-GitHubRateLimit] - Done" #endregion - From [public] - [Rate-Limit] - [Get-GitHubRateLimit] Write-Verbose "[$scriptName] - [public] - [Rate-Limit] - Done" #endregion - From [public] - [Rate-Limit] #region - From [public] - [Releases] Write-Verbose "[$scriptName] - [public] - [Releases] - Processing folder" #region - From [public] - [Releases] - [Assets] Write-Verbose "[$scriptName] - [public] - [Releases] - [Assets] - Processing folder" #region - From [public] - [Releases] - [Assets] - [Add-GitHubReleaseAsset] Write-Verbose "[$scriptName] - [public] - [Releases] - [Assets] - [Add-GitHubReleaseAsset] - Importing" filter Add-GitHubReleaseAsset { <# .SYNOPSIS Upload a release asset .DESCRIPTION This endpoint makes use of [a Hypermedia relation](https://docs.github.com/rest/overview/resources-in-the-rest-api#hypermedia) to determine which URL to access. The endpoint you call to upload release assets is specific to your release. Use the `upload_url` returned in the response of the [Create a release endpoint](https://docs.github.com/rest/releases/releases#create-a-release) to upload a release asset. You need to use an HTTP client which supports [SNI](http://en.wikipedia.org/wiki/Server_Name_Indication) to make calls to this endpoint. Most libraries will set the required `Content-Length` header automatically. Use the required `Content-Type` header to provide the media type of the asset. For a list of media types, see [Media Types](https://www.iana.org/assignments/media-types/media-types.xhtml). For example: `application/zip` GitHub expects the asset data in its raw binary form, rather than JSON. You will send the raw binary content of the asset as the request body. Everything else about the endpoint is the same as the rest of the API. For example, you'll still need to pass your authentication to be able to upload an asset. When an upstream failure occurs, you will receive a `502 Bad Gateway` status. This may leave an empty asset with a state of `starter`. It can be safely deleted. **Notes:** * GitHub renames asset filenames that have special characters, non-alphanumeric characters, and leading or trailing periods. The "[List release assets](https://docs.github.com/rest/releases/assets#list-release-assets)" endpoint lists the renamed filenames. For more information and help, contact [GitHub Support](https://support.github.com/contact?tags=dotcom-rest-api). * To find the `release_id` query the [`GET /repos/{owner}/{repo}/releases/latest` endpoint](https://docs.github.com/rest/releases/releases#get-the-latest-release). * If you upload an asset with the same filename as another uploaded asset, you'll receive an error and must delete the old file before you can re-upload the new asset. .EXAMPLE Add-GitHubReleaseAsset -Owner 'octocat' -Repo 'hello-world' -ID '7654321' -FilePath 'C:\Users\octocat\Downloads\hello-world.zip' Gets the release assets for the release with the ID '1234567' for the repository 'octocat/hello-world'. .NOTES [Upload a release asset](https://docs.github.com/rest/releases/assets#upload-a-release-asset) #> [CmdletBinding()] param ( # The account owner of the repository. The name is not case sensitive. [Parameter()] [string] $Owner = (Get-GitHubConfig -Name Owner), # The name of the repository without the .git extension. The name is not case sensitive. [Parameter()] [string] $Repo = (Get-GitHubConfig -Name Repo), # The unique identifier of the release. [Parameter(Mandatory)] [Alias('release_id')] [string] $ID, #The name of the file asset. [Parameter()] [string] $Name, # An alternate short description of the asset. Used in place of the filename. [Parameter()] [string] $Label, # The content type of the asset. [Parameter()] [string] $ContentType, # The path to the asset file. [Parameter(Mandatory)] [alias('fullname')] [string] $FilePath ) # If name is not provided, use the name of the file if (!$Name) { $Name = (Get-Item $FilePath).Name } # If label is not provided, use the name of the file if (!$Label) { $Label = (Get-Item $FilePath).Name } # If content type is not provided, use the file extension if (!$ContentType) { $ContentType = switch ((Get-Item $FilePath).Extension) { '.zip' { 'application/zip' } '.tar' { 'application/x-tar' } '.gz' { 'application/gzip' } '.bz2' { 'application/x-bzip2' } '.xz' { 'application/x-xz' } '.7z' { 'application/x-7z-compressed' } '.rar' { 'application/vnd.rar' } '.tar.gz' { 'application/gzip' } '.tgz' { 'application/gzip' } '.tar.bz2' { 'application/x-bzip2' } '.tar.xz' { 'application/x-xz' } '.tar.7z' { 'application/x-7z-compressed' } '.tar.rar' { 'application/vnd.rar' } '.png' { 'image/png' } '.json' { 'application/json' } '.txt' { 'text/plain' } '.md' { 'text/markdown' } '.html' { 'text/html' } default { 'application/octet-stream' } } } $body = $PSBoundParameters | ConvertFrom-HashTable | ConvertTo-HashTable -NameCasingStyle snake_case Remove-HashtableEntry -Hashtable $body -RemoveNames 'Owner', 'Repo', 'ID', 'FilePath' $body['name'] = $Name $body['label'] = $Label Remove-HashtableEntry -Hashtable $body -NullOrEmptyValues $release = Get-GitHubRelease -Owner $Owner -Repo $Repo -ID $ID $uploadURI = $release.upload_url -replace '{\?name,label}', "?name=$($Name)&label=$($Label)" $inputObject = @{ URI = $uploadURI Method = 'POST' ContentType = $ContentType UploadFilePath = $FilePath } Invoke-GitHubAPI @inputObject | ForEach-Object { Write-Output $_.Response } } Write-Verbose "[$scriptName] - [public] - [Releases] - [Assets] - [Add-GitHubReleaseAsset] - Done" #endregion - From [public] - [Releases] - [Assets] - [Add-GitHubReleaseAsset] #region - From [public] - [Releases] - [Assets] - [Get-GitHubReleaseAsset] Write-Verbose "[$scriptName] - [public] - [Releases] - [Assets] - [Get-GitHubReleaseAsset] - Importing" filter Get-GitHubReleaseAsset { <# .SYNOPSIS List release assets based on a release ID or asset ID .DESCRIPTION If an asset ID is provided, the asset is returned. If a release ID is provided, all assets for the release are returned. .EXAMPLE Get-GitHubReleaseAsset -Owner 'octocat' -Repo 'hello-world' -ID '1234567' Gets the release asset with the ID '1234567' for the repository 'octocat/hello-world'. .EXAMPLE Get-GitHubReleaseAsset -Owner 'octocat' -Repo 'hello-world' -ReleaseID '7654321' Gets the release assets for the release with the ID '7654321' for the repository 'octocat/hello-world'. .NOTES [Get a release asset](https://docs.github.com/rest/releases/assets#get-a-release-asset) #> [CmdletBinding()] param ( # The account owner of the repository. The name is not case sensitive. [Parameter()] [string] $Owner = (Get-GitHubConfig -Name Owner), # The name of the repository without the .git extension. The name is not case sensitive. [Parameter()] [string] $Repo = (Get-GitHubConfig -Name Repo), # The unique identifier of the asset. [Parameter( Mandatory, ParameterSetName = 'ID' )] [Alias('asset_id')] [string] $ID, # The unique identifier of the release. [Parameter( Mandatory, ParameterSetName = 'ReleaseID' )] [Alias('release_id')] [string] $ReleaseID ) if ($ReleaseID) { Get-GitHubReleaseAssetByReleaseID -Owner $Owner -Repo $Repo -ReleaseID $ReleaseID } if ($ID) { Get-GitHubReleaseAssetByID -Owner $Owner -Repo $Repo -ID $ID } } Write-Verbose "[$scriptName] - [public] - [Releases] - [Assets] - [Get-GitHubReleaseAsset] - Done" #endregion - From [public] - [Releases] - [Assets] - [Get-GitHubReleaseAsset] #region - From [public] - [Releases] - [Assets] - [Remove-GitHubReleaseAsset] Write-Verbose "[$scriptName] - [public] - [Releases] - [Assets] - [Remove-GitHubReleaseAsset] - Importing" filter Remove-GitHubReleaseAsset { <# .SYNOPSIS Delete a release asset .DESCRIPTION Delete a release asset .EXAMPLE Remove-GitHubReleaseAsset -Owner 'octocat' -Repo 'hello-world' -ID '1234567' Deletes the release asset with the ID '1234567' for the repository 'octocat/hello-world'. .NOTES [Delete a release asset](https://docs.github.com/rest/releases/assets#delete-a-release-asset) #> [CmdletBinding(SupportsShouldProcess)] param ( # The account owner of the repository. The name is not case sensitive. [Parameter()] [string] $Owner = (Get-GitHubConfig -Name Owner), # The name of the repository without the .git extension. The name is not case sensitive. [Parameter()] [string] $Repo = (Get-GitHubConfig -Name Repo), # The unique identifier of the asset. [Parameter(Mandatory)] [Alias('asset_id')] [string] $ID ) $inputObject = @{ APIEndpoint = "/repos/$Owner/$Repo/releases/assets/$ID" Method = 'DELETE' } if ($PSCmdlet.ShouldProcess("Asset with ID [$ID] in [$Owner/$Repo]", 'Delete')) { Invoke-GitHubAPI @inputObject | ForEach-Object { Write-Output $_.Response } } } Write-Verbose "[$scriptName] - [public] - [Releases] - [Assets] - [Remove-GitHubReleaseAsset] - Done" #endregion - From [public] - [Releases] - [Assets] - [Remove-GitHubReleaseAsset] #region - From [public] - [Releases] - [Assets] - [Set-GitHubReleaseAsset] Write-Verbose "[$scriptName] - [public] - [Releases] - [Assets] - [Set-GitHubReleaseAsset] - Importing" filter Set-GitHubReleaseAsset { <# .SYNOPSIS Update a release asset .DESCRIPTION Users with push access to the repository can edit a release asset. .EXAMPLE Set-GitHubReleaseAsset -Owner 'octocat' -Repo 'hello-world' -ID '1234567' -Name 'new_asset_name' -Label 'new_asset_label' Updates the release asset with the ID '1234567' for the repository 'octocat/hello-world' with the new name 'new_asset_name' and label 'new_asset_label'. .NOTES [Update a release asset](https://docs.github.com/rest/releases/assets#update-a-release-asset) #> [CmdletBinding(SupportsShouldProcess)] param ( # The account owner of the repository. The name is not case sensitive. [Parameter()] [string] $Owner = (Get-GitHubConfig -Name Owner), # The name of the repository without the .git extension. The name is not case sensitive. [Parameter()] [string] $Repo = (Get-GitHubConfig -Name Repo), # The unique identifier of the asset. [Parameter(Mandatory)] [Alias('asset_id')] [string] $ID, #The name of the file asset. [Parameter()] [string] $Name, # An alternate short description of the asset. Used in place of the filename. [Parameter()] [string] $Label, # State of the release asset. [Parameter()] [ValidateSet('uploaded', 'open')] [string] $State ) $body = $PSBoundParameters | ConvertFrom-HashTable | ConvertTo-HashTable -NameCasingStyle snake_case Remove-HashtableEntry -Hashtable $body -RemoveNames 'Owner', 'Repo', 'ID' $inputObject = @{ APIEndpoint = "/repos/$Owner/$Repo/releases/assets/$ID" Method = 'PATCH' Body = $requestBody } if ($PSCmdlet.ShouldProcess("assets for release with ID [$ID] in [$Owner/$Repo]", 'Set')) { Invoke-GitHubAPI @inputObject | ForEach-Object { Write-Output $_.Response } } } Write-Verbose "[$scriptName] - [public] - [Releases] - [Assets] - [Set-GitHubReleaseAsset] - Done" #endregion - From [public] - [Releases] - [Assets] - [Set-GitHubReleaseAsset] Write-Verbose "[$scriptName] - [public] - [Releases] - [Assets] - Done" #endregion - From [public] - [Releases] - [Assets] #region - From [public] - [Releases] - [Releases] Write-Verbose "[$scriptName] - [public] - [Releases] - [Releases] - Processing folder" #region - From [public] - [Releases] - [Releases] - [Get-GitHubRelease] Write-Verbose "[$scriptName] - [public] - [Releases] - [Releases] - [Get-GitHubRelease] - Importing" filter Get-GitHubRelease { <# .SYNOPSIS List releases .DESCRIPTION This returns a list of releases, which does not include regular Git tags that have not been associated with a release. To get a list of Git tags, use the [Repository Tags API](https://docs.github.com/rest/repos/repos#list-repository-tags). Information about published releases are available to everyone. Only users with push access will receive listings for draft releases. .EXAMPLE Get-GitHubRelease -Owner 'octocat' -Repo 'hello-world' Gets the releases for the repository 'hello-world' owned by 'octocat'. .EXAMPLE Get-GitHubRelease -Owner 'octocat' -Repo 'hello-world' -Latest Gets the latest releases for the repository 'hello-world' owned by 'octocat'. .EXAMPLE Get-GitHubRelease -Owner 'octocat' -Repo 'hello-world' -Tag 'v1.0.0' Gets the release with the tag 'v1.0.0' for the repository 'hello-world' owned by 'octocat'. .EXAMPLE Get-GitHubRelease -Owner 'octocat' -Repo 'hello-world' -ID '1234567' Gets the release with the ID '1234567' for the repository 'hello-world' owned by 'octocat'. .NOTES [List releases](https://docs.github.com/rest/releases/releases#list-releases) [Get the latest release](https://docs.github.com/rest/releases/releases#get-the-latest-release) #> [CmdletBinding(DefaultParameterSetName = 'All')] [Diagnostics.CodeAnalysis.SuppressMessageAttribute('PSReviewUnusedParameter', 'Latest', Justification = 'Required for parameter set')] param ( # The account owner of the repository. The name is not case sensitive. [Parameter()] [string] $Owner = (Get-GitHubConfig -Name Owner), # The name of the repository without the .git extension. The name is not case sensitive. [Parameter()] [string] $Repo = (Get-GitHubConfig -Name Repo), # The number of results per page (max 100). [Parameter(ParameterSetName = 'All')] [ValidateRange(1, 100)] [int] $PerPage = 30, # Get the latest release only [Parameter( Mandatory, ParameterSetName = 'Latest' )] [switch] $Latest, # The name of the tag to get a release from. [Parameter( Mandatory, ParameterSetName = 'Tag' )] [Alias('tag_name')] [string] $Tag, # The unique identifier of the release. [Parameter( Mandatory, ParameterSetName = 'ID' )] [Alias('release_id')] [string] $ID ) switch ($PSCmdlet.ParameterSetName) { 'All' { Get-GitHubReleaseAll -Owner $Owner -Repo $Repo -PerPage $PerPage } 'Latest' { Get-GitHubReleaseLatest -Owner $Owner -Repo $Repo } 'Tag' { Get-GitHubReleaseByTagName -Owner $Owner -Repo $Repo -Tag $Tag } 'ID' { Get-GitHubReleaseByID -Owner $Owner -Repo $Repo -ID $ID } } } Write-Verbose "[$scriptName] - [public] - [Releases] - [Releases] - [Get-GitHubRelease] - Done" #endregion - From [public] - [Releases] - [Releases] - [Get-GitHubRelease] #region - From [public] - [Releases] - [Releases] - [New-GitHubRelease] Write-Verbose "[$scriptName] - [public] - [Releases] - [Releases] - [New-GitHubRelease] - Importing" filter New-GitHubRelease { <# .SYNOPSIS Create a release .DESCRIPTION Users with push access to the repository can create a release. This endpoint triggers [notifications](https://docs.github.com/github/managing-subscriptions-and-notifications-on-github/about-notifications). Creating content too quickly using this endpoint may result in secondary rate limiting. See "[Secondary rate limits](https://docs.github.com/rest/overview/resources-in-the-rest-api#secondary-rate-limits)" and "[Dealing with secondary rate limits](https://docs.github.com/rest/guides/best-practices-for-integrators#dealing-with-secondary-rate-limits)" for details. .EXAMPLE New-GitHubRelease -Owner 'octocat' -Repo 'hello-world' -TagName 'v1.0.0' -TargetCommitish 'main' -Body 'Release notes' Creates a release for the repository 'octocat/hello-world' with the tag 'v1.0.0' and the target commitish 'main'. .NOTES [Create a release](https://docs.github.com/rest/releases/releases#create-a-release) #> [OutputType([pscustomobject])] [Diagnostics.CodeAnalysis.SuppressMessageAttribute('PSAvoidLongLines', '', Justification = 'Contains a long link.')] [CmdletBinding(SupportsShouldProcess)] param ( # The account owner of the repository. The name is not case sensitive. [Parameter()] [string] $Owner = (Get-GitHubConfig -Name Owner), # The name of the repository without the .git extension. The name is not case sensitive. [Parameter()] [string] $Repo = (Get-GitHubConfig -Name Repo), # The name of the tag. [Parameter(Mandatory)] [Alias('tag_name')] [string] $TagName, # Specifies the commitish value that determines where the Git tag is created from. # Can be any branch or commit SHA. Unused if the Git tag already exists. # API Default: the repository's default branch. [Parameter()] [Alias('target_commitish')] [string] $TargetCommitish = 'main', # The name of the release. [Parameter()] [string] $Name, # Text describing the contents of the tag. [Parameter()] [string] $Body, # Whether the release is a draft. [Parameter()] [switch] $Draft, # Whether to identify the release as a prerelease. [Parameter()] [switch] $Prerelease, # If specified, a discussion of the specified category is created and linked to the release. # The value must be a category that already exists in the repository. # For more information, see [Managing categories for discussions in your repository](https://docs.github.com/discussions/managing-discussions-for-your-community/managing-categories-for-discussions-in-your-repository). [Parameter()] [Alias('discussion_category_name')] [string] $DiscussionCategoryName, # Whether to automatically generate the name and body for this release. If name is specified, the specified name will be used; otherwise,a name will be automatically generated. If body is specified, the body will be pre-pended to the automatically generated notes. [Parameter()] [Alias('generate_release_notes')] [switch] $GenerateReleaseNotes, # Specifies whether this release should be set as the latest release for the repository. Drafts and prereleases cannot be set as latest. Defaults to true for newly published releases. legacy specifies that the latest release should be determined based on the release creation date and higher semantic version. [Parameter()] [Alias('make_latest')] [ValidateSet('true', 'false', 'legacy')] [string] $MakeLatest = 'true' ) $requestBody = $PSBoundParameters | ConvertFrom-HashTable | ConvertTo-HashTable -NameCasingStyle snake_case Remove-HashtableEntry -Hashtable $requestBody -RemoveNames 'Owner', 'Repo', 'GenerateReleaseNotes', 'Draft', 'Prerelease' $requestBody = Join-Object -AsHashtable -Main $requestBody -Overrides @{ generate_release_notes = $GenerateReleaseNotes.IsPresent draft = $Draft.IsPresent prerelease = $Prerelease.IsPresent } Remove-HashtableEntry -Hashtable $requestBody -NullOrEmptyValues $inputObject = @{ APIEndpoint = "/repos/$Owner/$Repo/releases" Method = 'POST' Body = $requestBody } if ($PSCmdlet.ShouldProcess("$Owner/$Repo", 'Create a release')) { Invoke-GitHubAPI @inputObject | ForEach-Object { Write-Output $_.Response } } } Write-Verbose "[$scriptName] - [public] - [Releases] - [Releases] - [New-GitHubRelease] - Done" #endregion - From [public] - [Releases] - [Releases] - [New-GitHubRelease] #region - From [public] - [Releases] - [Releases] - [New-GitHubReleaseNote] Write-Verbose "[$scriptName] - [public] - [Releases] - [Releases] - [New-GitHubReleaseNote] - Importing" filter New-GitHubReleaseNote { <# .SYNOPSIS List releases .DESCRIPTION Generate a name and body describing a [release](https://docs.github.com/en/rest/releases/releases#get-a-release). The body content will be Markdown formatted and contain information like the changes since last release and users who contributed. The generated release notes are not saved anywhere. They are intended to be generated and used when creating a new release. .EXAMPLE $params = @{ Owner = 'octocat' Repo = 'hello-world' TagName = 'v1.0.0' } New-GitHubReleaseNote @params Creates a new release notes draft for the repository 'hello-world' owned by 'octocat' with the tag name 'v1.0.0'. In this example the tag 'v1.0.0' has to exist in the repository. The configuration file '.github/release.yml' or '.github/release.yaml' will be used. .EXAMPLE $params = @{ Owner = 'octocat' Repo = 'hello-world' TagName = 'v1.0.0' TargetCommitish = 'main' } New-GitHubReleaseNote @params Creates a new release notes draft for the repository 'hello-world' owned by 'octocat' with the tag name 'v1.0.0'. In this example the tag 'v1.0.0' has to exist in the repository. .EXAMPLE $params = @{ Owner = 'octocat' Repo = 'hello-world' TagName = 'v1.0.0' TargetCommitish = 'main' PreviousTagName = 'v0.9.2' ConfigurationFilePath = '.github/custom_release_config.yml' } New-GitHubReleaseNote @params Creates a new release notes draft for the repository 'hello-world' owned by 'octocat' with the tag name 'v1.0.0'. The release notes will be based on the changes between the tags 'v0.9.2' and 'v1.0.0' and generated based on the configuration file located in the repository at '.github/custom_release_config.yml'. .NOTES [Generate release notes content for a release](https://docs.github.com/rest/releases/releases#list-releases) #> [OutputType([pscustomobject])] [Alias('Generate-GitHubReleaseNotes')] [Alias('New-GitHubReleaseNotes')] [CmdletBinding(SupportsShouldProcess)] param ( # The account owner of the repository. The name is not case sensitive. [Parameter()] [string] $Owner = (Get-GitHubConfig -Name Owner), # The name of the repository without the .git extension. The name is not case sensitive. [Parameter()] [string] $Repo = (Get-GitHubConfig -Name Repo), # The tag name for the release. This can be an existing tag or a new one. [Parameter(Mandatory)] [Alias('tag_name')] [string] $TagName, # Specifies the commitish value that will be the target for the release's tag. # Required if the supplied tag_name does not reference an existing tag. # Ignored if the tag_name already exists. [Parameter()] [Alias('target_commitish')] [string] $TargetCommitish, # The name of the previous tag to use as the starting point for the release notes. # Use to manually specify the range for the set of changes considered as part this release. [Parameter()] [Alias('previous_tag_name')] [string] $PreviousTagName, # Specifies a path to a file in the repository containing configuration settings used for generating the release notes. # If unspecified, the configuration file located in the repository at '.github/release.yml' or '.github/release.yaml' will be used. # If that is not present, the default configuration will be used. [Parameter()] [Alias('configuration_file_path')] [string] $ConfigurationFilePath ) $body = $PSBoundParameters | ConvertFrom-HashTable | ConvertTo-HashTable -NameCasingStyle snake_case Remove-HashtableEntry -Hashtable $body -RemoveNames 'Owner', 'Repo' $inputObject = @{ APIEndpoint = "/repos/$Owner/$Repo/releases/generate-notes" Method = 'POST' Body = $body } if ($PSCmdlet.ShouldProcess("$Owner/$Repo", 'Create release notes')) { Invoke-GitHubAPI @inputObject | ForEach-Object { Write-Output $_.Response } } } Write-Verbose "[$scriptName] - [public] - [Releases] - [Releases] - [New-GitHubReleaseNote] - Done" #endregion - From [public] - [Releases] - [Releases] - [New-GitHubReleaseNote] #region - From [public] - [Releases] - [Releases] - [Remove-GitHubRelease] Write-Verbose "[$scriptName] - [public] - [Releases] - [Releases] - [Remove-GitHubRelease] - Importing" filter Remove-GitHubRelease { <# .SYNOPSIS Delete a release .DESCRIPTION Users with push access to the repository can delete a release. .EXAMPLE Remove-GitHubRelease -Owner 'octocat' -Repo 'hello-world' -ID '1234567' Deletes the release with the ID '1234567' for the repository 'octocat/hello-world'. .NOTES [Delete a release](https://docs.github.com/rest/releases/releases#delete-a-release) #> [OutputType([pscustomobject])] [CmdletBinding(SupportsShouldProcess)] param ( # The account owner of the repository. The name is not case sensitive. [Parameter()] [string] $Owner = (Get-GitHubConfig -Name Owner), # The name of the repository without the .git extension. The name is not case sensitive. [Parameter()] [string] $Repo = (Get-GitHubConfig -Name Repo), # The unique identifier of the release. [Parameter( Mandatory )] [Alias('release_id')] [string] $ID ) $inputObject = @{ APIEndpoint = "/repos/$Owner/$Repo/releases/$ID" Method = 'DELETE' } if ($PSCmdlet.ShouldProcess("Release with ID [$ID] in [$Owner/$Repo]", 'Delete')) { Invoke-GitHubAPI @inputObject | ForEach-Object { Write-Output $_.Response } } } Write-Verbose "[$scriptName] - [public] - [Releases] - [Releases] - [Remove-GitHubRelease] - Done" #endregion - From [public] - [Releases] - [Releases] - [Remove-GitHubRelease] #region - From [public] - [Releases] - [Releases] - [Set-GitHubRelease] Write-Verbose "[$scriptName] - [public] - [Releases] - [Releases] - [Set-GitHubRelease] - Importing" filter Set-GitHubRelease { <# .SYNOPSIS Update a release .DESCRIPTION Users with push access to the repository can edit a release. .EXAMPLE Set-GitHubRelease -Owner 'octocat' -Repo 'hello-world' -ID '1234567' -Body 'Release notes' Updates the release with the ID '1234567' for the repository 'octocat/hello-world' with the body 'Release notes'. .NOTES [Update a release](https://docs.github.com/rest/releases/releases#update-a-release) #> [OutputType([pscustomobject])] [Diagnostics.CodeAnalysis.SuppressMessageAttribute('PSAvoidLongLines', '', Justification = 'Contains a long link.')] [CmdletBinding(SupportsShouldProcess)] param ( # The account owner of the repository. The name is not case sensitive. [Parameter()] [string] $Owner = (Get-GitHubConfig -Name Owner), # The name of the repository without the .git extension. The name is not case sensitive. [Parameter()] [string] $Repo = (Get-GitHubConfig -Name Repo), # The unique identifier of the release. [Parameter(Mandatory)] [Alias('release_id')] [string] $ID, # The name of the tag. [Parameter()] [Alias('tag_name')] [string] $TagName, # Specifies the commitish value that determines where the Git tag is created from. # Can be any branch or commit SHA. Unused if the Git tag already exists. # API Default: the repository's default branch. [Parameter()] [Alias('target_commitish')] [string] $TargetCommitish, # The name of the release. [Parameter()] [string] $Name, # Text describing the contents of the tag. [Parameter()] [string] $Body, # Whether the release is a draft. [Parameter()] [switch] $Draft, # Whether to identify the release as a prerelease. [Parameter()] [switch] $Prerelease, # If specified, a discussion of the specified category is created and linked to the release. # The value must be a category that already exists in the repository. # For more information, see [Managing categories for discussions in your repository](https://docs.github.com/discussions/managing-discussions-for-your-community/managing-categories-for-discussions-in-your-repository). [Parameter()] [Alias('discussion_category_name')] [string] $DiscussionCategoryName, # Specifies whether this release should be set as the latest release for the repository. Drafts and prereleases cannot be set as latest. # Defaults to true for newly published releases. legacy specifies that the latest release should be determined based on the release creation # date and higher semantic version. [Parameter()] [Alias('make_latest')] [ValidateSet('true', 'false', 'legacy')] [string] $MakeLatest = 'true' ) $requestBody = $PSBoundParameters | ConvertFrom-HashTable | ConvertTo-HashTable -NameCasingStyle snake_case Remove-HashtableEntry -Hashtable $requestBody -RemoveNames 'Owner', 'Repo', 'Draft', 'Prerelease' $requestBody = Join-Object -AsHashtable -Main $requestBody -Overrides @{ draft = if ($Draft.IsPresent) { $Draft } else { $false } prerelease = if ($Prerelease.IsPresent) { $Prerelease } else { $false } } $inputObject = @{ APIEndpoint = "/repos/$Owner/$Repo/releases/$ID" Method = 'PATCH' Body = $requestBody } if ($PSCmdlet.ShouldProcess("release with ID [$ID] in [$Owner/$Repo]", 'Update')) { Invoke-GitHubAPI @inputObject | ForEach-Object { Write-Output $_.Response } } } Write-Verbose "[$scriptName] - [public] - [Releases] - [Releases] - [Set-GitHubRelease] - Done" #endregion - From [public] - [Releases] - [Releases] - [Set-GitHubRelease] Write-Verbose "[$scriptName] - [public] - [Releases] - [Releases] - Done" #endregion - From [public] - [Releases] - [Releases] Write-Verbose "[$scriptName] - [public] - [Releases] - Done" #endregion - From [public] - [Releases] #region - From [public] - [Repositories] Write-Verbose "[$scriptName] - [public] - [Repositories] - Processing folder" #region - From [public] - [Repositories] - [Autolinks] Write-Verbose "[$scriptName] - [public] - [Repositories] - [Autolinks] - Processing folder" #region - From [public] - [Repositories] - [Autolinks] - [Get-GitHubRepositoryAutolink] Write-Verbose "[$scriptName] - [public] - [Repositories] - [Autolinks] - [Get-GitHubRepositoryAutolink] - Importing" filter Get-GitHubRepositoryAutolink { <# .SYNOPSIS List all autolinks of a repository .DESCRIPTION This returns a list of autolinks configured for the given repository. Information about autolinks are only available to repository administrators. .EXAMPLE Get-GitHubRepositoryAutolink -Owner 'octocat' -Repo 'Hello-World' Gets all autolinks for the repository 'Hello-World' owned by 'octocat'. .EXAMPLE Get-GitHubRepositoryAutolink -Owner 'octocat' -Repo 'Hello-World' -ID 1 Gets the autolink with the ID 1 for the repository 'Hello-World' owned by 'octocat'. .NOTES [Get all autolinks of a repository](https://docs.github.com/rest/repos/autolinks#list-all-autolinks-of-a-repository) #> [Alias('Get-GitHubRepositoryAutolinks')] [CmdletBinding(DefaultParameterSetName = 'Default')] param ( # The account owner of the repository. The name is not case sensitive. [Parameter()] [Alias('org')] [string] $Owner = (Get-GitHubConfig -Name Owner), # The name of the repository without the .git extension. The name is not case sensitive. [Parameter()] [string] $Repo = (Get-GitHubConfig -Name Repo), # The unique identifier of the autolink. [Parameter( Mandatory, ParameterSetName = 'ById' )] [Alias('autolink_id')] [Alias('ID')] [int] $AutolinkId ) switch ($PSCmdlet.ParameterSetName) { 'ById' { Get-GitHubRepositoryAutolinkById -Owner $Owner -Repo $Repo -ID $AutolinkId } default { Get-GitHubRepositoryAutolinkList -Owner $Owner -Repo $Repo } } } Write-Verbose "[$scriptName] - [public] - [Repositories] - [Autolinks] - [Get-GitHubRepositoryAutolink] - Done" #endregion - From [public] - [Repositories] - [Autolinks] - [Get-GitHubRepositoryAutolink] #region - From [public] - [Repositories] - [Autolinks] - [New-GitHubRepositoryAutolink] Write-Verbose "[$scriptName] - [public] - [Repositories] - [Autolinks] - [New-GitHubRepositoryAutolink] - Importing" filter New-GitHubRepositoryAutolink { <# .SYNOPSIS Create an autolink reference for a repository .DESCRIPTION Users with admin access to the repository can create an autolink. .EXAMPLE New-GitHubRepositoryAutolink -Owner 'octocat' -Repo 'Hello-World' -KeyPrefix 'GH-' -UrlTemplate 'https://www.example.com/issue/<num>' Creates an autolink for the repository 'Hello-World' owned by 'octocat' that links to <https://www.example.com/issue/123> when the prefix 'GH-' is found in an issue, pull request, or commit. .NOTES [Create an autolink reference for a repository](https://docs.github.com/rest/repos/autolinks#create-an-autolink-reference-for-a-repository) #> [OutputType([pscustomobject])] [CmdletBinding(SupportsShouldProcess)] param ( # The account owner of the repository. The name is not case sensitive. [Parameter(Mandatory)] [string] $Owner, # The name of the repository without the .git extension. The name is not case sensitive. [Parameter(Mandatory)] [string] $Repo, # This prefix appended by certain characters will generate a link any time it is found in an issue, pull request, or commit. [Parameter(Mandatory)] [Alias('key_prefix')] [string] $KeyPrefix, # The URL must contain <num> for the reference number. <num> matches different characters depending on the value of is_alphanumeric. [Parameter(Mandatory)] [Alias('url_template')] [string] $UrlTemplate, # Whether this autolink reference matches alphanumeric characters. If true, the <num> parameter of the url_template matches alphanumeric # characters A-Z (case insensitive), 0-9, and -. If false, this autolink reference only matches numeric characters. [Parameter()] [Alias('is_alphanumeric')] [bool] $IsAlphanumeric = $true ) $PSCmdlet.MyInvocation.MyCommand.Parameters.GetEnumerator() | ForEach-Object { $paramName = $_.Key $paramDefaultValue = Get-Variable -Name $paramName -ValueOnly -ErrorAction SilentlyContinue $providedValue = $PSBoundParameters[$paramName] Write-Verbose "[$paramName]" Write-Verbose " - Default: [$paramDefaultValue]" Write-Verbose " - Provided: [$providedValue]" if (-not $PSBoundParameters.ContainsKey($paramName) -and ($null -ne $paramDefaultValue)) { Write-Verbose ' - Using default value' $PSBoundParameters[$paramName] = $paramDefaultValue } else { Write-Verbose ' - Using provided value' } } $body = $PSBoundParameters | ConvertFrom-HashTable | ConvertTo-HashTable -NameCasingStyle snake_case Remove-HashtableEntry -Hashtable $body -RemoveNames 'Owner', 'Repo' -RemoveTypes 'SwitchParameter' $inputObject = @{ APIEndpoint = "/repos/$Owner/$Repo/autolinks" Method = 'POST' Body = $body } if ($PSCmdlet.ShouldProcess("Autolink for repository [$Owner/$Repo]", 'Create')) { Invoke-GitHubAPI @inputObject | ForEach-Object { Write-Output $_.Response } } } Write-Verbose "[$scriptName] - [public] - [Repositories] - [Autolinks] - [New-GitHubRepositoryAutolink] - Done" #endregion - From [public] - [Repositories] - [Autolinks] - [New-GitHubRepositoryAutolink] #region - From [public] - [Repositories] - [Autolinks] - [Remove-GitHubRepositoryAutolink] Write-Verbose "[$scriptName] - [public] - [Repositories] - [Autolinks] - [Remove-GitHubRepositoryAutolink] - Importing" filter Remove-GitHubRepositoryAutolink { <# .SYNOPSIS Delete an autolink reference from a repository .DESCRIPTION This deletes a single autolink reference by ID that was configured for the given repository. Information about autolinks are only available to repository administrators. .EXAMPLE Remove-GitHubRepositoryAutolink -Owner 'octocat' -Repo 'Hello-World' -AutolinkId 1 Deletes the autolink with ID 1 for the repository 'Hello-World' owned by 'octocat'. .NOTES [Delete an autolink reference from a repository](https://docs.github.com/rest/repos/autolinks#delete-an-autolink-reference-from-a-repository) #> [OutputType([pscustomobject])] [CmdletBinding(SupportsShouldProcess)] param ( # The account owner of the repository. The name is not case sensitive. [Parameter(Mandatory)] [string] $Owner, # The name of the repository without the .git extension. The name is not case sensitive. [Parameter(Mandatory)] [string] $Repo, # The unique identifier of the autolink. [Parameter(Mandatory)] [Alias('autolink_id')] [Alias('ID')] [int] $AutolinkId ) $inputObject = @{ APIEndpoint = "/repos/$Owner/$Repo/autolinks/$AutolinkId" Method = 'DELETE' Body = $body } if ($PSCmdlet.ShouldProcess("Autolink with ID [$AutolinkId] for repository [$Owner/$Repo]", 'Delete')) { Invoke-GitHubAPI @inputObject | ForEach-Object { Write-Output $_.Response } } } Write-Verbose "[$scriptName] - [public] - [Repositories] - [Autolinks] - [Remove-GitHubRepositoryAutolink] - Done" #endregion - From [public] - [Repositories] - [Autolinks] - [Remove-GitHubRepositoryAutolink] Write-Verbose "[$scriptName] - [public] - [Repositories] - [Autolinks] - Done" #endregion - From [public] - [Repositories] - [Autolinks] #region - From [public] - [Repositories] - [CustomProperties] Write-Verbose "[$scriptName] - [public] - [Repositories] - [CustomProperties] - Processing folder" #region - From [public] - [Repositories] - [CustomProperties] - [Get-GitHubRepositoryCustomProperty] Write-Verbose "[$scriptName] - [public] - [Repositories] - [CustomProperties] - [Get-GitHubRepositoryCustomProperty] - Importing" filter Get-GitHubRepositoryCustomProperty { <# .SYNOPSIS Get all custom property values for a repository .DESCRIPTION Gets all custom property values that are set for a repository. Users with read access to the repository can use this endpoint. .EXAMPLE Get-GitHubRepositoryCustomProperty -Owner 'octocat' -Repo 'hello-world' Gets all custom property values that are set for the 'hello-world' repository. .NOTES [Get all custom property values for a repository](https://docs.github.com/rest/repos/custom-properties#get-all-custom-property-values-for-a-repository) #> [Alias('Get-GitHubRepositoryCustomProperties')] [CmdletBinding()] [Diagnostics.CodeAnalysis.SuppressMessageAttribute('PSAvoidLongLines', '', Justification = 'Contains a long link.')] [OutputType([pscustomobject])] param ( # The account owner of the repository. The name is not case sensitive. [Parameter()] [Alias('org')] [string] $Owner = (Get-GitHubConfig -Name Owner), # The name of the repository without the .git extension. The name is not case sensitive. [Parameter()] [string] $Repo = (Get-GitHubConfig -Name Repo) ) $inputObject = @{ APIEndpoint = "/repos/$Owner/$Repo/properties/values" Method = 'GET' } Invoke-GitHubAPI @inputObject | ForEach-Object { Write-Output $_.Response } } Write-Verbose "[$scriptName] - [public] - [Repositories] - [CustomProperties] - [Get-GitHubRepositoryCustomProperty] - Done" #endregion - From [public] - [Repositories] - [CustomProperties] - [Get-GitHubRepositoryCustomProperty] Write-Verbose "[$scriptName] - [public] - [Repositories] - [CustomProperties] - Done" #endregion - From [public] - [Repositories] - [CustomProperties] #region - From [public] - [Repositories] - [Repositories] Write-Verbose "[$scriptName] - [public] - [Repositories] - [Repositories] - Processing folder" #region - From [public] - [Repositories] - [Repositories] - [Disable-GitHubRepositoryPrivateVulnerabilityReporting] Write-Verbose "[$scriptName] - [public] - [Repositories] - [Repositories] - [Disable-GitHubRepositoryPrivateVulnerabilityReporting] - Importing" filter Disable-GitHubRepositoryPrivateVulnerabilityReporting { <# .SYNOPSIS Disable private vulnerability reporting for a repository .DESCRIPTION Disables private vulnerability reporting for a repository. The authenticated user must have admin access to the repository. For more information, see "[Privately reporting a security vulnerability](https://docs.github.com/code-security/security-advisories/guidance-on-reporting-and-writing/privately-reporting-a-security-vulnerability)". .EXAMPLE Disable-GitHubRepositoryPrivateVulnerabilityReporting -Owner 'PSModule' -Repo 'GitHub' Disables private vulnerability reporting for the PSModule/GitHub repository. .NOTES [Disable private vulnerability reporting for a repository](https://docs.github.com/rest/repos/repos#disable-private-vulnerability-reporting-for-a-repository) #> [CmdletBinding(SupportsShouldProcess)] [Diagnostics.CodeAnalysis.SuppressMessageAttribute('PSAvoidLongLines', '', Justification = 'Long links')] param ( # The account owner of the repository. The name is not case sensitive. [Parameter()] [Alias('org')] [string] $Owner = (Get-GitHubConfig -Name Owner), # The name of the repository without the .git extension. The name is not case sensitive. [Parameter()] [string] $Repo = (Get-GitHubConfig -Name Repo) ) $inputObject = @{ APIEndpoint = "/repos/$Owner/$Repo/private-vulnerability-reporting" Method = 'DELETE' } if ($PSCmdlet.ShouldProcess("Private Vulnerability Reporting for [$Owner/$Repo]", 'Disable')) { Invoke-GitHubAPI @inputObject | ForEach-Object { Write-Output $_.Response } } } Write-Verbose "[$scriptName] - [public] - [Repositories] - [Repositories] - [Disable-GitHubRepositoryPrivateVulnerabilityReporting] - Done" #endregion - From [public] - [Repositories] - [Repositories] - [Disable-GitHubRepositoryPrivateVulnerabilityReporting] #region - From [public] - [Repositories] - [Repositories] - [Disable-GitHubRepositorySecurityFix] Write-Verbose "[$scriptName] - [public] - [Repositories] - [Repositories] - [Disable-GitHubRepositorySecurityFix] - Importing" filter Disable-GitHubRepositorySecurityFix { <# .SYNOPSIS Disable automated security fixes .DESCRIPTION Disables automated security fixes for a repository. The authenticated user must have admin access to the repository. For more information, see "[Configuring automated security fixes](https://docs.github.com/articles/configuring-automated-security-fixes)". .EXAMPLE Disable-GitHubRepositorySecurityFix -Owner 'PSModule' -Repo 'GitHub' Disables automated security fixes for the repository. .NOTES [Disable automated security fixes](https://docs.github.com/rest/repos/repos#disable-automated-security-fixes) #> [CmdletBinding(SupportsShouldProcess)] [Alias('Disable-GitHubRepositorySecurityFixes')] param ( # The account owner of the repository. The name is not case sensitive. [Parameter()] [Alias('org')] [string] $Owner = (Get-GitHubConfig -Name Owner), # The name of the repository without the .git extension. The name is not case sensitive. [Parameter()] [string] $Repo = (Get-GitHubConfig -Name Repo) ) $inputObject = @{ APIEndpoint = "/repos/$Owner/$Repo/automated-security-fixes" Method = 'DELETE' } if ($PSCmdlet.ShouldProcess("Security Fixes for [$Owner/$Repo]", 'Disable')) { Invoke-GitHubAPI @inputObject | ForEach-Object { Write-Output $_.Response } } } Write-Verbose "[$scriptName] - [public] - [Repositories] - [Repositories] - [Disable-GitHubRepositorySecurityFix] - Done" #endregion - From [public] - [Repositories] - [Repositories] - [Disable-GitHubRepositorySecurityFix] #region - From [public] - [Repositories] - [Repositories] - [Disable-GitHubRepositoryVulnerabilityAlert] Write-Verbose "[$scriptName] - [public] - [Repositories] - [Repositories] - [Disable-GitHubRepositoryVulnerabilityAlert] - Importing" filter Disable-GitHubRepositoryVulnerabilityAlert { <# .SYNOPSIS Disable vulnerability alerts .DESCRIPTION Disables dependency alerts and the dependency graph for a repository. The authenticated user must have admin access to the repository. For more information, see "[About security alerts for vulnerable dependencies](https://docs.github.com/articles/about-security-alerts-for-vulnerable-dependencies)". .EXAMPLE Disable-GitHubRepositoryVulnerabilityAlert -Owner 'octocat' -Repo 'hello-world' Disables vulnerability alerts for the 'octocat/hello-world' repository. .NOTES [Disable vulnerability alerts](https://docs.github.com/rest/repos/repos#disable-vulnerability-alerts) #> [CmdletBinding(SupportsShouldProcess)] [Alias('Disable-GitHubRepositoryVulnerabilityAlerts')] param ( # The account owner of the repository. The name is not case sensitive. [Parameter()] [Alias('org')] [string] $Owner = (Get-GitHubConfig -Name Owner), # The name of the repository without the .git extension. The name is not case sensitive. [Parameter()] [string] $Repo = (Get-GitHubConfig -Name Repo) ) $inputObject = @{ APIEndpoint = "/repos/$Owner/$Repo/vulnerability-alerts" Method = 'DELETE' } if ($PSCmdlet.ShouldProcess("Vulnerability Alerts for [$Owner/$Repo]", 'Disable')) { Invoke-GitHubAPI @inputObject | ForEach-Object { Write-Output $_.Response } } } Write-Verbose "[$scriptName] - [public] - [Repositories] - [Repositories] - [Disable-GitHubRepositoryVulnerabilityAlert] - Done" #endregion - From [public] - [Repositories] - [Repositories] - [Disable-GitHubRepositoryVulnerabilityAlert] #region - From [public] - [Repositories] - [Repositories] - [Enable-GitHubRepositoryPrivateVulnerabilityReporting] Write-Verbose "[$scriptName] - [public] - [Repositories] - [Repositories] - [Enable-GitHubRepositoryPrivateVulnerabilityReporting] - Importing" filter Enable-GitHubRepositoryPrivateVulnerabilityReporting { <# .SYNOPSIS Enable private vulnerability reporting for a repository .DESCRIPTION Enables private vulnerability reporting for a repository. The authenticated user must have admin access to the repository. For more information, see "[Privately reporting a security vulnerability](https://docs.github.com/code-security/security-advisories/guidance-on-reporting-and-writing/privately-reporting-a-security-vulnerability)." .EXAMPLE Enable-GitHubRepositoryPrivateVulnerabilityReporting -Owner 'PSModule' -Repo 'GitHub' Enables private vulnerability reporting for the PSModule/GitHub repository. .NOTES [Enable private vulnerability reporting for a repository](https://docs.github.com/rest/repos/repos#enable-private-vulnerability-reporting-for-a-repository) #> [CmdletBinding(SupportsShouldProcess)] [Diagnostics.CodeAnalysis.SuppressMessageAttribute('PSAvoidLongLines', '', Justification = 'Long links')] param ( # The account owner of the repository. The name is not case sensitive. [Parameter()] [Alias('org')] [string] $Owner = (Get-GitHubConfig -Name Owner), # The name of the repository without the .git extension. The name is not case sensitive. [Parameter()] [string] $Repo = (Get-GitHubConfig -Name Repo) ) $inputObject = @{ APIEndpoint = "/repos/$Owner/$Repo/private-vulnerability-reporting" Method = 'PUT' } if ($PSCmdlet.ShouldProcess("Private Vulnerability Reporting for [$Owner/$Repo]", 'Enable')) { Invoke-GitHubAPI @inputObject | ForEach-Object { Write-Output $_.Response } } } Write-Verbose "[$scriptName] - [public] - [Repositories] - [Repositories] - [Enable-GitHubRepositoryPrivateVulnerabilityReporting] - Done" #endregion - From [public] - [Repositories] - [Repositories] - [Enable-GitHubRepositoryPrivateVulnerabilityReporting] #region - From [public] - [Repositories] - [Repositories] - [Enable-GitHubRepositorySecurityFix] Write-Verbose "[$scriptName] - [public] - [Repositories] - [Repositories] - [Enable-GitHubRepositorySecurityFix] - Importing" filter Enable-GitHubRepositorySecurityFix { <# .SYNOPSIS Enable automated security fixes .DESCRIPTION Enables automated security fixes for a repository. The authenticated user must have admin access to the repository. For more information, see "[Configuring automated security fixes](https://docs.github.com/articles/configuring-automated-security-fixes)". .EXAMPLE Enable-GitHubRepositorySecurityFix -Owner 'PSModule' -Repo 'GitHub' Enables automated security fixes for the repository. .NOTES [Enable automated security fixes](https://docs.github.com/rest/repos/repos#enable-automated-security-fixes) #> [CmdletBinding(SupportsShouldProcess)] [Alias('Enable-GitHubRepositorySecurityFixes')] param ( # The account owner of the repository. The name is not case sensitive. [Parameter()] [Alias('org')] [string] $Owner = (Get-GitHubConfig -Name Owner), # The name of the repository without the .git extension. The name is not case sensitive. [Parameter()] [string] $Repo = (Get-GitHubConfig -Name Repo) ) $inputObject = @{ APIEndpoint = "/repos/$Owner/$Repo/automated-security-fixes" Method = 'PUT' } if ($PSCmdlet.ShouldProcess("Security Fixes for [$Owner/$Repo]", 'Enable')) { Invoke-GitHubAPI @inputObject | ForEach-Object { Write-Output $_.Response } } } Write-Verbose "[$scriptName] - [public] - [Repositories] - [Repositories] - [Enable-GitHubRepositorySecurityFix] - Done" #endregion - From [public] - [Repositories] - [Repositories] - [Enable-GitHubRepositorySecurityFix] #region - From [public] - [Repositories] - [Repositories] - [Enable-GitHubRepositoryVulnerabilityAlert] Write-Verbose "[$scriptName] - [public] - [Repositories] - [Repositories] - [Enable-GitHubRepositoryVulnerabilityAlert] - Importing" filter Enable-GitHubRepositoryVulnerabilityAlert { <# .SYNOPSIS Enable vulnerability alerts .DESCRIPTION Enables dependency alerts and the dependency graph for a repository. The authenticated user must have admin access to the repository. For more information, see "[About security alerts for vulnerable dependencies](https://docs.github.com/articles/about-security-alerts-for-vulnerable-dependencies)". .EXAMPLE Enable-GitHubRepositoryVulnerabilityAlert -Owner 'octocat' -Repo 'hello-world' Enables vulnerability alerts for the 'octocat/hello-world' repository. .NOTES [Enable vulnerability alerts](https://docs.github.com/rest/repos/repos#enable-vulnerability-alerts) #> [CmdletBinding(SupportsShouldProcess)] [Alias('Enable-GitHubRepositoryVulnerabilityAlerts')] param ( # The account owner of the repository. The name is not case sensitive. [Parameter()] [Alias('org')] [string] $Owner = (Get-GitHubConfig -Name Owner), # The name of the repository without the .git extension. The name is not case sensitive. [Parameter()] [string] $Repo = (Get-GitHubConfig -Name Repo) ) $inputObject = @{ APIEndpoint = "/repos/$Owner/$Repo/vulnerability-alerts" Method = 'PUT' } if ($PSCmdlet.ShouldProcess("Vulnerability Alerts for [$Owner/$Repo]", "Enable")) { Invoke-GitHubAPI @inputObject | ForEach-Object { Write-Output $_.Response } } } Write-Verbose "[$scriptName] - [public] - [Repositories] - [Repositories] - [Enable-GitHubRepositoryVulnerabilityAlert] - Done" #endregion - From [public] - [Repositories] - [Repositories] - [Enable-GitHubRepositoryVulnerabilityAlert] #region - From [public] - [Repositories] - [Repositories] - [Get-GitHubRepository] Write-Verbose "[$scriptName] - [public] - [Repositories] - [Repositories] - [Get-GitHubRepository] - Importing" #Requires -Modules DynamicParams filter Get-GitHubRepository { <# .SYNOPSIS Gets a specific repository or list of repositories. .DESCRIPTION Gets a specific repository or list of repositories based on parameter sets. If no parameters are specified, the authenticated user's repositories are returned. If a Username parameter is specified, the specified user's public repositories are returned. If the SinceId parameter is specified, the repositories with an ID greater than the specified ID are returned. If an Owner and Repo parameters are specified, the specified repository is returned. If the Owner and Repo parameters are specified, the specified repository is returned. .PARAMETER Type Specifies the types of repositories you want returned. .EXAMPLE Get-GitHubRepository Gets the repositories for the authenticated user. .EXAMPLE Get-GitHubRepository -Type 'owner' Gets the repositories owned by the authenticated user. .EXAMPLE Get-GitHubRepository -Username 'octocat' Gets the repositories for the specified user. .EXAMPLE Get-GitHubRepository -SinceID 123456789 Gets the repositories with an ID equals and greater than 123456789. .EXAMPLE Get-GitHubRepository -Owner 'github' -Repo 'octocat' Gets the specified repository. .NOTES [List repositories for the authenticated user](https://docs.github.com/rest/repos/repos#list-repositories-for-the-authenticated-user) [Get a repository](https://docs.github.com/rest/repos/repos#get-a-repository) [List public repositories](https://docs.github.com/rest/repos/repos#list-public-repositories) [List organization repositories](https://docs.github.com/rest/repos/repos#list-organization-repositories) [List repositories for a user](https://docs.github.com/rest/repos/repos#list-repositories-for-a-user) #> [CmdletBinding(DefaultParameterSetName = 'MyRepos_Type')] param ( #Limit results to repositories with the specified visibility. [Parameter(ParameterSetName = 'MyRepos_Aff-Vis')] [ValidateSet('all', 'public', 'private')] [string] $Visibility = 'all', # Comma-separated list of values. Can include: # - owner: Repositories that are owned by the authenticated user. # - collaborator: Repositories that the user has been added to as a collaborator. # - organization_member: Repositories that the user has access to through being a member of an organization. # This includes every repository on every team that the user is on. # Default: owner, collaborator, organization_member [Parameter(ParameterSetName = 'MyRepos_Aff-Vis')] [ValidateSet('owner', 'collaborator', 'organization_member')] [string[]] $Affiliation = @('owner', 'collaborator', 'organization_member'), # A repository ID. Only return repositories with an ID greater than this ID. [Parameter(ParameterSetName = 'ListByID')] [int] $SinceID = 0, # Only show repositories updated after the given time. [Parameter(ParameterSetName = 'MyRepos_Type')] [Parameter(ParameterSetName = 'MyRepos_Aff-Vis')] [datetime] $Since, # Only show repositories updated before the given time. [Parameter(ParameterSetName = 'MyRepos_Type')] [Parameter(ParameterSetName = 'MyRepos_Aff-Vis')] [datetime] $Before, # The account owner of the repository. The name is not case sensitive. [Parameter(ParameterSetName = 'ByName')] [Parameter(ParameterSetName = 'ListByOrg')] [string] $Owner = (Get-GitHubConfig -Name Owner), # The name of the repository without the .git extension. The name is not case sensitive. [Parameter( Mandatory, ParameterSetName = 'ByName' )] [string] $Repo = (Get-GitHubConfig -Name Repo), # The handle for the GitHub user account. [Parameter( Mandatory, ValueFromPipeline, ValueFromPipelineByPropertyName, ParameterSetName = 'ListByUser' )] [Alias('login')] [string] $Username, # The property to sort the results by. [Parameter(ParameterSetName = 'MyRepos_Type')] [Parameter(ParameterSetName = 'MyRepos_Aff-Vis')] [Parameter(ParameterSetName = 'ListByOrg')] [Parameter(ParameterSetName = 'ListByUser')] [ValidateSet('created', 'updated', 'pushed', 'full_name')] [string] $Sort = 'created', # The order to sort by. # Default: asc when using full_name, otherwise desc. [Parameter(ParameterSetName = 'MyRepos')] [Parameter(ParameterSetName = 'ListByOrg')] [Parameter(ParameterSetName = 'ListByUser')] [ValidateSet('asc', 'desc')] [string] $Direction, # The number of results per page (max 100). [Parameter(ParameterSetName = 'MyRepos')] [Parameter(ParameterSetName = 'ListByOrg')] [Parameter(ParameterSetName = 'ListByUser')] [ValidateRange(1, 100)] [int] $PerPage = 30 ) dynamicparam { $DynamicParamDictionary = New-DynamicParamDictionary if ($PSCmdlet.ParameterSetName -in 'MyRepos_Type', 'ListByOrg', 'ListByUser') { switch ($PSCmdlet.ParameterSetName) { 'MyRepos_Type' { $ValidateSet = 'all', 'owner', 'public', 'private', 'member' } 'ListByOrg' { $ValidateSet = 'all', 'public', 'private', 'forks', 'sources', 'member' } 'ListByUser' { $ValidateSet = 'all', 'owner', 'member' } } $dynParam = @{ Name = 'Type' ParameterSetName = $PSCmdlet.ParameterSetName Type = [string] Mandatory = $false ValidateSet = $ValidateSet DynamicParamDictionary = $DynamicParamDictionary } New-DynamicParam @dynParam } return $DynamicParamDictionary } begin { $Type = $PSBoundParameters['Type'] } process { switch ($PSCmdlet.ParameterSetName) { 'MyRepos_Type' { $params = @{ Type = $Type Sort = $Sort Direction = $Direction PerPage = $PerPage Since = $Since Before = $Before } Remove-HashtableEntry -Hashtable $params -NullOrEmptyValues Get-GitHubMyRepositories @params } 'MyRepos_Aff-Vis' { $params = @{ Visibility = $Visibility Affiliation = $Affiliation Sort = $Sort Direction = $Direction PerPage = $PerPage Since = $Since Before = $Before } Remove-HashtableEntry -Hashtable $params -NullOrEmptyValues Get-GitHubMyRepositories @params } 'ByName' { $params = @{ Owner = $Owner Repo = $Repo } Remove-HashtableEntry -Hashtable $params -NullOrEmptyValues Get-GitHubRepositoryByName @params } 'ListByID' { $params = @{ Since = $SinceID } Remove-HashtableEntry -Hashtable $params -NullOrEmptyValues Get-GitHubRepositoryListByID @params } 'ListByOrg' { $params = @{ Owner = $Owner Type = $Type Sort = $Sort Direction = $Direction PerPage = $PerPage } Remove-HashtableEntry -Hashtable $params -NullOrEmptyValues Get-GitHubRepositoryListByOrg @params } 'ListByUser' { $params = @{ Username = $Username Type = $Type Sort = $Sort Direction = $Direction PerPage = $PerPage } Remove-HashtableEntry -Hashtable $params -NullOrEmptyValues Get-GitHubRepositoryListByUser @params } } } } Write-Verbose "[$scriptName] - [public] - [Repositories] - [Repositories] - [Get-GitHubRepository] - Done" #endregion - From [public] - [Repositories] - [Repositories] - [Get-GitHubRepository] #region - From [public] - [Repositories] - [Repositories] - [Get-GitHubRepositoryActivity] Write-Verbose "[$scriptName] - [public] - [Repositories] - [Repositories] - [Get-GitHubRepositoryActivity] - Importing" filter Get-GitHubRepositoryActivity { <# .SYNOPSIS List repository activities .DESCRIPTION Lists a detailed history of changes to a repository, such as pushes, merges, force pushes, and branch changes, and associates these changes with commits and users. For more information about viewing repository activity, see "[Viewing activity and data for your repository](https://docs.github.com/repositories/viewing-activity-and-data-for-your-repository)." .EXAMPLE Get-GitHubRepositoryActivity -Owner 'PSModule' -Repo 'GitHub' .EXAMPLE Get-GitHubRepositoryActivity -Owner 'PSModule' -Repo 'GitHub' -Direction 'asc' .EXAMPLE Get-GitHubRepositoryActivity -Owner 'PSModule' -Repo 'GitHub' -PerPage 100 .EXAMPLE Get-GitHubRepositoryActivity -Owner 'PSModule' -Repo 'GitHub' -Before '2021-01-01T00:00:00Z' .EXAMPLE Get-GitHubRepositoryActivity -Owner 'PSModule' -Repo 'GitHub' -After '2021-01-01T00:00:00Z' .EXAMPLE Get-GitHubRepositoryActivity -Owner 'PSModule' -Repo 'GitHub' -Ref 'refs/heads/main' .EXAMPLE Get-GitHubRepositoryActivity -Owner 'PSModule' -Repo 'GitHub' -Actor 'octocat' .EXAMPLE $params = @{ Owner = 'PSModule' Repo = 'GitHub' TimePeriod = 'day' } Get-GitHubRepositoryActivity @params | Select-Object -Property @{n='actor';e={$_.actor.login}},activity_type,ref,timestamp Gets the activity for the past 24 hours and selects the actor, activity type, ref, and timestamp. .EXAMPLE Get-GitHubRepositoryActivity -Owner 'PSModule' -Repo 'GitHub' -ActivityType 'push','force_push' .NOTES [List repository activities](https://docs.github.com/rest/repos/repos#list-repository-activities) #> [CmdletBinding()] param ( # The account owner of the repository. The name is not case sensitive. [Parameter()] [Alias('org')] [string] $Owner = (Get-GitHubConfig -Name Owner), # The name of the repository without the .git extension. The name is not case sensitive. [Parameter()] [string] $Repo = (Get-GitHubConfig -Name Repo), # The direction to sort the results by. [Parameter()] [ValidateSet('asc', 'desc')] [string] $Direction = 'desc', # The number of results per page (max 100). # Default: 30 [Parameter()] [ValidateRange(1, 100)] [Alias('per_page')] [int] $PerPage = 30, # A cursor, as given in the Link header. If specified, the query only searches for results before this cursor. [Parameter(ParameterSetName = 'BeforeAfter')] [string] $Before, # A cursor, as given in the Link header. If specified, the query only searches for results after this cursor. [Parameter(ParameterSetName = 'BeforeAfter')] [string] $After, # The Git reference for the activities you want to list. # The ref for a branch can be formatted either as refs/heads/BRANCH_NAME or BRANCH_NAME, where BRANCH_NAME is the name of your branch. [Parameter()] [string] $Ref, # The GitHub username to use to filter by the actor who performed the activity. [Parameter()] [string] $Actor, # The time period to filter by. # For example,day will filter for activity that occurred in the past 24 hours, # and week will filter for activity that occurred in the past 7 days (168 hours). [Parameter()] [ValidateSet('day', 'week', 'month', 'quarter', 'year')] [Alias('time_period')] [string] $TimePeriod, # The activity type to filter by. # For example,you can choose to filter by 'force_push', to see all force pushes to the repository. [Parameter()] [ValidateSet('push', 'force_push', 'branch_creation', 'branch_deletion', 'pr_merge', 'merge_queue_merge')] [Alias('activity_type')] [string] $ActivityType ) $PSCmdlet.MyInvocation.MyCommand.Parameters.GetEnumerator() | ForEach-Object { $paramName = $_.Key $paramDefaultValue = Get-Variable -Name $paramName -ValueOnly -ErrorAction SilentlyContinue $providedValue = $PSBoundParameters[$paramName] Write-Verbose "[$paramName]" Write-Verbose " - Default: [$paramDefaultValue]" Write-Verbose " - Provided: [$providedValue]" if (-not $PSBoundParameters.ContainsKey($paramName) -and ($null -ne $paramDefaultValue)) { Write-Verbose ' - Using default value' $PSBoundParameters[$paramName] = $paramDefaultValue } else { Write-Verbose ' - Using provided value' } } $body = $PSBoundParameters | ConvertFrom-HashTable | ConvertTo-HashTable -NameCasingStyle snake_case Remove-HashtableEntry -Hashtable $body -RemoveNames 'Owner', 'Repo' -RemoveTypes 'SwitchParameter' $inputObject = @{ APIEndpoint = "/repos/$Owner/$Repo/activity" Method = 'GET' Body = $body } Invoke-GitHubAPI @inputObject | ForEach-Object { Write-Output $_.Response } } Write-Verbose "[$scriptName] - [public] - [Repositories] - [Repositories] - [Get-GitHubRepositoryActivity] - Done" #endregion - From [public] - [Repositories] - [Repositories] - [Get-GitHubRepositoryActivity] #region - From [public] - [Repositories] - [Repositories] - [Get-GitHubRepositoryCodeownersError] Write-Verbose "[$scriptName] - [public] - [Repositories] - [Repositories] - [Get-GitHubRepositoryCodeownersError] - Importing" filter Get-GitHubRepositoryCodeownersError { <# .SYNOPSIS List CODEOWNERS errors .DESCRIPTION List any syntax errors that are detected in the CODEOWNERS file. For more information about the correct CODEOWNERS syntax, see "[About code owners](https://docs.github.com/repositories/managing-your-repositorys-settings-and-features/customizing-your-repository/about-code-owners)." .EXAMPLE Get-GitHubRepositoryCodeownersError -Owner 'PSModule' -Repo 'GitHub' Gets the CODEOWNERS errors for the repository. .NOTES [List CODEOWNERS errors](https://docs.github.com/rest/repos/repos#list-codeowners-errors) #> [CmdletBinding()] [Diagnostics.CodeAnalysis.SuppressMessageAttribute('PSAvoidLongLines', '', Justification = 'Contains a long link.')] param ( # The account owner of the repository. The name is not case sensitive. [Parameter()] [Alias('org')] [string] $Owner = (Get-GitHubConfig -Name Owner), # The name of the repository without the .git extension. The name is not case sensitive. [Parameter()] [string] $Repo = (Get-GitHubConfig -Name Repo), # A branch, tag or commit name used to determine which version of the CODEOWNERS file to use. # Default: the repository's default branch (e.g. main) [Parameter()] [string] $Ref ) $PSCmdlet.MyInvocation.MyCommand.Parameters.GetEnumerator() | ForEach-Object { $paramName = $_.Key $paramDefaultValue = Get-Variable -Name $paramName -ValueOnly -ErrorAction SilentlyContinue $providedValue = $PSBoundParameters[$paramName] Write-Verbose "[$paramName]" Write-Verbose " - Default: [$paramDefaultValue]" Write-Verbose " - Provided: [$providedValue]" if (-not $PSBoundParameters.ContainsKey($paramName) -and ($null -ne $paramDefaultValue)) { Write-Verbose ' - Using default value' $PSBoundParameters[$paramName] = $paramDefaultValue } else { Write-Verbose ' - Using provided value' } } $body = $PSBoundParameters | ConvertFrom-HashTable | ConvertTo-HashTable -NameCasingStyle snake_case Remove-HashtableEntry -Hashtable $body -RemoveNames 'Owner', 'Repo' -RemoveTypes 'SwitchParameter' $inputObject = @{ APIEndpoint = "/repos/$Owner/$Repo/codeowners/errors" Method = 'GET' Body = $body } Invoke-GitHubAPI @inputObject | ForEach-Object { Write-Output $_.Response } } Write-Verbose "[$scriptName] - [public] - [Repositories] - [Repositories] - [Get-GitHubRepositoryCodeownersError] - Done" #endregion - From [public] - [Repositories] - [Repositories] - [Get-GitHubRepositoryCodeownersError] #region - From [public] - [Repositories] - [Repositories] - [Get-GitHubRepositoryContributor] Write-Verbose "[$scriptName] - [public] - [Repositories] - [Repositories] - [Get-GitHubRepositoryContributor] - Importing" filter Get-GitHubRepositoryContributor { <# .SYNOPSIS List repository contributors .DESCRIPTION Lists contributors to the specified repository and sorts them by the number of commits per contributor in descending order. This endpoint may return information that is a few hours old because the GitHub REST API caches contributor data to improve performance. GitHub identifies contributors by author email address. This endpoint groups contribution counts by GitHub user, which includes all associated email addresses. To improve performance, only the first 500 author email addresses in the repository link to GitHub users. The rest will appear as anonymous contributors without associated GitHub user information. .EXAMPLE Get-GitHubRepositoryContributor -Owner 'PSModule' -Repo 'GitHub' Gets all contributors to the GitHub repository. .NOTES [List repository contributors](https://docs.github.com/rest/repos/repos#list-repository-contributors) #> [CmdletBinding()] param ( # The account owner of the repository. The name is not case sensitive. [Parameter()] [Alias('org')] [string] $Owner = (Get-GitHubConfig -Name Owner), # The name of the repository without the .git extension. The name is not case sensitive. [Parameter()] [string] $Repo = (Get-GitHubConfig -Name Repo), # Wether to include anonymous contributors in results. [Parameter()] [switch] $Anon, # The number of results per page (max 100). [Parameter()] [ValidateRange(1, 100)] [int] $PerPage = 30 ) $body = $PSBoundParameters | ConvertFrom-HashTable | ConvertTo-HashTable -NameCasingStyle snake_case Remove-HashtableEntry -Hashtable $body -RemoveNames 'Owner', 'Repo' -RemoveTypes 'SwitchParameter' $inputObject = @{ APIEndpoint = "/repos/$Owner/$Repo/contributors" Method = 'GET' Body = $body } Invoke-GitHubAPI @inputObject | ForEach-Object { Write-Output $_.Response } } Write-Verbose "[$scriptName] - [public] - [Repositories] - [Repositories] - [Get-GitHubRepositoryContributor] - Done" #endregion - From [public] - [Repositories] - [Repositories] - [Get-GitHubRepositoryContributor] #region - From [public] - [Repositories] - [Repositories] - [Get-GitHubRepositoryFork] Write-Verbose "[$scriptName] - [public] - [Repositories] - [Repositories] - [Get-GitHubRepositoryFork] - Importing" filter Get-GitHubRepositoryFork { <# .SYNOPSIS List forks .DESCRIPTION List forks of a named repository. .EXAMPLE Get-GitHubRepositoryFork -Owner 'octocat' -Repo 'Hello-World' List forks of the 'Hello-World' repository owned by 'octocat'. .NOTES [List forks](https://docs.github.com/rest/repos/forks#list-forks) #> [CmdletBinding()] param ( # The account owner of the repository. The name is not case sensitive. [Parameter()] [Alias('org')] [string] $Owner = (Get-GitHubConfig -Name Owner), # The name of the repository without the .git extension. The name is not case sensitive. [Parameter()] [string] $Repo = (Get-GitHubConfig -Name Repo), # The direction to sort the results by. [Parameter()] [ValidateSet('newest', 'oldest', 'stargazers', 'watchers')] [string] $Sort = 'newest', # The number of results per page. [Parameter()] [ValidateRange(1, 100)] [Alias('per_page')] [int] $PerPage = 30 ) $PSCmdlet.MyInvocation.MyCommand.Parameters.GetEnumerator() | ForEach-Object { $paramName = $_.Key $paramDefaultValue = Get-Variable -Name $paramName -ValueOnly -ErrorAction SilentlyContinue $providedValue = $PSBoundParameters[$paramName] Write-Verbose "[$paramName]" Write-Verbose " - Default: [$paramDefaultValue]" Write-Verbose " - Provided: [$providedValue]" if (-not $PSBoundParameters.ContainsKey($paramName) -and ($null -ne $paramDefaultValue)) { Write-Verbose ' - Using default value' $PSBoundParameters[$paramName] = $paramDefaultValue } else { Write-Verbose ' - Using provided value' } } $body = $PSBoundParameters | ConvertFrom-HashTable | ConvertTo-HashTable -NameCasingStyle snake_case Remove-HashtableEntry -Hashtable $body -RemoveNames 'Owner', 'Repo' -RemoveTypes 'SwitchParameter' $inputObject = @{ APIEndpoint = "/repos/$Owner/$Repo/forks" Method = 'GET' Body = $body } Invoke-GitHubAPI @inputObject | ForEach-Object { Write-Output $_.Response } } Write-Verbose "[$scriptName] - [public] - [Repositories] - [Repositories] - [Get-GitHubRepositoryFork] - Done" #endregion - From [public] - [Repositories] - [Repositories] - [Get-GitHubRepositoryFork] #region - From [public] - [Repositories] - [Repositories] - [Get-GitHubRepositoryLanguage] Write-Verbose "[$scriptName] - [public] - [Repositories] - [Repositories] - [Get-GitHubRepositoryLanguage] - Importing" filter Get-GitHubRepositoryLanguage { <# .SYNOPSIS List repository languages .DESCRIPTION Lists languages for the specified repository. The value shown for each language is the number of bytes of code written in that language. .EXAMPLE Get-GitHubRepositoryLanguage -Owner 'octocat' -Repo 'hello-world' Gets the languages for the 'hello-world' repository owned by 'octocat'. .NOTES [List repository languages](https://docs.github.com/rest/repos/repos#list-repository-languages) #> [CmdletBinding()] [Alias('Get-GitHubRepositoryLanguages')] param ( # The account owner of the repository. The name is not case sensitive. [Parameter()] [Alias('org')] [string] $Owner = (Get-GitHubConfig -Name Owner), # The name of the repository without the .git extension. The name is not case sensitive. [Parameter()] [string] $Repo = (Get-GitHubConfig -Name Repo) ) $inputObject = @{ APIEndpoint = "/repos/$Owner/$Repo/languages" Method = 'GET' } Invoke-GitHubAPI @inputObject | ForEach-Object { Write-Output $_.Response } } Write-Verbose "[$scriptName] - [public] - [Repositories] - [Repositories] - [Get-GitHubRepositoryLanguage] - Done" #endregion - From [public] - [Repositories] - [Repositories] - [Get-GitHubRepositoryLanguage] #region - From [public] - [Repositories] - [Repositories] - [Get-GitHubRepositorySecurityFix] Write-Verbose "[$scriptName] - [public] - [Repositories] - [Repositories] - [Get-GitHubRepositorySecurityFix] - Importing" filter Get-GitHubRepositorySecurityFix { <# .SYNOPSIS Check if automated security fixes are enabled for a repository .DESCRIPTION Shows whether automated security fixes are enabled, disabled or paused for a repository. The authenticated user must have admin read access to the repository. For more information, see "[Configuring automated security fixes](https://docs.github.com/articles/configuring-automated-security-fixes)". .EXAMPLE Get-GitHubRepositorySecurityFix -Owner 'PSModule' -Repo 'GitHub' Gets the automated security fixes status for the GitHub repository. .NOTES [Check if automated security fixes are enabled for a repository](https://docs.github.com/rest/repos/repos#check-if-automated-security-fixes-are-enabled-for-a-repository) #> [Alias('Get-GitHubRepoSecurityFixes')] [CmdletBinding()] [Diagnostics.CodeAnalysis.SuppressMessageAttribute('PSAvoidLongLines', '', Justification = 'Contains a long link.')] param ( # The account owner of the repository. The name is not case sensitive. [Parameter()] [Alias('org')] [string] $Owner = (Get-GitHubConfig -Name Owner), # The name of the repository without the .git extension. The name is not case sensitive. [Parameter()] [string] $Repo = (Get-GitHubConfig -Name Repo) ) $inputObject = @{ APIEndpoint = "/repos/$Owner/$Repo/automated-security-fixes" Method = 'GET' } Invoke-GitHubAPI @inputObject | ForEach-Object { Write-Output $_.Response } } Write-Verbose "[$scriptName] - [public] - [Repositories] - [Repositories] - [Get-GitHubRepositorySecurityFix] - Done" #endregion - From [public] - [Repositories] - [Repositories] - [Get-GitHubRepositorySecurityFix] #region - From [public] - [Repositories] - [Repositories] - [Get-GitHubRepositoryTag] Write-Verbose "[$scriptName] - [public] - [Repositories] - [Repositories] - [Get-GitHubRepositoryTag] - Importing" filter Get-GitHubRepositoryTag { <# .SYNOPSIS List repository tags .DESCRIPTION List repository tags .EXAMPLE Get-GitHubRepositoryTag -Owner 'PSModule' -Repo 'GitHub' Gets all tags of the GitHub repository. .NOTES [List repository tags](https://docs.github.com/rest/repos/repos#list-repository-tags) #> [CmdletBinding()] [Alias('Get-GitHubRepositoryTags')] param ( # The account owner of the repository. The name is not case sensitive. [Parameter()] [Alias('org')] [string] $Owner = (Get-GitHubConfig -Name Owner), # The name of the repository without the .git extension. The name is not case sensitive. [Parameter()] [string] $Repo = (Get-GitHubConfig -Name Repo), # The number of results per page (max 100). [Parameter()] [ValidateRange(1, 100)] [int] $PerPage = 30 ) $body = $PSBoundParameters | ConvertFrom-HashTable | ConvertTo-HashTable -NameCasingStyle snake_case Remove-HashtableEntry -Hashtable $body -RemoveNames 'Owner', 'Repo' -RemoveTypes 'SwitchParameter' $inputObject = @{ APIEndpoint = "/repos/$Owner/$Repo/tags" Method = 'GET' Body = $body } Invoke-GitHubAPI @inputObject | ForEach-Object { Write-Output $_.Response } } Write-Verbose "[$scriptName] - [public] - [Repositories] - [Repositories] - [Get-GitHubRepositoryTag] - Done" #endregion - From [public] - [Repositories] - [Repositories] - [Get-GitHubRepositoryTag] #region - From [public] - [Repositories] - [Repositories] - [Get-GitHubRepositoryTeam] Write-Verbose "[$scriptName] - [public] - [Repositories] - [Repositories] - [Get-GitHubRepositoryTeam] - Importing" filter Get-GitHubRepositoryTeam { <# .SYNOPSIS List repository teams .DESCRIPTION Lists the teams that have access to the specified repository and that are also visible to the authenticated user. For a public repository, a team is listed only if that team added the public repository explicitly. Personal access tokens require the following scopes: * `public_repo` to call this endpoint on a public repository * `repo` to call this endpoint on a private repository (this scope also includes public repositories) This endpoint is not compatible with fine-grained personal access tokens. .EXAMPLE Get-GitHubRepositoryTeam -Owner 'PSModule' -Repo 'GitHub' Lists the teams that have access to the specified repository and that are also visible to the authenticated user. .NOTES [List repository teams](https://docs.github.com/rest/repos/repos#list-repository-teams) #> [CmdletBinding()] [Alias('Get-GitHubRepositoryTeams')] param ( # The account owner of the repository. The name is not case sensitive. [Parameter()] [Alias('org')] [string] $Owner = (Get-GitHubConfig -Name Owner), # The name of the repository without the .git extension. The name is not case sensitive. [Parameter()] [string] $Repo = (Get-GitHubConfig -Name Repo), # The number of results per page (max 100). [Parameter()] [ValidateRange(1, 100)] [int] $PerPage = 30 ) $body = $PSBoundParameters | ConvertFrom-HashTable | ConvertTo-HashTable -NameCasingStyle snake_case Remove-HashtableEntry -Hashtable $body -RemoveNames 'Owner', 'Repo' -RemoveTypes 'SwitchParameter' $inputObject = @{ APIEndpoint = "/repos/$Owner/$Repo/teams" Method = 'GET' Body = $body } Invoke-GitHubAPI @inputObject | ForEach-Object { Write-Output $_.Response } } Write-Verbose "[$scriptName] - [public] - [Repositories] - [Repositories] - [Get-GitHubRepositoryTeam] - Done" #endregion - From [public] - [Repositories] - [Repositories] - [Get-GitHubRepositoryTeam] #region - From [public] - [Repositories] - [Repositories] - [Get-GitHubRepositoryTopic] Write-Verbose "[$scriptName] - [public] - [Repositories] - [Repositories] - [Get-GitHubRepositoryTopic] - Importing" filter Get-GitHubRepositoryTopic { <# .SYNOPSIS Get all repository topics .DESCRIPTION Get all repository topics .EXAMPLE .NOTES [Get all repository topics](https://docs.github.com/rest/repos/repos#get-all-repository-topics) #> [CmdletBinding()] param ( # The account owner of the repository. The name is not case sensitive. [Parameter()] [Alias('org')] [string] $Owner = (Get-GitHubConfig -Name Owner), # The name of the repository without the .git extension. The name is not case sensitive. [Parameter()] [string] $Repo = (Get-GitHubConfig -Name Repo), # The number of results per page (max 100). [Parameter()] [ValidateRange(1, 100)] [int] $PerPage = 30 ) $body = $PSBoundParameters | ConvertFrom-HashTable | ConvertTo-HashTable -NameCasingStyle snake_case Remove-HashtableEntry -Hashtable $body -RemoveNames 'Owner', 'Repo' -RemoveTypes 'SwitchParameter' $inputObject = @{ APIEndpoint = "/repos/$Owner/$Repo/topics" Method = 'GET' Body = $body } Invoke-GitHubAPI @inputObject | ForEach-Object { Write-Output $_.Response.names } } Write-Verbose "[$scriptName] - [public] - [Repositories] - [Repositories] - [Get-GitHubRepositoryTopic] - Done" #endregion - From [public] - [Repositories] - [Repositories] - [Get-GitHubRepositoryTopic] #region - From [public] - [Repositories] - [Repositories] - [Move-GitHubRepository] Write-Verbose "[$scriptName] - [public] - [Repositories] - [Repositories] - [Move-GitHubRepository] - Importing" filter Move-GitHubRepository { <# .SYNOPSIS Transfer a repository .DESCRIPTION A transfer request will need to be accepted by the new owner when transferring a personal repository to another user. The response will contain the original `owner`, and the transfer will continue asynchronously. For more details on the requirements to transfer personal and organization-owned repositories, see [about repository transfers](https://docs.github.com/articles/about-repository-transfers/). You must use a personal access token (classic) or an OAuth token for this endpoint. An installation access token or a fine-grained personal access token cannot be used because they are only granted access to a single account. .EXAMPLE Move-GitHubRepository -Owner 'PSModule' -Repo 'GitHub' -NewOwner 'GitHub' -NewName 'PowerShell' Moves the GitHub repository to the PSModule organization and renames it to GitHub. .NOTES [Transfer a repository](https://docs.github.com/rest/repos/repos#transfer-a-repository) #> [CmdletBinding()] param ( # The account owner of the repository. The name is not case sensitive. [Parameter()] [Alias('org')] [string] $Owner = (Get-GitHubConfig -Name Owner), # The name of the repository without the .git extension. The name is not case sensitive. [Parameter()] [string] $Repo = (Get-GitHubConfig -Name Repo), # The username or organization name the repository will be transferred to. [Parameter(Mandatory)] [Alias('new_owner')] [string] $NewOwner, # The new name to be given to the repository. [Parameter()] [Alias('new_name')] [string] $NewName, # ID of the team or teams to add to the repository. Teams can only be added to organization-owned repositories. [Parameter()] [Alias('team_ids')] [int[]] $TeamIds ) $PSCmdlet.MyInvocation.MyCommand.Parameters.GetEnumerator() | ForEach-Object { $paramName = $_.Key $paramDefaultValue = Get-Variable -Name $paramName -ValueOnly -ErrorAction SilentlyContinue $providedValue = $PSBoundParameters[$paramName] Write-Verbose "[$paramName]" Write-Verbose " - Default: [$paramDefaultValue]" Write-Verbose " - Provided: [$providedValue]" if (-not $PSBoundParameters.ContainsKey($paramName) -and ($null -ne $paramDefaultValue)) { Write-Verbose ' - Using default value' $PSBoundParameters[$paramName] = $paramDefaultValue } else { Write-Verbose ' - Using provided value' } } $body = $PSBoundParameters | ConvertFrom-HashTable | ConvertTo-HashTable -NameCasingStyle snake_case Remove-HashtableEntry -Hashtable $body -RemoveNames 'Owner', 'Repo' -RemoveTypes 'SwitchParameter' $inputObject = @{ APIEndpoint = "/repos/$Owner/$Repo/transfer" Method = 'POST' Body = $body } Invoke-GitHubAPI @inputObject | ForEach-Object { Write-Output $_.Response } } Write-Verbose "[$scriptName] - [public] - [Repositories] - [Repositories] - [Move-GitHubRepository] - Done" #endregion - From [public] - [Repositories] - [Repositories] - [Move-GitHubRepository] #region - From [public] - [Repositories] - [Repositories] - [New-GitHubRepository] Write-Verbose "[$scriptName] - [public] - [Repositories] - [Repositories] - [New-GitHubRepository] - Importing" #Requires -Modules DynamicParams filter New-GitHubRepository { <# .SYNOPSIS Create a repository for a user or an organization. .DESCRIPTION Creates a new repository for a user or in a specified organization. **OAuth scope requirements** When using [OAuth](https://docs.github.com/apps/building-oauth-apps/understanding-scopes-for-oauth-apps/), authorizations must include: * `public_repo` scope or `repo` scope to create a public repository. Note: For GitHub AE, use `repo` scope to create an internal repository. * `repo` scope to create a private repository .EXAMPLE $params = @{ Name = 'Hello-World' Description = 'This is your first repository' Homepage = 'https://github.com' HasIssues = $true HasProjects = $true HasWiki = $true HasDiscussions = $true HasDownloads = $true IsTemplate = $true AutoInit = $true AllowSquashMerge = $true AllowAutoMerge = $true DeleteBranchOnMerge = $true SquashMergeCommitTitle = 'PR_TITLE' SquashMergeCommitMessage = 'PR_BODY' } New-GitHubRepository @params Creates a new public repository named "Hello-World" owned by the authenticated user. .EXAMPLE $params = @{ Owner = 'PSModule' Name = 'Hello-World' Description = 'This is your first repository' Homepage = 'https://github.com' HasIssues = $true HasProjects = $true HasWiki = $true HasDownloads = $true IsTemplate = $true AutoInit = $true AllowSquashMerge = $true AllowAutoMerge = $true DeleteBranchOnMerge = $true SquashMergeCommitTitle = 'PR_TITLE' SquashMergeCommitMessage = 'PR_BODY' } New-GitHubRepository @params Creates a new public repository named "Hello-World" owned by the organization "PSModule". .EXAMPLE $params = @{ TemplateOwner = 'GitHub' TemplateRepo = 'octocat' Owner = 'PSModule' Name = 'MyNewRepo' IncludeAllBranches = $true Description = 'My new repo' Private = $true } New-GitHubRepository @params Creates a new private repository named `MyNewRepo` from the `octocat` template repository owned by `GitHub`. .EXAMPLE $params = @{ ForkOwner = 'octocat' ForkRepo = 'Hello-World' Owner = 'PSModule' Name = 'MyNewRepo' DefaultBranchOnly = $true } New-GitHubRepository @params Creates a new repository named `MyNewRepo` as a fork of `Hello-World` owned by `octocat`. Only the default branch will be forked. .NOTES https://docs.github.com/rest/repos/repos#create-a-repository-using-a-template .PARAMETER GitignoreTemplate Desired language or platform .gitignore template to apply. Use the name of the template without the extension. For example, "Haskell". .PARAMETER LicenseTemplate Choose an open source license template that best suits your needs, and then use the license keyword as the license_template string. For example, "mit" or "mpl-2.0". .NOTES [Create a repository for the authenticated user](https://docs.github.com/rest/repos/repos#create-a-repository-for-the-authenticated-user) [Create an organization repository](https://docs.github.com/rest/repos/repos#create-an-organization-repository) #> [OutputType([pscustomobject])] [CmdletBinding( SupportsShouldProcess, DefaultParameterSetName = 'user' )] param ( # The account owner of the repository. The name is not case sensitive. [Parameter(ParameterSetName = 'org')] [Parameter(ParameterSetName = 'fork')] [Alias('org')] [string] $Owner = (Get-GitHubConfig -Name Owner), # The name of the repository. [Parameter(ParameterSetName = 'fork')] [Parameter(Mandatory, ParameterSetName = 'user')] [Parameter(Mandatory, ParameterSetName = 'org')] [Parameter(Mandatory, ParameterSetName = 'template')] [string] $Name, # The account owner of the template repository. The name is not case sensitive. [Parameter( Mandatory, ParameterSetName = 'template' )] [Alias('template_owner')] [string] $TemplateOwner, # The name of the template repository without the .git extension. The name is not case sensitive. [Parameter( Mandatory, ParameterSetName = 'template' )] [Alias('template_repo')] [string] $TemplateRepo, # The account owner of the repository. The name is not case sensitive. [Parameter( Mandatory, ParameterSetName = 'fork' )] [string] $ForkOwner, # The name of the repository without the .git extension. The name is not case sensitive. [Parameter( Mandatory, ParameterSetName = 'fork' )] [string] $ForkRepo, # When forking from an existing repository, fork with only the default branch. [Parameter(ParameterSetName = 'fork')] [Alias('default_branch_only')] [switch] $DefaultBranchOnly, # A short description of the new repository. [Parameter(ParameterSetName = 'user')] [Parameter(ParameterSetName = 'org')] [Parameter(ParameterSetName = 'template')] [string] $Description, # Set to true to include the directory structure and files from all branches in the template repository, # and not just the default branch. [Parameter(ParameterSetName = 'template')] [Alias('include_all_branches')] [switch] $IncludeAllBranches, # A URL with more information about the repository. [Parameter(ParameterSetName = 'user')] [Parameter(ParameterSetName = 'org')] [ValidateNotNullOrEmpty()] [uri] $Homepage, # The visibility of the repository. [Parameter(ParameterSetName = 'user')] [Parameter(ParameterSetName = 'org')] [Parameter(ParameterSetName = 'template')] [ValidateSet('public', 'private')] [string] $Visibility = 'public', # Whether issues are enabled. [Parameter(ParameterSetName = 'user')] [Parameter(ParameterSetName = 'org')] [Alias('has_issues')] [switch] $HasIssues, # Whether projects are enabled. [Parameter(ParameterSetName = 'user')] [Parameter(ParameterSetName = 'org')] [Alias('has_projects')] [switch] $HasProjects, # Whether the wiki is enabled. [Parameter(ParameterSetName = 'user')] [Parameter(ParameterSetName = 'org')] [Alias('has_wiki')] [switch] $HasWiki, # Whether discussions are enabled. [Parameter(ParameterSetName = 'user')] [Alias('has_discussions')] [switch] $HasDiscussions, # Whether downloads are enabled. [Parameter(ParameterSetName = 'user')] [Parameter(ParameterSetName = 'org')] [Alias('has_downloads')] [switch] $HasDownloads, # Whether this repository acts as a template that can be used to generate new repositories. [Parameter(ParameterSetName = 'user')] [Parameter(ParameterSetName = 'org')] [Alias('is_template')] [switch] $IsTemplate, # The ID of the team that will be granted access to this repository. This is only valid when creating a repository in an organization. [Parameter(ParameterSetName = 'user')] [Parameter(ParameterSetName = 'org')] [Alias('team_id')] [int] $TeamId, # Pass true to create an initial commit with empty README. [Parameter(ParameterSetName = 'user')] [Parameter(ParameterSetName = 'org')] [Alias('auto_init')] [switch] $AutoInit, # Whether to allow squash merges for pull requests. [Parameter(ParameterSetName = 'user')] [Parameter(ParameterSetName = 'org')] [Alias('allow_squash_merge')] [switch] $AllowSquashMerge, # Whether to allow merge commits for pull requests. [Parameter(ParameterSetName = 'user')] [Parameter(ParameterSetName = 'org')] [Alias('allow_merge_commit')] [switch] $AllowMergeCommit, # Whether to allow rebase merges for pull requests. [Parameter(ParameterSetName = 'user')] [Parameter(ParameterSetName = 'org')] [Alias('allow_rebase_merge')] [switch] $AllowRebaseMerge, # Whether to allow Auto-merge to be used on pull requests. [Parameter(ParameterSetName = 'user')] [Parameter(ParameterSetName = 'org')] [Alias('allow_auto_merge')] [switch] $AllowAutoMerge, # Whether to delete head branches when pull requests are merged [Parameter(ParameterSetName = 'user')] [Parameter(ParameterSetName = 'org')] [Alias('delete_branch_on_merge')] [switch] $DeleteBranchOnMerge, # The default value for a squash merge commit title: # - PR_TITLE - default to the pull request's title. # - COMMIT_OR_PR_TITLE - default to the commit's title (if only one commit) or the pull request's title (when more than one commit). [Parameter(ParameterSetName = 'user')] [Parameter(ParameterSetName = 'org')] [ValidateSet('PR_TITLE', 'COMMIT_OR_PR_TITLE')] [Alias('squash_merge_commit_title')] [string] $SquashMergeCommitTitle, # The default value for a squash merge commit message: # - PR_BODY - default to the pull request's body. # - COMMIT_MESSAGES - default to the branch's commit messages. # - BLANK - default to a blank commit message. [Parameter(ParameterSetName = 'user')] [Parameter(ParameterSetName = 'org')] [ValidateSet('PR_BODY', 'COMMIT_MESSAGES', 'BLANK')] [Alias('squash_merge_commit_message')] [string] $SquashMergeCommitMessage, # The default value for a merge commit title. # - PR_TITLE - default to the pull request's title. # - MERGE_MESSAGE - default to the classic title for a merge message (e.g.,Merge pull request #123 from branch-name). [Parameter(ParameterSetName = 'user')] [Parameter(ParameterSetName = 'org')] [ValidateSet('PR_TITLE', 'MERGE_MESSAGE')] [Alias('merge_commit_title')] [string] $MergeCommitTitle, # The default value for a merge commit message. # - PR_BODY - default to the pull request's body. # - PR_TITLE - default to the pull request's title. # - BLANK - default to a blank commit message. [Parameter(ParameterSetName = 'user')] [Parameter(ParameterSetName = 'org')] [ValidateSet('PR_BODY', 'PR_TITLE', 'BLANK')] [Alias('merge_commit_message')] [string] $MergeCommitMessage ) dynamicparam { $DynamicParamDictionary = New-DynamicParamDictionary $dynParam = @{ Name = 'GitignoreTemplate' Alias = 'gitignore_template' Type = [string] ValidateSet = Get-GitHubGitignoreList DynamicParamDictionary = $DynamicParamDictionary } New-DynamicParam @dynParam $dynParam2 = @{ Name = 'LicenseTemplate' Alias = 'license_template' Type = [string] ValidateSet = Get-GitHubLicenseList | Select-Object -ExpandProperty key DynamicParamDictionary = $DynamicParamDictionary } New-DynamicParam @dynParam2 return $DynamicParamDictionary } begin { $GitignoreTemplate = $PSBoundParameters['GitignoreTemplate'] $LicenseTemplate = $PSBoundParameters['LicenseTemplate'] } process { if ($PSCmdlet.ParameterSetName -in 'user', 'org') { $params = @{ Owner = $Owner Name = $Name Description = $Description Homepage = $Homepage Visibility = $Visibility HasIssues = $HasIssues HasProjects = $HasProjects HasWiki = $HasWiki HasDiscussions = $HasDiscussions HasDownloads = $HasDownloads IsTemplate = $IsTemplate TeamId = $TeamId AutoInit = $AutoInit AllowSquashMerge = $AllowSquashMerge AllowMergeCommit = $AllowMergeCommit AllowRebaseMerge = $AllowRebaseMerge AllowAutoMerge = $AllowAutoMerge DeleteBranchOnMerge = $DeleteBranchOnMerge SquashMergeCommitTitle = $SquashMergeCommitTitle SquashMergeCommitMessage = $SquashMergeCommitMessage MergeCommitTitle = $MergeCommitTitle MergeCommitMessage = $MergeCommitMessage GitignoreTemplate = $GitignoreTemplate LicenseTemplate = $LicenseTemplate } Remove-HashtableEntry -Hashtable $params -NullOrEmptyValues } switch ($PSCmdlet.ParameterSetName) { 'user' { if ($PSCmdlet.ShouldProcess("repository for user [$Name]", 'Create')) { New-GitHubRepositoryUser @params } } 'org' { if ($PSCmdlet.ShouldProcess("repository for organization [$Owner/$Name]", 'Create')) { New-GitHubRepositoryOrg @params } } 'template' { if ($PSCmdlet.ShouldProcess("repository [$Owner/$Name] from template [$TemplateOwner/$TemplateRepo]", 'Create')) { $params = @{ TemplateOwner = $TemplateOwner TemplateRepo = $TemplateRepo Owner = $Owner Name = $Name IncludeAllBranches = $IncludeAllBranches Description = $Description Private = $Visibility -eq 'private' } Remove-HashtableEntry -Hashtable $params -NullOrEmptyValues New-GitHubRepositoryFromTemplate @params } } 'fork' { if ([string]::IsNullorEmpty($Name)) { $Name = $ForkRepo } if ($PSCmdlet.ShouldProcess("repository [$Owner/$Name] as fork from [$ForkOwner/$ForkRepo]", 'Create')) { $params = @{ Owner = $ForkOwner Repo = $ForkRepo Organization = $Owner Name = $Name DefaultBranchOnly = $DefaultBranchOnly } Remove-HashtableEntry -Hashtable $params -NullOrEmptyValues New-GitHubRepositoryAsFork @params } } } } } Write-Verbose "[$scriptName] - [public] - [Repositories] - [Repositories] - [New-GitHubRepository] - Done" #endregion - From [public] - [Repositories] - [Repositories] - [New-GitHubRepository] #region - From [public] - [Repositories] - [Repositories] - [Remove-GitHubRepository] Write-Verbose "[$scriptName] - [public] - [Repositories] - [Repositories] - [Remove-GitHubRepository] - Importing" filter Remove-GitHubRepository { <# .SYNOPSIS Delete a repository .DESCRIPTION Deleting a repository requires admin access. If OAuth is used, the `delete_repo` scope is required. If an organization owner has configured the organization to prevent members from deleting organization-owned repositories, you will get a `403 Forbidden` response. .EXAMPLE Remove-GitHubRepository -Owner 'PSModule' -Repo 'Hello-World' Deletes the repository `Hello-World` in the `PSModule` organization. .NOTES [Delete a repository](https://docs.github.com/rest/repos/repos#delete-a-repository) #> [CmdletBinding(SupportsShouldProcess)] param ( # The account owner of the repository. The name is not case sensitive. [Parameter(Mandatory)] [Alias('org')] [Alias('login')] [string] $Owner, # The name of the repository without the .git extension. The name is not case sensitive. [Parameter(Mandatory)] [string] $Repo ) $inputObject = @{ APIEndpoint = "/repos/$Owner/$Repo" Method = 'DELETE' } if ($PSCmdlet.ShouldProcess("repo [$Owner/$Repo]", 'Delete')) { Invoke-GitHubAPI @inputObject | ForEach-Object { Write-Output $_.Response } } } Write-Verbose "[$scriptName] - [public] - [Repositories] - [Repositories] - [Remove-GitHubRepository] - Done" #endregion - From [public] - [Repositories] - [Repositories] - [Remove-GitHubRepository] #region - From [public] - [Repositories] - [Repositories] - [Set-GitHubRepositoryTopic] Write-Verbose "[$scriptName] - [public] - [Repositories] - [Repositories] - [Set-GitHubRepositoryTopic] - Importing" filter Set-GitHubRepositoryTopic { <# .SYNOPSIS Replace all repository topics .DESCRIPTION Replace all repository topics .EXAMPLE Set-GitHubRepositoryTopic -Owner 'octocat' -Repo 'hello-world' -Names 'octocat', 'octo', 'octocat/hello-world' Replaces all topics for the repository 'octocat/hello-world' with the topics 'octocat', 'octo', 'octocat/hello-world'. .NOTES [Replace all repository topics](https://docs.github.com/rest/repos/repos#replace-all-repository-topics) #> [CmdletBinding(SupportsShouldProcess)] param ( # The account owner of the repository. The name is not case sensitive. [Parameter()] [Alias('org')] [string] $Owner = (Get-GitHubConfig -Name Owner), # The name of the repository without the .git extension. The name is not case sensitive. [Parameter()] [string] $Repo = (Get-GitHubConfig -Name Repo), # The number of results per page (max 100). [Parameter()] [Alias('Topics')] [string[]] $Names = @() ) $body = $PSBoundParameters | ConvertFrom-HashTable | ConvertTo-HashTable -NameCasingStyle snake_case Remove-HashtableEntry -Hashtable $body -RemoveNames 'Owner', 'Repo' -RemoveTypes 'SwitchParameter' $body.names = $body.names | ForEach-Object { $_.ToLower() } $inputObject = @{ APIEndpoint = "/repos/$Owner/$Repo/topics" Method = 'PUT' Body = $body } if ($PSCmdlet.ShouldProcess("topics for repo [$Owner/$Repo]", 'Set')) { Invoke-GitHubAPI @inputObject | ForEach-Object { Write-Output $_.Response.names } } } Write-Verbose "[$scriptName] - [public] - [Repositories] - [Repositories] - [Set-GitHubRepositoryTopic] - Done" #endregion - From [public] - [Repositories] - [Repositories] - [Set-GitHubRepositoryTopic] #region - From [public] - [Repositories] - [Repositories] - [Start-GitHubRepositoryEvent] Write-Verbose "[$scriptName] - [public] - [Repositories] - [Repositories] - [Start-GitHubRepositoryEvent] - Importing" filter Start-GitHubRepositoryEvent { <# .SYNOPSIS Create a repository dispatch event .DESCRIPTION You can use this endpoint to trigger a webhook event called `repository_dispatch` when you want activity that happens outside of GitHub to trigger a GitHub Actions workflow or GitHub App webhook. You must configure your GitHub Actions workflow or GitHub App to run when the `repository_dispatch` event occurs. For an example `repository_dispatch` webhook payload, see "[RepositoryDispatchEvent](https://docs.github.com/webhooks/event-payloads/#repository_dispatch)." The `client_payload` parameter is available for any extra information that your workflow might need. This parameter is a JSON payload that will be passed on when the webhook event is dispatched. For example, the `client_payload` can include a message that a user would like to send using a GitHub Actions workflow. Or the `client_payload` can be used as a test to debug your workflow. This endpoint requires write access to the repository by providing either: - Personal access tokens with `repo` scope. For more information, see "[Creating a personal access token for the command line](https://docs.github.com/articles/creating-a-personal-access-token-for-the-command-line)" in the GitHub Help documentation. - GitHub Apps with both `metadata:read` and `contents:read&write` permissions. This input example shows how you can use the `client_payload` as a test to debug your workflow. .EXAMPLE $params = @{ EventType = 'on-demand-test' ClientPayload = @{ unit = false integration = true } } Start-GitHubRepositoryEvent @params Starts a repository event with the name `on-demand-test` and a `client_payload` that includes `unit` and `integration`. .NOTES [Create a repository dispatch event](https://docs.github.com/rest/repos/repos#create-a-repository-dispatch-event) #> [CmdletBinding(SupportsShouldProcess)] [Diagnostics.CodeAnalysis.SuppressMessageAttribute('PSAvoidLongLines', '', Justification = 'Long links')] param ( # The account owner of the repository. The name is not case sensitive. [Parameter()] [Alias('org')] [string] $Owner = (Get-GitHubConfig -Name Owner), # The name of the repository without the .git extension. The name is not case sensitive. [Parameter()] [string] $Repo = (Get-GitHubConfig -Name Repo), # A custom webhook event name. Must be 100 characters or fewer. [Parameter(Mandatory)] [Alias('event_type')] [string] $EventType, # JSON payload with extra information about the webhook event that your action or workflow may use. # The maximum number of top-level properties is 10. [Parameter()] [Alias('client_payload')] [object] $ClientPayload ) $PSCmdlet.MyInvocation.MyCommand.Parameters.GetEnumerator() | ForEach-Object { $paramName = $_.Key $paramDefaultValue = Get-Variable -Name $paramName -ValueOnly -ErrorAction SilentlyContinue $providedValue = $PSBoundParameters[$paramName] Write-Verbose "[$paramName]" Write-Verbose " - Default: [$paramDefaultValue]" Write-Verbose " - Provided: [$providedValue]" if (-not $PSBoundParameters.ContainsKey($paramName) -and ($null -ne $paramDefaultValue)) { Write-Verbose ' - Using default value' $PSBoundParameters[$paramName] = $paramDefaultValue } else { Write-Verbose ' - Using provided value' } } $body = $PSBoundParameters | ConvertFrom-HashTable | ConvertTo-HashTable -NameCasingStyle snake_case Remove-HashtableEntry -Hashtable $body -RemoveNames 'Owner', 'Repo' -RemoveTypes 'SwitchParameter' $inputObject = @{ APIEndpoint = "/repos/$Owner/$Repo/dispatches" Method = 'POST' Body = $body } Invoke-GitHubAPI @inputObject | ForEach-Object { Write-Output $_.Response } } Write-Verbose "[$scriptName] - [public] - [Repositories] - [Repositories] - [Start-GitHubRepositoryEvent] - Done" #endregion - From [public] - [Repositories] - [Repositories] - [Start-GitHubRepositoryEvent] #region - From [public] - [Repositories] - [Repositories] - [Test-GitHubRepositoryVulnerabilityAlert] Write-Verbose "[$scriptName] - [public] - [Repositories] - [Repositories] - [Test-GitHubRepositoryVulnerabilityAlert] - Importing" filter Test-GitHubRepositoryVulnerabilityAlert { <# .SYNOPSIS Check if vulnerability alerts are enabled for a repository .DESCRIPTION Shows whether dependency alerts are enabled or disabled for a repository. The authenticated user must have admin read access to the repository. For more information, see "[About security alerts for vulnerable dependencies](https://docs.github.com/articles/about-security-alerts-for-vulnerable-dependencies)". .EXAMPLE Test-GitHubRepositoryVulnerabilityAlert -Owner 'PSModule' -Repo 'GitHub' Checks if vulnerability alerts are enabled for the PSModule/GitHub repository. .NOTES [Check if vulnerability alerts are enabled for a repository](https://docs.github.com/rest/repos/repos#list-repository-tags) #> [OutputType([bool])] [CmdletBinding()] [Alias('Test-GitHubRepositoryVulnerabilityAlerts')] param ( # The account owner of the repository. The name is not case sensitive. [Parameter()] [Alias('org')] [string] $Owner = (Get-GitHubConfig -Name Owner), # The name of the repository without the .git extension. The name is not case sensitive. [Parameter()] [string] $Repo = (Get-GitHubConfig -Name Repo) ) $inputObject = @{ APIEndpoint = "/repos/$Owner/$Repo/vulnerability-alerts" Method = 'GET' } try { (Invoke-GitHubAPI @inputObject).StatusCode -eq 204 } catch { if ($_.Exception.Response.StatusCode.Value__ -eq 404) { return $false } else { throw $_ } } } Write-Verbose "[$scriptName] - [public] - [Repositories] - [Repositories] - [Test-GitHubRepositoryVulnerabilityAlert] - Done" #endregion - From [public] - [Repositories] - [Repositories] - [Test-GitHubRepositoryVulnerabilityAlert] #region - From [public] - [Repositories] - [Repositories] - [Update-GitHubRepository] Write-Verbose "[$scriptName] - [public] - [Repositories] - [Repositories] - [Update-GitHubRepository] - Importing" filter Update-GitHubRepository { <# .SYNOPSIS Update a repository .DESCRIPTION **Note**: To edit a repository's topics, use the [Replace all repository topics](https://docs.github.com/rest/repos/repos#replace-all-repository-topics) endpoint. .EXAMPLE Update-GitHubRepository -Name 'octocat' -Description 'Hello-World' -Homepage 'https://github.com' .EXAMPLE $params = @{ Owner = 'octocat' Repo = 'Hello-World' name = 'Hello-World-Repo description = 'This is your first repository' homepage = 'https://github.com' } Update-GitHubRepository @params .NOTES [Update a repository](https://docs.github.com/rest/repos/repos#update-a-repository) #> [CmdletBinding(SupportsShouldProcess)] param ( # The account owner of the repository. The name is not case sensitive. [Parameter()] [Alias('org')] [string] $Owner = (Get-GitHubConfig -Name Owner), # The name of the repository without the .git extension. The name is not case sensitive. [Parameter()] [string] $Repo = (Get-GitHubConfig -Name Repo), # The name of the repository. [Parameter()] [string] $Name, # A short description of the repository. [Parameter()] [string] $Description, # A URL with more information about the repository. [Parameter()] [uri] $Homepage, # The visibility of the repository. [Parameter()] [ValidateSet('public', 'private')] [string] $Visibility, # Use the status property to enable or disable GitHub Advanced Security for this repository. # For more information, see "About GitHub Advanced Security." [Parameter()] [switch] $EnableAdvancedSecurity, # Use the status property to enable or disable secret scanning for this repository. # For more information, see "About secret scanning." [Parameter()] [switch] $EnableSecretScanning, # Use the status property to enable or disable secret scanning push protection for this repository. # For more information, see "Protecting pushes with secret scanning." [Parameter()] [switch] $EnableSecretScanningPushProtection, # Whether issues are enabled. [Parameter()] [Alias('has_issues')] [switch] $HasIssues, # Whether projects are enabled. [Parameter()] [Alias('has_projects')] [switch] $HasProjects, # Whether the wiki is enabled. [Parameter()] [Alias('has_wiki')] [switch] $HasWiki, # Whether this repository acts as a template that can be used to generate new repositories. [Parameter()] [Alias('is_template')] [switch] $IsTemplate, # Updates the default branch for this repository. [Parameter()] [Alias('default_branch')] [string] $DefaultBranch, # Whether to allow squash merges for pull requests. [Parameter()] [Alias('allow_squash_merge')] [switch] $AllowSquashMerge, # Whether to allow merge commits for pull requests. [Parameter()] [Alias('allow_merge_commit')] [switch] $AllowMergeCommit, # Whether to allow rebase merges for pull requests. [Parameter()] [Alias('allow_rebase_merge')] [switch] $AllowRebaseMerge, # Whether to allow Auto-merge to be used on pull requests. [Parameter()] [Alias('allow_auto_merge')] [switch] $AllowAutoMerge, # Whether to delete head branches when pull requests are merged [Parameter()] [Alias('delete_branch_on_merge')] [switch] $DeleteBranchOnMerge, # Either true to always allow a pull request head branch that is behind its base branch # to be updated even if it is not required to be up to date before merging, or false otherwise. [Parameter()] [Alias('allow_update_branch')] [switch] $AllowUpdateMerge, # The default value for a squash merge commit title: # - PR_TITLE - default to the pull request's title. # - COMMIT_OR_PR_TITLE - default to the commit's title (if only one commit) or the pull request's title (when more than one commit). [Parameter()] [ValidateSet('PR_TITLE', 'COMMIT_OR_PR_TITLE')] [Alias('squash_merge_commit_title')] [string] $SquashMergeCommitTitle, # The default value for a squash merge commit message: # - PR_BODY - default to the pull request's body. # - COMMIT_MESSAGES - default to the branch's commit messages. # - BLANK - default to a blank commit message. [Parameter()] [ValidateSet('PR_BODY', 'COMMIT_MESSAGES', 'BLANK')] [Alias('squash_merge_commit_message')] [string] $SquashMergeCommitMessage, # The default value for a merge commit title. # - PR_TITLE - default to the pull request's title. # - MERGE_MESSAGE - default to the classic title for a merge message (e.g.,Merge pull request #123 from branch-name). [Parameter()] [ValidateSet('PR_TITLE', 'MERGE_MESSAGE')] [Alias('merge_commit_title')] [string] $MergeCommitTitle, # The default value for a merge commit message. # - PR_BODY - default to the pull request's body. # - PR_TITLE - default to the pull request's title. # - BLANK - default to a blank commit message. [Parameter()] [ValidateSet('PR_BODY', 'PR_TITLE', 'BLANK')] [Alias('merge_commit_message')] [string] $MergeCommitMessage, # Whether to archive this repository. false will unarchive a previously archived repository. [Parameter()] [switch] $Archived, # Either true to allow private forks, or false to prevent private forks. [Parameter()] [Alias('allow_forking')] [switch] $AllowForking, # Either true to require contributors to sign off on web-based commits, # or false to not require contributors to sign off on web-based commits. [Parameter()] [Alias('web_commit_signoff_required')] [switch] $WebCommitSignoffRequired ) $body = @{ name = $Name description = $Description homepage = $Homepage visibility = $Visibility private = $Visibility -eq 'private' default_branch = $DefaultBranch squash_merge_commit_title = $SquashMergeCommitTitle squash_merge_commit_message = $SquashMergeCommitMessage merge_commit_title = $MergeCommitTitle merge_commit_message = $MergeCommitMessage advanced_security = if ($EnableAdvancedSecurity.IsPresent) { @{ status = if ($EnableAdvancedSecurity) { 'enabled' } else { 'disabled' } } } else { $null } secret_scanning = if ($EnableSecretScanning.IsPresent) { @{ status = if ($EnableSecretScanning) { 'enabled' } else { 'disabled' } } } else { $null } secret_scanning_push_protection = if ($EnableSecretScanningPushProtection.IsPresent) { @{ status = if ($EnableSecretScanningPushProtection) { 'enabled' } else { 'disabled' } } } else { $null } has_issues = if ($HasIssues.IsPresent) { $HasIssues } else { $null } has_projects = if ($HasProjects.IsPresent) { $HasProjects } else { $null } has_wiki = if ($HasWiki.IsPresent) { $HasWiki } else { $null } is_template = if ($IsTemplate.IsPresent) { $IsTemplate } else { $null } allow_squash_merge = if ($AllowSquashMerge.IsPresent) { $AllowSquashMerge } else { $null } allow_merge_commit = if ($AllowMergeCommit.IsPresent) { $AllowMergeCommit } else { $null } allow_rebase_merge = if ($AllowRebaseMerge.IsPresent) { $AllowRebaseMerge } else { $null } allow_auto_merge = if ($AllowAutoMerge.IsPresent) { $AllowAutoMerge } else { $null } allow_update_branch = if ($AllowUpdateMerge.IsPresent) { $AllowUpdateMerge } else { $null } delete_branch_on_merge = if ($DeleteBranchOnMerge.IsPresent) { $DeleteBranchOnMerge } else { $null } archived = if ($Archived.IsPresent) { $Archived } else { $null } allow_forking = if ($AllowForking.IsPresent) { $AllowForking } else { $null } web_commit_signoff_required = if ($WebCommitSignoffRequired.IsPresent) { $WebCommitSignoffRequired } else { $null } } Remove-HashtableEntry -Hashtable $body -NullOrEmptyValues $inputObject = @{ APIEndpoint = "/repos/$Owner/$Repo" Method = 'PATCH' Body = $body } if ($PSCmdlet.ShouldProcess("Repository [$Owner/$Repo]", 'Update')) { Invoke-GitHubAPI @inputObject | ForEach-Object { Write-Output $_.Response } } } Write-Verbose "[$scriptName] - [public] - [Repositories] - [Repositories] - [Update-GitHubRepository] - Done" #endregion - From [public] - [Repositories] - [Repositories] - [Update-GitHubRepository] Write-Verbose "[$scriptName] - [public] - [Repositories] - [Repositories] - Done" #endregion - From [public] - [Repositories] - [Repositories] #region - From [public] - [Repositories] - [RuleSuite] Write-Verbose "[$scriptName] - [public] - [Repositories] - [RuleSuite] - Processing folder" #region - From [public] - [Repositories] - [RuleSuite] - [Get-GitHubRepositoryRuleSuite] Write-Verbose "[$scriptName] - [public] - [Repositories] - [RuleSuite] - [Get-GitHubRepositoryRuleSuite] - Importing" filter Get-GitHubRepositoryRuleSuite { <# .SYNOPSIS List repository rule suites or a rule suite by ID. .DESCRIPTION Lists suites of rule evaluations at the repository level. If an ID is specified, gets information about a suite of rule evaluations from within a repository. For more information, see"[Managing rulesets for a repository](https://docs.github.com/repositories/configuring-branches-and-merges-in-your-repository/managing-rulesets/managing-rulesets-for-a-repository#viewing-insights-for-rulesets)." .EXAMPLE $params = @{ Owner = 'octocat' Repo = 'hello-world' Ref = 'main' TimePeriod = 'day' ActorName = 'octocat' RuleSuiteResult = 'all' } Get-GitHubRepositoryRuleSuite @params Gets a list of rule suites for the main branch of the hello-world repository owned by octocat. .EXAMPLE Get-GitHubRepositoryRuleSuite -Owner 'octocat' -Repo 'hello-world' -RuleSuiteId 123456789 Gets information about a suite of rule evaluations with ID 123456789 from within the octocat/hello-world repository. .NOTES [List repository rule suites](https://docs.github.com/rest/repos/rule-suites#list-repository-rule-suites) [Get a repository rule suite](https://docs.github.com/rest/repos/rule-suites#get-a-repository-rule-suite) #> [OutputType([pscustomobject])] [Diagnostics.CodeAnalysis.SuppressMessageAttribute('PSAvoidLongLines', '', Justification = 'Long links')] [CmdletBinding(DefaultParameterSetName = 'Default')] param ( # The account owner of the repository. The name is not case sensitive. [Parameter()] [Alias('org')] [string] $Owner = (Get-GitHubConfig -Name Owner), # The name of the repository without the .git extension. The name is not case sensitive. [Parameter()] [string] $Repo = (Get-GitHubConfig -Name Repo), # The name of the ref. Cannot contain wildcard characters. # When specified, only rule evaluations triggered for this ref will be returned. [Parameter()] [string] $Ref, # The time period to filter by. # For example,day will filter for rule suites that occurred in the past 24 hours, # and week will filter for insights that occurred in the past 7 days (168 hours). [Parameter()] [ValidateSet('hour', 'day', 'week', 'month')] [string] $TimePeriod = 'day', # The handle for the GitHub user account to filter on. When specified, only rule evaluations triggered by this actor will be returned. [Parameter()] [string] $ActorName, # The rule results to filter on. When specified, only suites with this result will be returned. [Parameter()] [ValidateSet('pass', 'fail', 'bypass', 'all')] [string] $RuleSuiteResult = 'all', # The number of results per page (max 100). [Parameter()] [ValidateRange(1, 100)] [int] $PerPage = 30, # The unique identifier of the rule suite result. To get this ID, you can use GET /repos/ { owner }/ { repo }/rulesets/rule-suites for repositories and GET /orgs/ { org }/rulesets/rule-suites for organizations. [Parameter( Mandatory, ParameterSetName = 'ById' )] [int] $RuleSuiteId ) switch ($PSCmdlet.ParameterSetName) { 'Default' { $params = @{ Owner = $Owner Repo = $Repo Ref = $Ref TimePeriod = $TimePeriod ActorName = $ActorName RuleSuiteResult = $RuleSuiteResult PerPage = $PerPage } Get-GitHubRepositoryRuleSuiteList @params } 'ById' { $params = @{ Owner = $Owner Repo = $Repo RuleSuiteId = $RuleSuiteId } Get-GitHubRepositoryRuleSuiteById @params } } } Write-Verbose "[$scriptName] - [public] - [Repositories] - [RuleSuite] - [Get-GitHubRepositoryRuleSuite] - Done" #endregion - From [public] - [Repositories] - [RuleSuite] - [Get-GitHubRepositoryRuleSuite] #region - From [public] - [Repositories] - [RuleSuite] - [Get-GitHubRepositoryRuleSuiteById] Write-Verbose "[$scriptName] - [public] - [Repositories] - [RuleSuite] - [Get-GitHubRepositoryRuleSuiteById] - Importing" filter Get-GitHubRepositoryRuleSuiteById { <# .SYNOPSIS Get a repository rule suite .DESCRIPTION Gets information about a suite of rule evaluations from within a repository. For more information, see "[Managing rulesets for a repository](https://docs.github.com/repositories/configuring-branches-and-merges-in-your-repository/managing-rulesets/managing-rulesets-for-a-repository#viewing-insights-for-rulesets)." .EXAMPLE Get-GitHubRepositoryRuleSuiteById -Owner 'octocat' -Repo 'hello-world' -RuleSuiteId 123456789 Gets information about a suite of rule evaluations with ID 123456789 from within the octocat/hello-world repository. .NOTES [Get a repository rule suite](https://docs.github.com/rest/repos/rule-suites#get-a-repository-rule-suite) #> [OutputType([pscustomobject])] [Diagnostics.CodeAnalysis.SuppressMessageAttribute('PSAvoidLongLines', '', Justification = 'Long links')] [CmdletBinding()] param ( # The account owner of the repository. The name is not case sensitive. [Parameter()] [Alias('org')] [string] $Owner = (Get-GitHubConfig -Name Owner), # The name of the repository without the .git extension. The name is not case sensitive. [Parameter()] [string] $Repo = (Get-GitHubConfig -Name Repo), # The unique identifier of the rule suite result. To get this ID, you can use GET /repos/ { owner }/ { repo }/rulesets/rule-suites for repositories and GET /orgs/ { org }/rulesets/rule-suites for organizations. [Parameter(Mandatory)] [int] $RuleSuiteId ) $inputObject = @{ APIEndpoint = "/repos/$Owner/$Repo/rulesets/rule-suites/$RuleSuiteId" Method = 'GET' } Invoke-GitHubAPI @inputObject | ForEach-Object { Write-Output $_.Response } } Write-Verbose "[$scriptName] - [public] - [Repositories] - [RuleSuite] - [Get-GitHubRepositoryRuleSuiteById] - Done" #endregion - From [public] - [Repositories] - [RuleSuite] - [Get-GitHubRepositoryRuleSuiteById] #region - From [public] - [Repositories] - [RuleSuite] - [Get-GitHubRepositoryRuleSuiteList] Write-Verbose "[$scriptName] - [public] - [Repositories] - [RuleSuite] - [Get-GitHubRepositoryRuleSuiteList] - Importing" filter Get-GitHubRepositoryRuleSuiteList { <# .SYNOPSIS List repository rule suites .DESCRIPTION Lists suites of rule evaluations at the repository level. For more information, see"[Managing rulesets for a repository](https://docs.github.com/repositories/configuring-branches-and-merges-in-your-repository/managing-rulesets/managing-rulesets-for-a-repository#viewing-insights-for-rulesets)." .EXAMPLE $params = @{ Owner = 'octocat' Repo = 'hello-world' Ref = 'main' TimePeriod = 'day' ActorName = 'octocat' RuleSuiteResult = 'all' } Get-GitHubRepositoryRuleSuiteList @params Gets a list of rule suites for the main branch of the hello-world repository owned by octocat. .NOTES [List repository rule suites](https://docs.github.com/rest/repos/rule-suites#list-repository-rule-suites) #> [OutputType([pscustomobject])] [Diagnostics.CodeAnalysis.SuppressMessageAttribute('PSAvoidLongLines', '', Justification = 'Long links')] [CmdletBinding()] param ( # The account owner of the repository. The name is not case sensitive. [Parameter()] [Alias('org')] [string] $Owner = (Get-GitHubConfig -Name Owner), # The name of the repository without the .git extension. The name is not case sensitive. [Parameter()] [string] $Repo = (Get-GitHubConfig -Name Repo), # The name of the ref. Cannot contain wildcard characters. # When specified, only rule evaluations triggered for this ref will be returned. [Parameter()] [string] $Ref, # The time period to filter by. # For example,day will filter for rule suites that occurred in the past 24 hours, # and week will filter for insights that occurred in the past 7 days (168 hours). [Parameter()] [ValidateSet('hour', 'day', 'week', 'month')] [string] $TimePeriod = 'day', # The handle for the GitHub user account to filter on. When specified, only rule evaluations triggered by this actor will be returned. [Parameter()] [string] $ActorName, # The rule results to filter on. When specified, only suites with this result will be returned. [Parameter()] [ValidateSet('pass', 'fail', 'bypass', 'all')] [string] $RuleSuiteResult = 'all', # The number of results per page (max 100). [Parameter()] [ValidateRange(1, 100)] [int] $PerPage = 30 ) $PSCmdlet.MyInvocation.MyCommand.Parameters.GetEnumerator() | ForEach-Object { $paramName = $_.Key $paramDefaultValue = Get-Variable -Name $paramName -ValueOnly -ErrorAction SilentlyContinue $providedValue = $PSBoundParameters[$paramName] Write-Verbose "[$paramName]" Write-Verbose " - Default: [$paramDefaultValue]" Write-Verbose " - Provided: [$providedValue]" if (-not $PSBoundParameters.ContainsKey($paramName) -and ($null -ne $paramDefaultValue)) { Write-Verbose ' - Using default value' $PSBoundParameters[$paramName] = $paramDefaultValue } else { Write-Verbose ' - Using provided value' } } $body = $PSBoundParameters | ConvertFrom-HashTable | ConvertTo-HashTable -NameCasingStyle snake_case Remove-HashtableEntry -Hashtable $body -RemoveNames 'Owner', 'Repo' -RemoveTypes 'SwitchParameter' $inputObject = @{ APIEndpoint = "/repos/$Owner/$Repo/rulesets/rule-suites" Method = 'GET' Body = $body } Invoke-GitHubAPI @inputObject | ForEach-Object { Write-Output $_.Response } } Write-Verbose "[$scriptName] - [public] - [Repositories] - [RuleSuite] - [Get-GitHubRepositoryRuleSuiteList] - Done" #endregion - From [public] - [Repositories] - [RuleSuite] - [Get-GitHubRepositoryRuleSuiteList] Write-Verbose "[$scriptName] - [public] - [Repositories] - [RuleSuite] - Done" #endregion - From [public] - [Repositories] - [RuleSuite] #region - From [public] - [Repositories] - [Tags] Write-Verbose "[$scriptName] - [public] - [Repositories] - [Tags] - Processing folder" #region - From [public] - [Repositories] - [Tags] - [Get-GitHubRepositoryTagProtection] Write-Verbose "[$scriptName] - [public] - [Repositories] - [Tags] - [Get-GitHubRepositoryTagProtection] - Importing" filter Get-GitHubRepositoryTagProtection { <# .SYNOPSIS List tag protection states for a repository .DESCRIPTION This returns the tag protection states of a repository. This information is only available to repository administrators. .EXAMPLE Get-GitHubRepositoryTagProtection -Owner 'octocat' -Repo 'hello-world' Gets the tag protection states of the 'hello-world' repository. .NOTES [List tag protection states for a repository](https://docs.github.com/rest/repos/tags#list-tag-protection-states-for-a-repository) #> [OutputType([pscustomobject])] [CmdletBinding()] param ( # The account owner of the repository. The name is not case sensitive. [Parameter()] [Alias('org')] [string] $Owner = (Get-GitHubConfig -Name Owner), # The name of the repository without the .git extension. The name is not case sensitive. [Parameter()] [string] $Repo = (Get-GitHubConfig -Name Repo) ) $inputObject = @{ APIEndpoint = "/repos/$Owner/$Repo/tags/protection" Method = 'GET' } Invoke-GitHubAPI @inputObject | ForEach-Object { Write-Output $_.Response } } Write-Verbose "[$scriptName] - [public] - [Repositories] - [Tags] - [Get-GitHubRepositoryTagProtection] - Done" #endregion - From [public] - [Repositories] - [Tags] - [Get-GitHubRepositoryTagProtection] #region - From [public] - [Repositories] - [Tags] - [New-GitHubRepositoryTagProtection] Write-Verbose "[$scriptName] - [public] - [Repositories] - [Tags] - [New-GitHubRepositoryTagProtection] - Importing" filter New-GitHubRepositoryTagProtection { <# .SYNOPSIS Create a tag protection state for a repository .DESCRIPTION This creates a tag protection state for a repository. This endpoint is only available to repository administrators. .EXAMPLE New-GitHubRepositoryTagProtection -Owner 'octocat' -Repo 'hello-world' -Pattern 'v1.*' Creates a tag protection state for the 'hello-world' repository with the pattern 'v1.*'. .NOTES [Create a tag protection state for a repository](https://docs.github.com/rest/repos/tags#create-a-tag-protection-state-for-a-repository) #> [OutputType([pscustomobject])] [CmdletBinding(SupportsShouldProcess)] param ( # The account owner of the repository. The name is not case sensitive. [Parameter()] [Alias('org')] [string] $Owner = (Get-GitHubConfig -Name Owner), # The name of the repository without the .git extension. The name is not case sensitive. [Parameter()] [string] $Repo = (Get-GitHubConfig -Name Repo), # An optional glob pattern to match against when enforcing tag protection. [Parameter(Mandatory)] [string] $Pattern ) $body['pattern'] = $Pattern $inputObject = @{ APIEndpoint = "/repos/$Owner/$Repo/tags/protection" Method = 'POST' Body = $body } if ($PSCmdlet.ShouldProcess("tag protection state on pattern [$Pattern] for repository [$Owner/$Repo]", 'Create')) { Invoke-GitHubAPI @inputObject | ForEach-Object { Write-Output $_.Response } } } Write-Verbose "[$scriptName] - [public] - [Repositories] - [Tags] - [New-GitHubRepositoryTagProtection] - Done" #endregion - From [public] - [Repositories] - [Tags] - [New-GitHubRepositoryTagProtection] #region - From [public] - [Repositories] - [Tags] - [Remove-GitHubRepositoryTagProtection] Write-Verbose "[$scriptName] - [public] - [Repositories] - [Tags] - [Remove-GitHubRepositoryTagProtection] - Importing" filter Remove-GitHubRepositoryTagProtection { <# .SYNOPSIS Delete a tag protection state for a repository .DESCRIPTION This deletes a tag protection state for a repository. This endpoint is only available to repository administrators. .EXAMPLE Remove-GitHubRepositoryTagProtection -Owner 'octocat' -Repo 'hello-world' -TagProtectionId 1 Deletes the tag protection state with the ID 1 for the 'hello-world' repository. .NOTES [Delete a tag protection state for a repository](https://docs.github.com/rest/repos/tags#delete-a-tag-protection-state-for-a-repository) #> [OutputType([pscustomobject])] [CmdletBinding(SupportsShouldProcess)] param ( # The account owner of the repository. The name is not case sensitive. [Parameter()] [Alias('org')] [string] $Owner = (Get-GitHubConfig -Name Owner), # The name of the repository without the .git extension. The name is not case sensitive. [Parameter()] [string] $Repo = (Get-GitHubConfig -Name Repo), # The unique identifier of the tag protection. [Parameter(Mandatory)] [int] $TagProtectionId ) $inputObject = @{ APIEndpoint = "/repos/$Owner/$Repo/tags/protection/$TagProtectionId" Method = 'DELETE' } if ($PSCmdlet.ShouldProcess("tag protection state with ID [$TagProtectionId] for repository [$Owner/$Repo]", 'Delete')) { Invoke-GitHubAPI @inputObject | ForEach-Object { Write-Output $_.Response } } } Write-Verbose "[$scriptName] - [public] - [Repositories] - [Tags] - [Remove-GitHubRepositoryTagProtection] - Done" #endregion - From [public] - [Repositories] - [Tags] - [Remove-GitHubRepositoryTagProtection] Write-Verbose "[$scriptName] - [public] - [Repositories] - [Tags] - Done" #endregion - From [public] - [Repositories] - [Tags] Write-Verbose "[$scriptName] - [public] - [Repositories] - Done" #endregion - From [public] - [Repositories] #region - From [public] - [Status] Write-Verbose "[$scriptName] - [public] - [Status] - Processing folder" #region - From [public] - [Status] - [Get-GitHubScheduledMaintenance] Write-Verbose "[$scriptName] - [public] - [Status] - [Get-GitHubScheduledMaintenance] - Importing" function Get-GitHubScheduledMaintenance { <# .SYNOPSIS Gets the status of GitHub scheduled maintenance .DESCRIPTION Scheduled maintenances are planned outages, upgrades, or general notices that you're working on infrastructure and disruptions may occurr. A close sibling of Incidents, each usually goes through a progression of statuses listed below, with an impact calculated from a blend of component statuses (or an optional override). Status: Scheduled, In Progress, Verifying, or Completed Impact: None (black), Minor (yellow), Major (orange), or Critical (red) .EXAMPLE Get-GitHubScheduledMaintenance Get a list of the 50 most recent scheduled maintenances. This includes scheduled maintenances as described in the above two endpoints, as well as those in the Completed state. .EXAMPLE Get-GitHubScheduledMaintenance -Active Get a list of any active maintenances. .EXAMPLE Get-GitHubScheduledMaintenance -Upcoming Get a list of any upcoming maintenances. .NOTES [Scheduled maintenances](https://www.githubstatus.com/api#scheduled-maintenances) #> param( # Get a list of any active maintenances. # This endpoint will only return scheduled maintenances in the In Progress or Verifying state. [Parameter()] [switch] $Active, # Get a list of any upcoming maintenances. # This endpoint will only return scheduled maintenances still in the Scheduled state. [Parameter()] [switch] $Upcoming ) if ($Active) { $APIURI = 'https://www.githubstatus.com/api/v2/scheduled-maintenances/active.json' $response = Invoke-RestMethod -Uri $APIURI -Method Get $response.scheduled_maintenances return } if ($Upcoming) { $APIURI = 'https://www.githubstatus.com/api/v2/scheduled-maintenances/upcoming.json' $response = Invoke-RestMethod -Uri $APIURI -Method Get $response.scheduled_maintenances return } $APIURI = 'https://www.githubstatus.com/api/v2/scheduled-maintenances.json' $response = Invoke-RestMethod -Uri $APIURI -Method Get $response.scheduled_maintenances } Write-Verbose "[$scriptName] - [public] - [Status] - [Get-GitHubScheduledMaintenance] - Done" #endregion - From [public] - [Status] - [Get-GitHubScheduledMaintenance] #region - From [public] - [Status] - [Get-GitHubStatus] Write-Verbose "[$scriptName] - [public] - [Status] - [Get-GitHubStatus] - Importing" function Get-GitHubStatus { <# .SYNOPSIS Gets the status of GitHub services .DESCRIPTION Get a summary of the status page, including a status indicator, component statuses, unresolved incidents, and any upcoming or in-progress scheduled maintenances. Get the status rollup for the whole page. This endpoint includes an indicator - one of none, minor, major, or critical, as well as a human description of the blended component status. Examples of the blended status include "All Systems Operational", "Partial System Outage", and "Major Service Outage". .EXAMPLE Get-GitHubStatus Gets the status of GitHub services .EXAMPLE Get-GitHubStatus -Summary Gets a summary of the status page, including a status indicator, component statuses, unresolved incidents, and any upcoming or in-progress scheduled maintenances. .NOTES [Summary](https://www.githubstatus.com/api#summary) [Status](https://www.githubstatus.com/api#status) #> [OutputType([pscustomobject])] [CmdletBinding()] param( # Gets a summary of the status page, including a status indicator, component statuses, unresolved incidents, # and any upcoming or in-progress scheduled maintenances. [Parameter()] [switch] $Summary ) if ($Summary) { $APIURI = 'https://www.githubstatus.com/api/v2/summary.json' $response = Invoke-RestMethod -Uri $APIURI -Method Get $response return } $APIURI = 'https://www.githubstatus.com/api/v2/status.json' $response = Invoke-RestMethod -Uri $APIURI -Method Get $response.status } Write-Verbose "[$scriptName] - [public] - [Status] - [Get-GitHubStatus] - Done" #endregion - From [public] - [Status] - [Get-GitHubStatus] #region - From [public] - [Status] - [Get-GitHubStatusComponent] Write-Verbose "[$scriptName] - [public] - [Status] - [Get-GitHubStatusComponent] - Importing" function Get-GitHubStatusComponent { <# .SYNOPSIS Gets the status of GitHub components .DESCRIPTION Get the components for the page. Each component is listed along with its status - one of operational, degraded_performance, partial_outage, or major_outage. .EXAMPLE Get-GitHubStatusComponent Gets the status of GitHub components .NOTES [Components](https://www.githubstatus.com/api#components) #> [OutputType([pscustomobject[]])] [Alias('Get-GitHubStatusComponents')] [CmdletBinding()] param() $APIURI = 'https://www.githubstatus.com/api/v2/components.json' $response = Invoke-RestMethod -Uri $APIURI -Method Get $response.components } Write-Verbose "[$scriptName] - [public] - [Status] - [Get-GitHubStatusComponent] - Done" #endregion - From [public] - [Status] - [Get-GitHubStatusComponent] #region - From [public] - [Status] - [Get-GitHubStatusIncident] Write-Verbose "[$scriptName] - [public] - [Status] - [Get-GitHubStatusIncident] - Importing" function Get-GitHubStatusIncident { <# .SYNOPSIS Gets the status of GitHub incidents .DESCRIPTION Incidents are the cornerstone of any status page, being composed of many incident updates. Each incident usually goes through a progression of statuses listed below, with an impact calculated from a blend of component statuses (or an optional override). Status: Investigating, Identified, Monitoring, Resolved, or Postmortem Impact: None (black), Minor (yellow), Major (orange), or Critical (red) .EXAMPLE Get-GitHubStatusIncident Gets the status of GitHub incidents .EXAMPLE Get-GitHubStatusIncident -Unresolved Gets the status of GitHub incidents that are unresolved .NOTES [Incidents](https://www.githubstatus.com/api#incidents) #> [OutputType([pscustomobject[]])] [Alias('Get-GitHubStatusIncidents')] [CmdletBinding()] param( # Gets the status of GitHub incidents that are unresolved [Parameter()] [switch] $Unresolved ) if ($Unresolved) { $APIURI = 'https://www.githubstatus.com/api/v2/incidents/unresolved.json' $response = Invoke-RestMethod -Uri $APIURI -Method Get $response.incidents return } $APIURI = 'https://www.githubstatus.com/api/v2/incidents.json' $response = Invoke-RestMethod -Uri $APIURI -Method Get $response.incidents } Write-Verbose "[$scriptName] - [public] - [Status] - [Get-GitHubStatusIncident] - Done" #endregion - From [public] - [Status] - [Get-GitHubStatusIncident] Write-Verbose "[$scriptName] - [public] - [Status] - Done" #endregion - From [public] - [Status] #region - From [public] - [Teams] Write-Verbose "[$scriptName] - [public] - [Teams] - Processing folder" #region - From [public] - [Teams] - [Get-GitHubRepoTeam] Write-Verbose "[$scriptName] - [public] - [Teams] - [Get-GitHubRepoTeam] - Importing" filter Get-GitHubRepoTeam { <# .NOTES [List repository teams](https://docs.github.com/rest/reference/repos#get-a-repository) #> [CmdletBinding()] param ( [Parameter()] [string] $Owner = (Get-GitHubConfig -Name Owner), [Parameter()] [string] $Repo = (Get-GitHubConfig -Name Repo) ) $inputObject = @{ Method = 'Get' APIEndpoint = "/repos/$Owner/$Repo/teams" } Invoke-GitHubAPI @inputObject | ForEach-Object { Write-Output $_.Response } } Write-Verbose "[$scriptName] - [public] - [Teams] - [Get-GitHubRepoTeam] - Done" #endregion - From [public] - [Teams] - [Get-GitHubRepoTeam] Write-Verbose "[$scriptName] - [public] - [Teams] - Done" #endregion - From [public] - [Teams] #region - From [public] - [Users] Write-Verbose "[$scriptName] - [public] - [Users] - Processing folder" #region - From [public] - [Users] - [Blocking] Write-Verbose "[$scriptName] - [public] - [Users] - [Blocking] - Processing folder" #region - From [public] - [Users] - [Blocking] - [Block-GitHubUser] Write-Verbose "[$scriptName] - [public] - [Users] - [Blocking] - [Block-GitHubUser] - Importing" filter Block-GitHubUser { <# .SYNOPSIS Block a user from user or an organization. .DESCRIPTION Blocks the given user and returns true. If the user cannot be blocked false is returned. .EXAMPLE Block-GitHubUser -Username 'octocat' Blocks the user 'octocat' for the authenticated user. Returns $true if successful, $false if not. .EXAMPLE Block-GitHubUser -OrganizationName 'GitHub' -Username 'octocat' Blocks the user 'octocat' from the organization 'GitHub'. Returns $true if successful, $false if not. .NOTES [Block a user](https://docs.github.com/rest/users/blocking#block-a-user) [Block a user from an organization](https://docs.github.com/rest/orgs/blocking#block-a-user-from-an-organization) #> [OutputType([bool])] [CmdletBinding()] param ( # The handle for the GitHub user account. [Parameter( Mandatory, ValueFromPipeline, ValueFromPipelineByPropertyName )] [Alias('login')] [string] $Username, # The organization name. The name is not case sensitive. [Parameter( ValueFromPipeline, ValueFromPipelineByPropertyName )] [Alias('org')] [Alias('owner')] [string] $OrganizationName ) if ($OrganizationName) { Block-GitHubUserByOrganization -OrganizationName $OrganizationName -Username $Username } else { Block-GitHubUserByUser -Username $Username } } Write-Verbose "[$scriptName] - [public] - [Users] - [Blocking] - [Block-GitHubUser] - Done" #endregion - From [public] - [Users] - [Blocking] - [Block-GitHubUser] #region - From [public] - [Users] - [Blocking] - [Get-GitHubBlockedUser] Write-Verbose "[$scriptName] - [public] - [Users] - [Blocking] - [Get-GitHubBlockedUser] - Importing" filter Get-GitHubBlockedUser { <# .SYNOPSIS List blocked users. .DESCRIPTION List the users that are blocked on your personal account or a given organization. .EXAMPLE Get-GitHubBlockedUser Returns a list of users blocked by the authenticated user. .EXAMPLE Get-GitHubBlockedUser -OrganizationName 'github' Lists all users blocked by the organization `github`. .NOTES [List users blocked by the authenticated user](https://docs.github.com/rest/users/blocking#list-users-blocked-by-the-authenticated-user) [List users blocked by an organization](https://docs.github.com/rest/orgs/blocking#list-users-blocked-by-an-organization) #> [OutputType([pscustomobject])] [CmdletBinding()] param ( # The organization name. The name is not case sensitive. [Parameter( ValueFromPipeline, ValueFromPipelineByPropertyName )] [Alias('org')] [Alias('owner')] [Alias('login')] [string] $OrganizationName, # The number of results per page (max 100). [Parameter()] [ValidateRange(1, 100)] [int] $PerPage = 30 ) if ($OrganizationName) { Get-GitHubBlockedUserByOrganization -OrganizationName $OrganizationName -PerPage $PerPage } else { Get-GitHubBlockedUserByUser -PerPage $PerPage } } Write-Verbose "[$scriptName] - [public] - [Users] - [Blocking] - [Get-GitHubBlockedUser] - Done" #endregion - From [public] - [Users] - [Blocking] - [Get-GitHubBlockedUser] #region - From [public] - [Users] - [Blocking] - [Test-GitHubBlockedUser] Write-Verbose "[$scriptName] - [public] - [Users] - [Blocking] - [Test-GitHubBlockedUser] - Importing" filter Test-GitHubBlockedUser { <# .SYNOPSIS Check if a user is blocked by the authenticated user or an organization. .DESCRIPTION Returns a 204 if the given user is blocked by the authenticated user or organization. Returns a 404 if the given user is not blocked, or if the given user account has been identified as spam by GitHub. .EXAMPLE Test-GitHubBlockedUser -Username 'octocat' Checks if the user `octocat` is blocked by the authenticated user. Returns true if the user is blocked, false if not. .EXAMPLE Test-GitHubBlockedUser -OrganizationName 'github' -Username 'octocat' Checks if the user `octocat` is blocked by the organization `github`. Returns true if the user is blocked, false if not. .NOTES [Check if a user is blocked by the authenticated user](https://docs.github.com/rest/users/blocking#check-if-a-user-is-blocked-by-the-authenticated-user) [Check if a user is blocked by an organization](https://docs.github.com/rest/orgs/blocking#check-if-a-user-is-blocked-by-an-organization) #> [OutputType([bool])] [Diagnostics.CodeAnalysis.SuppressMessageAttribute('PSAvoidLongLines', '', Justification = 'Contains a long link.')] [CmdletBinding()] param ( # The handle for the GitHub user account. [Parameter( Mandatory, ValueFromPipeline, ValueFromPipelineByPropertyName )] [Alias('login')] [string] $Username, # The organization name. The name is not case sensitive. [Parameter( ValueFromPipeline, ValueFromPipelineByPropertyName )] [Alias('org')] [Alias('owner')] [string] $OrganizationName, # The number of results per page (max 100). [Parameter()] [ValidateRange(1, 100)] [int] $PerPage = 30 ) if ($OrganizationName) { Test-GitHubBlockedUserByOrganization -OrganizationName $OrganizationName -Username $Username -PerPage $PerPage } else { Test-GitHubBlockedUserByUser -Username $Username -PerPage $PerPage } } Write-Verbose "[$scriptName] - [public] - [Users] - [Blocking] - [Test-GitHubBlockedUser] - Done" #endregion - From [public] - [Users] - [Blocking] - [Test-GitHubBlockedUser] #region - From [public] - [Users] - [Blocking] - [Unblock-GitHubUser] Write-Verbose "[$scriptName] - [public] - [Users] - [Blocking] - [Unblock-GitHubUser] - Importing" filter Unblock-GitHubUser { <# .SYNOPSIS Unblock a user .DESCRIPTION Unblocks the given user and returns true. .EXAMPLE Unblock-GitHubUser -Username 'octocat' Unblocks the user 'octocat' for the authenticated user. Returns $true if successful. .EXAMPLE Unblock-GitHubUser -OrganizationName 'GitHub' -Username 'octocat' Unblocks the user 'octocat' from the organization 'GitHub'. Returns $true if successful. .NOTES [Unblock a user](https://docs.github.com/rest/users/blocking#unblock-a-user) [Unblock a user from an organization](https://docs.github.com/rest/orgs/blocking#unblock-a-user-from-an-organization) #> [OutputType([bool])] [CmdletBinding()] param ( # The handle for the GitHub user account. [Parameter( Mandatory, ValueFromPipeline, ValueFromPipelineByPropertyName )] [Alias('login')] [string] $Username, # The organization name. The name is not case sensitive. [Parameter( ValueFromPipeline, ValueFromPipelineByPropertyName )] [Alias('org')] [Alias('owner')] [string] $OrganizationName ) if ($OrganizationName) { Unblock-GitHubUserByOrganization -OrganizationName $OrganizationName -Username $Username } else { Unblock-GitHubUserByUser -Username $Username } } Write-Verbose "[$scriptName] - [public] - [Users] - [Blocking] - [Unblock-GitHubUser] - Done" #endregion - From [public] - [Users] - [Blocking] - [Unblock-GitHubUser] Write-Verbose "[$scriptName] - [public] - [Users] - [Blocking] - Done" #endregion - From [public] - [Users] - [Blocking] #region - From [public] - [Users] - [Emails] Write-Verbose "[$scriptName] - [public] - [Users] - [Emails] - Processing folder" #region - From [public] - [Users] - [Emails] - [Add-GitHubUserEmail] Write-Verbose "[$scriptName] - [public] - [Users] - [Emails] - [Add-GitHubUserEmail] - Importing" filter Add-GitHubUserEmail { <# .SYNOPSIS Add an email address for the authenticated user .DESCRIPTION This endpoint is accessible with the `user` scope. .EXAMPLE Add-GitHubUserEmail -Emails 'octocat@github.com','firstname.lastname@work.com' Adds the email addresses `octocat@github.com` and `firstname.lastname@work.com` to the authenticated user's account. .NOTES [Add an email address for the authenticated user](https://docs.github.com/rest/users/emails#add-an-email-address-for-the-authenticated-user) #> [OutputType([pscustomobject])] [CmdletBinding()] param ( # Adds one or more email addresses to your GitHub account. # Must contain at least one email address. # Note: Alternatively, you can pass a single email address or an array of emails addresses directly, # but we recommend that you pass an object using the emails key. [Parameter( Mandatory, ValueFromPipeline, ValueFromPipelineByPropertyName )] [string[]] $Emails ) $body = $PSBoundParameters | ConvertFrom-HashTable | ConvertTo-HashTable -NameCasingStyle snake_case $inputObject = @{ APIEndpoint = '/user/emails' Method = 'POST' Body = $body } Invoke-GitHubAPI @inputObject | ForEach-Object { Write-Output $_.Response } } Write-Verbose "[$scriptName] - [public] - [Users] - [Emails] - [Add-GitHubUserEmail] - Done" #endregion - From [public] - [Users] - [Emails] - [Add-GitHubUserEmail] #region - From [public] - [Users] - [Emails] - [Get-GitHubUserEmail] Write-Verbose "[$scriptName] - [public] - [Users] - [Emails] - [Get-GitHubUserEmail] - Importing" filter Get-GitHubUserEmail { <# .SYNOPSIS List email addresses for the authenticated user .DESCRIPTION Lists all of your email addresses, and specifies which one is visible to the public. This endpoint is accessible with the `user:email` scope. Specifying '-Public' will return only the publicly visible email address, which you can set with the [Set primary email visibility for the authenticated user](https://docs.github.com/rest/users/emails#set-primary-email-visibility-for-the-authenticated-user) endpoint. .EXAMPLE Get-GitHubUserEmail Gets all email addresses for the authenticated user. .EXAMPLE Get-GitHubUserEmail -Public Gets the publicly visible email address for the authenticated user. .NOTES [List email addresses for the authenticated user](https://docs.github.com/rest/users/emails#list-email-addresses-for-the-authenticated-user) [List public email addresses for the authenticated user](https://docs.github.com/en/rest/users/emails#list-public-email-addresses-for-the-authenticated-user) #> [OutputType([pscustomobject])] [Diagnostics.CodeAnalysis.SuppressMessageAttribute('PSAvoidLongLines', '', Justification = 'Contains a long link.')] [CmdletBinding()] param ( # The number of results per page (max 100). [Parameter()] [ValidateRange(1, 100)] [int] $PerPage = 30, [Parameter()] [switch] $Public ) if ($Public) { Get-GitHubUserPublicEmail -PerPage $PerPage } else { Get-GitHubUserAllEmail -PerPage $PerPage } } Write-Verbose "[$scriptName] - [public] - [Users] - [Emails] - [Get-GitHubUserEmail] - Done" #endregion - From [public] - [Users] - [Emails] - [Get-GitHubUserEmail] #region - From [public] - [Users] - [Emails] - [Remove-GitHubUserEmail] Write-Verbose "[$scriptName] - [public] - [Users] - [Emails] - [Remove-GitHubUserEmail] - Importing" filter Remove-GitHubUserEmail { <# .SYNOPSIS Delete an email address for the authenticated user .DESCRIPTION This endpoint is accessible with the `user` scope. .EXAMPLE Remove-GitHubUserEmail -Emails 'octocat@github.com','firstname.lastname@work.com' Removes the email addresses `octocat@github.com` and `firstname.lastname@work.com` from the authenticated user's account. .NOTES [Delete an email address for the authenticated user](https://docs.github.com/rest/users/emails#delete-an-email-address-for-the-authenticated-user) #> [OutputType([pscustomobject])] [Diagnostics.CodeAnalysis.SuppressMessageAttribute('PSAvoidLongLines', '', Justification = 'Contains a long link.')] [CmdletBinding(SupportsShouldProcess)] param ( # Email addresses associated with the GitHub user account. [Parameter( Mandatory, ValueFromPipeline, ValueFromPipelineByPropertyName )] [string[]] $Emails ) $body = $PSBoundParameters | ConvertFrom-HashTable | ConvertTo-HashTable -NameCasingStyle snake_case $inputObject = @{ APIEndpoint = '/user/emails' Method = 'DELETE' Body = $body } if ($PSCmdlet.ShouldProcess("Email addresses [$($Emails -join ', ')]", 'Delete')) { $null = Invoke-GitHubAPI @inputObject | ForEach-Object { Write-Output $_.Response } } } Write-Verbose "[$scriptName] - [public] - [Users] - [Emails] - [Remove-GitHubUserEmail] - Done" #endregion - From [public] - [Users] - [Emails] - [Remove-GitHubUserEmail] #region - From [public] - [Users] - [Emails] - [Set-GitHubUserEmailVisibility] Write-Verbose "[$scriptName] - [public] - [Users] - [Emails] - [Set-GitHubUserEmailVisibility] - Importing" filter Set-GitHubUserEmailVisibility { <# .SYNOPSIS Set primary email visibility for the authenticated user .DESCRIPTION Sets the visibility for your primary email addresses. .EXAMPLE Set-GitHubUserEmailVisibility -Visibility public Sets the visibility for your primary email addresses to public. .EXAMPLE Set-GitHubUserEmailVisibility -Visibility private Sets the visibility for your primary email addresses to private. .NOTES [Set primary email visibility for the authenticated user](https://docs.github.com/rest/users/emails#set-primary-email-visibility-for-the-authenticated-user) #> [OutputType([pscustomobject])] [Diagnostics.CodeAnalysis.SuppressMessageAttribute('PSAvoidLongLines', '', Justification = 'Contains a long link.')] [CmdletBinding(SupportsShouldProcess)] param ( # Denotes whether an email is publicly visible. [Parameter( Mandatory, ValueFromPipeline, ValueFromPipelineByPropertyName )] [ValidateSet('public', 'private')] [string] $Visibility ) $body = $PSBoundParameters | ConvertFrom-HashTable | ConvertTo-HashTable -NameCasingStyle snake_case $inputObject = @{ APIEndpoint = '/user/email/visibility' Method = 'PATCH' Body = $body } if ($PSCmdlet.ShouldProcess("Email visibility [$Visibility]", 'Set')) { $null = Invoke-GitHubAPI @inputObject | ForEach-Object { Write-Output $_.Response } } } Write-Verbose "[$scriptName] - [public] - [Users] - [Emails] - [Set-GitHubUserEmailVisibility] - Done" #endregion - From [public] - [Users] - [Emails] - [Set-GitHubUserEmailVisibility] Write-Verbose "[$scriptName] - [public] - [Users] - [Emails] - Done" #endregion - From [public] - [Users] - [Emails] #region - From [public] - [Users] - [Followers] Write-Verbose "[$scriptName] - [public] - [Users] - [Followers] - Processing folder" #region - From [public] - [Users] - [Followers] - [Add-GitHubUserFollowing] Write-Verbose "[$scriptName] - [public] - [Users] - [Followers] - [Add-GitHubUserFollowing] - Importing" filter Add-GitHubUserFollowing { <# .SYNOPSIS Follow a user .DESCRIPTION Note that you'll need to set `Content-Length` to zero when calling out to this endpoint. For more information, see "[HTTP verbs](https://docs.github.com/rest/overview/resources-in-the-rest-api#http-verbs)." Following a user requires the user to be logged in and authenticated with basic auth or OAuth with the `user:follow` scope. .EXAMPLE Follow-GitHubUser -Username 'octocat' Follows the user with the username 'octocat'. .NOTES [Follow a user](https://docs.github.com/rest/users/followers#follow-a-user) #> [OutputType([pscustomobject])] [Alias('Follow-GitHubUser')] [CmdletBinding()] param ( # The handle for the GitHub user account. [Parameter( Mandatory, ValueFromPipeline, ValueFromPipelineByPropertyName )] [string] $Username ) $inputObject = @{ APIEndpoint = "/user/following/$Username" Method = 'PUT' } $null = Invoke-GitHubAPI @inputObject | ForEach-Object { Write-Output $_.Response } } Write-Verbose "[$scriptName] - [public] - [Users] - [Followers] - [Add-GitHubUserFollowing] - Done" #endregion - From [public] - [Users] - [Followers] - [Add-GitHubUserFollowing] #region - From [public] - [Users] - [Followers] - [Get-GitHubUserFollower] Write-Verbose "[$scriptName] - [public] - [Users] - [Followers] - [Get-GitHubUserFollower] - Importing" filter Get-GitHubUserFollower { <# .SYNOPSIS List followers of a given user or the authenticated user .DESCRIPTION Lists the people following a given user or the authenticated user. .EXAMPLE Get-GitHubUserFollower Gets all followers of the authenticated user. .EXAMPLE Get-GitHubUserFollower -Username 'octocat' Gets all followers of the user 'octocat'. .NOTES [List followers of the authenticated user](https://docs.github.com/rest/users/followers#list-followers-of-the-authenticated-user) #> [OutputType([pscustomobject])] [Alias('Get-GitHubUserMyFollowers')] [CmdletBinding()] param ( # The handle for the GitHub user account. [Parameter( ValueFromPipeline, ValueFromPipelineByPropertyName )] [Alias('login')] [string] $Username, # The number of results per page (max 100). [Parameter()] [ValidateRange(1, 100)] [int] $PerPage = 30 ) if ($Username) { Get-GitHubUserFollowersOfUser -Username $Username -PerPage $PerPage } else { Get-GitHubUserMyFollowers -PerPage $PerPage } } Write-Verbose "[$scriptName] - [public] - [Users] - [Followers] - [Get-GitHubUserFollower] - Done" #endregion - From [public] - [Users] - [Followers] - [Get-GitHubUserFollower] #region - From [public] - [Users] - [Followers] - [Get-GitHubUserFollowing] Write-Verbose "[$scriptName] - [public] - [Users] - [Followers] - [Get-GitHubUserFollowing] - Importing" filter Get-GitHubUserFollowing { <# .SYNOPSIS List the people a given user or the authenticated user follows .DESCRIPTION Lists the people who a given user or the authenticated user follows. .EXAMPLE Get-GitHubUserFollowing Gets all people the authenticated user follows. .EXAMPLE Get-GitHubUserFollowing -Username 'octocat' Gets all people that 'octocat' follows. .NOTES [List the people the authenticated user follows](https://docs.github.com/rest/users/followers#list-the-people-the-authenticated-user-follows) [List the people a user follows](https://docs.github.com/rest/users/followers#list-the-people-a-user-follows) #> [OutputType([pscustomobject])] [CmdletBinding()] param ( # The handle for the GitHub user account. [Parameter( ValueFromPipeline, ValueFromPipelineByPropertyName )] [Alias('login')] [string] $Username, # The number of results per page (max 100). [Parameter()] [ValidateRange(1, 100)] [int] $PerPage = 30 ) if ($Username) { Get-GitHubUserFollowingUser -Username $Username -PerPage $PerPage } else { Get-GitHubUserFollowingMe -PerPage $PerPage } } Write-Verbose "[$scriptName] - [public] - [Users] - [Followers] - [Get-GitHubUserFollowing] - Done" #endregion - From [public] - [Users] - [Followers] - [Get-GitHubUserFollowing] #region - From [public] - [Users] - [Followers] - [Remove-GitHubUserFollowing] Write-Verbose "[$scriptName] - [public] - [Users] - [Followers] - [Remove-GitHubUserFollowing] - Importing" filter Remove-GitHubUserFollowing { <# .SYNOPSIS Unfollow a user .DESCRIPTION Unfollowing a user requires the user to be logged in and authenticated with basic auth or OAuth with the `user:follow` scope. .EXAMPLE Unfollow-GitHubUser -Username 'octocat' Unfollows the user with the username 'octocat'. .NOTES [Unfollow a user](https://docs.github.com/rest/users/followers#unfollow-a-user) #> [OutputType([pscustomobject])] [Alias('Unfollow-GitHubUser')] [CmdletBinding(SupportsShouldProcess)] param ( # The handle for the GitHub user account. [Parameter( Mandatory, ValueFromPipeline, ValueFromPipelineByPropertyName )] [string] $Username ) $inputObject = @{ APIEndpoint = "/user/following/$Username" Method = 'DELETE' } if ($PSCmdlet.ShouldProcess("User [$Username]", 'Unfollow')) { $null = Invoke-GitHubAPI @inputObject | ForEach-Object { Write-Output $_.Response } } } Write-Verbose "[$scriptName] - [public] - [Users] - [Followers] - [Remove-GitHubUserFollowing] - Done" #endregion - From [public] - [Users] - [Followers] - [Remove-GitHubUserFollowing] #region - From [public] - [Users] - [Followers] - [Test-GitHubUserFollowing] Write-Verbose "[$scriptName] - [public] - [Users] - [Followers] - [Test-GitHubUserFollowing] - Importing" filter Test-GitHubUserFollowing { <# .SYNOPSIS Check if a given user or the authenticated user follows a person .DESCRIPTION Returns a 204 if the given user or the authenticated user follows another user. Returns a 404 if the user is not followed by a given user or the authenticated user. .EXAMPLE Test-GitHubUserFollowing -Follows 'octocat' Test-GitHubUserFollowing 'octocat' Checks if the authenticated user follows the user 'octocat'. .EXAMPLE Test-GitHubUserFollowing -Username 'octocat' -Follows 'ratstallion' Checks if the user 'octocat' follows the user 'ratstallion'. .NOTES [Check if a person is followed by the authenticated user](https://docs.github.com/rest/users/followers#check-if-a-person-is-followed-by-the-authenticated-user) [Check if a user follows another user](https://docs.github.com/rest/users/followers#check-if-a-user-follows-another-user) #> [OutputType([bool])] [Diagnostics.CodeAnalysis.SuppressMessageAttribute('PSAvoidLongLines', '', Justification = 'Contains a long link.')] [Alias('Test-GitHubUserFollows')] [CmdletBinding()] param ( # The handle for the GitHub user account we want to check if is being followed. [Parameter( Mandatory, ValueFromPipeline, ValueFromPipelineByPropertyName )] [string] $Follows, # The handle for the GitHub user account. [Parameter( Mandatory, ValueFromPipelineByPropertyName )] [string] $Username ) if ($Username) { Test-GitHubUserFollowedByUser -Username $Username -Follows $Follows } else { Test-GitHubUserFollowedByMe -Username $Follows } } Write-Verbose "[$scriptName] - [public] - [Users] - [Followers] - [Test-GitHubUserFollowing] - Done" #endregion - From [public] - [Users] - [Followers] - [Test-GitHubUserFollowing] Write-Verbose "[$scriptName] - [public] - [Users] - [Followers] - Done" #endregion - From [public] - [Users] - [Followers] #region - From [public] - [Users] - [GPG-Keys] Write-Verbose "[$scriptName] - [public] - [Users] - [GPG-Keys] - Processing folder" #region - From [public] - [Users] - [GPG-Keys] - [Add-GitHubUserGpgKey] Write-Verbose "[$scriptName] - [public] - [Users] - [GPG-Keys] - [Add-GitHubUserGpgKey] - Importing" filter Add-GitHubUserGpgKey { <# .SYNOPSIS Create a GPG key for the authenticated user .DESCRIPTION Adds a GPG key to the authenticated user's GitHub account. Requires that you are authenticated via Basic Auth, or OAuth with at least `write:gpg_key` [scope](https://docs.github.com/apps/building-oauth-apps/understanding-scopes-for-oauth-apps/). .EXAMPLE Add-GitHubUserGpgKey -Name 'GPG key for GitHub' -ArmoredPublicKey @' -----BEGIN PGP PUBLIC KEY BLOCK----- Version: GnuPG v1 mQINBFnZ2ZIBEADQ2Z7Z7 -----END PGP PUBLIC KEY BLOCK----- '@ Adds a GPG key to the authenticated user's GitHub account. .NOTES [Create a GPG key for the authenticated user](https://docs.github.com/rest/users/gpg-keys#create-a-gpg-key-for-the-authenticated-user) #> [OutputType([pscustomobject])] [CmdletBinding()] param ( # A descriptive name for the new key. [Parameter( Mandatory, ValueFromPipeline, ValueFromPipelineByPropertyName )] [string] $Name, # A GPG key in ASCII-armored format. [Parameter( Mandatory, ValueFromPipelineByPropertyName )] [Alias('armored_public_key')] [string] $ArmoredPublicKey ) $body = $PSBoundParameters | ConvertFrom-HashTable | ConvertTo-HashTable -NameCasingStyle snake_case $inputObject = @{ APIEndpoint = '/user/gpg_keys' Method = 'POST' Body = $body } Invoke-GitHubAPI @inputObject | ForEach-Object { Write-Output $_.Response } } Write-Verbose "[$scriptName] - [public] - [Users] - [GPG-Keys] - [Add-GitHubUserGpgKey] - Done" #endregion - From [public] - [Users] - [GPG-Keys] - [Add-GitHubUserGpgKey] #region - From [public] - [Users] - [GPG-Keys] - [Get-GitHubUserGpgKey] Write-Verbose "[$scriptName] - [public] - [Users] - [GPG-Keys] - [Get-GitHubUserGpgKey] - Importing" filter Get-GitHubUserGpgKey { <# .SYNOPSIS List GPG keys for a given user or the authenticated user .DESCRIPTION Lists a given user's or the current user's GPG keys. .EXAMPLE Get-GitHubUserGpgKey Gets all GPG keys for the authenticated user. .EXAMPLE Get-GitHubUserGpgKey -ID '1234567' Gets the GPG key with ID '1234567' for the authenticated user. .EXAMPLE Get-GitHubUserGpgKey -Username 'octocat' Gets all GPG keys for the 'octocat' user. .NOTES [List GPG keys for the authenticated user](https://docs.github.com/rest/users/gpg-keys#list-gpg-keys-for-the-authenticated-user) #> [OutputType([pscustomobject])] [CmdletBinding()] param ( # The handle for the GitHub user account. [Parameter( Mandatory, ValueFromPipeline, ValueFromPipelineByPropertyName, ParameterSetName = 'Username' )] [string] $Username, # The ID of the GPG key. [Parameter( ParameterSetName = 'Me' )] [Alias('gpg_key_id')] [string] $ID, # The number of results per page (max 100). [Parameter()] [ValidateRange(1, 100)] [int] $PerPage = 30 ) if ($Username) { Get-GitHubUserGpgKeyForUser -Username $Username -PerPage $PerPage } else { if ($ID) { Get-GitHubUserMyGpgKeyById -ID $ID } else { Get-GitHubUserMyGpgKey -PerPage $PerPage } } } Write-Verbose "[$scriptName] - [public] - [Users] - [GPG-Keys] - [Get-GitHubUserGpgKey] - Done" #endregion - From [public] - [Users] - [GPG-Keys] - [Get-GitHubUserGpgKey] #region - From [public] - [Users] - [GPG-Keys] - [Remove-GitHubUserGpgKey] Write-Verbose "[$scriptName] - [public] - [Users] - [GPG-Keys] - [Remove-GitHubUserGpgKey] - Importing" filter Remove-GitHubUserGpgKey { <# .SYNOPSIS Delete a GPG key for the authenticated user .DESCRIPTION Removes a GPG key from the authenticated user's GitHub account. Requires that you are authenticated via Basic Auth or via OAuth with at least `admin:gpg_key` [scope](https://docs.github.com/apps/building-oauth-apps/understanding-scopes-for-oauth-apps/). .EXAMPLE Remove-GitHubUserGpgKey -ID '1234567' Gets the GPG key with ID '1234567' for the authenticated user. .NOTES [Delete a GPG key for the authenticated user](https://docs.github.com/rest/users/gpg-keys#delete-a-gpg-key-for-the-authenticated-user) #> [OutputType([pscustomobject])] [CmdletBinding(SupportsShouldProcess)] param ( # The ID of the GPG key. [Parameter( Mandatory )] [Alias('gpg_key_id')] [string] $ID ) $inputObject = @{ APIEndpoint = "/user/gpg_keys/$ID" Method = 'DELETE' } if ($PSCmdlet.ShouldProcess("GPG key with ID [$ID]", 'Delete')) { $null = Invoke-GitHubAPI @inputObject | ForEach-Object { Write-Output $_.Response } } } Write-Verbose "[$scriptName] - [public] - [Users] - [GPG-Keys] - [Remove-GitHubUserGpgKey] - Done" #endregion - From [public] - [Users] - [GPG-Keys] - [Remove-GitHubUserGpgKey] Write-Verbose "[$scriptName] - [public] - [Users] - [GPG-Keys] - Done" #endregion - From [public] - [Users] - [GPG-Keys] #region - From [public] - [Users] - [Keys] Write-Verbose "[$scriptName] - [public] - [Users] - [Keys] - Processing folder" #region - From [public] - [Users] - [Keys] - [Add-GitHubUserKey] Write-Verbose "[$scriptName] - [public] - [Users] - [Keys] - [Add-GitHubUserKey] - Importing" filter Add-GitHubUserKey { <# .SYNOPSIS Create a public SSH key for the authenticated user .DESCRIPTION Adds a public SSH key to the authenticated user's GitHub account. Requires that you are authenticated via Basic Auth, or OAuth with at least `write:public_key` [scope](https://docs.github.com/apps/building-oauth-apps/understanding-scopes-for-oauth-apps/). .EXAMPLE Add-GitHubUserKey -Title 'ssh-rsa AAAAB3NzaC1yc2EAAA' -Key '2Sg8iYjAxxmI2LvUXpJjkYrMxURPc8r+dB7TJyvv1234' Adds a new public SSH key to the authenticated user's GitHub account. .NOTES [Create a public SSH key for the authenticated user](https://docs.github.com/rest/users/keys#create-a-public-ssh-key-for-the-authenticated-user) #> [OutputType([pscustomobject])] [Diagnostics.CodeAnalysis.SuppressMessageAttribute('PSAvoidLongLines', '', Justification = 'Long links for documentation.')] [CmdletBinding()] param ( # A descriptive name for the new key. [Parameter( ValueFromPipeline, ValueFromPipelineByPropertyName )] [Alias('name')] [string] $Title, # The public SSH key to add to your GitHub account. [Parameter( Mandatory, ValueFromPipelineByPropertyName )] [string] $Key ) $body = $PSBoundParameters | ConvertFrom-HashTable | ConvertTo-HashTable -NameCasingStyle snake_case $inputObject = @{ APIEndpoint = '/user/keys' Method = 'POST' Body = $body } Invoke-GitHubAPI @inputObject | ForEach-Object { Write-Output $_.Response } } Write-Verbose "[$scriptName] - [public] - [Users] - [Keys] - [Add-GitHubUserKey] - Done" #endregion - From [public] - [Users] - [Keys] - [Add-GitHubUserKey] #region - From [public] - [Users] - [Keys] - [Get-GitHubUserKey] Write-Verbose "[$scriptName] - [public] - [Users] - [Keys] - [Get-GitHubUserKey] - Importing" filter Get-GitHubUserKey { <# .SYNOPSIS List public SSH keys for a given user or the authenticated user. .DESCRIPTION Lists a given user's or the current user's public SSH keys. For the authenticated users keys, it requires that you are authenticated via Basic Auth or via OAuth with at least `read:public_key` [scope](https://docs.github.com/apps/building-oauth-apps/understanding-scopes-for-oauth-apps/). Keys from a given user are accessible by anyone. .EXAMPLE Get-GitHubUserKey Gets all GPG keys for the authenticated user. .EXAMPLE Get-GitHubUserKey -ID '1234567' Gets the public SSH key with the ID '1234567' for the authenticated user. .EXAMPLE Get-GitHubUserKey -Username 'octocat' Gets all GPG keys for the 'octocat' user. .NOTES [List GPG keys for the authenticated user](https://docs.github.com/rest/users/gpg-keys#list-gpg-keys-for-the-authenticated-user) #> [OutputType([pscustomobject])] [CmdletBinding()] param ( # The handle for the GitHub user account. [Parameter( Mandatory, ValueFromPipeline, ValueFromPipelineByPropertyName, ParameterSetName = 'Username' )] [string] $Username, # The ID of the GPG key. [Parameter( ParameterSetName = 'Me' )] [Alias('gpg_key_id')] [string] $ID, # The number of results per page (max 100). [Parameter()] [ValidateRange(1, 100)] [int] $PerPage = 30 ) if ($Username) { Get-GitHubUserKeyForUser -Username $Username -PerPage $PerPage } else { if ($ID) { Get-GitHubUserMyKeyById -ID $ID } else { Get-GitHubUserMyKey -PerPage $PerPage } } } Write-Verbose "[$scriptName] - [public] - [Users] - [Keys] - [Get-GitHubUserKey] - Done" #endregion - From [public] - [Users] - [Keys] - [Get-GitHubUserKey] #region - From [public] - [Users] - [Keys] - [Remove-GitHubUserKey] Write-Verbose "[$scriptName] - [public] - [Users] - [Keys] - [Remove-GitHubUserKey] - Importing" filter Remove-GitHubUserKey { <# .SYNOPSIS Delete a public SSH key for the authenticated user .DESCRIPTION Removes a public SSH key from the authenticated user's GitHub account. Requires that you are authenticated via Basic Auth or via OAuth with at least `admin:public_key` [scope](https://docs.github.com/apps/building-oauth-apps/understanding-scopes-for-oauth-apps/). .EXAMPLE Remove-GitHubUserKey -ID '1234567' Deletes the public SSH key with ID '1234567' from the authenticated user's GitHub account. .NOTES [Delete a public SSH key for the authenticated user](https://docs.github.com/rest/users/keys#delete-a-public-ssh-key-for-the-authenticated-user) #> [OutputType([pscustomobject])] [Diagnostics.CodeAnalysis.SuppressMessageAttribute('PSAvoidLongLines', '', Justification = 'Contains a long link.')] [CmdletBinding(SupportsShouldProcess)] param ( # The unique identifier of the key. [Parameter( Mandatory )] [Alias('key_id')] [string] $ID ) $inputObject = @{ APIEndpoint = "/user/keys/$ID" Method = 'DELETE' } if ($PSCmdlet.ShouldProcess("Key with ID [$ID]", 'Delete')) { $null = Invoke-GitHubAPI @inputObject | ForEach-Object { Write-Output $_.Response } } } Write-Verbose "[$scriptName] - [public] - [Users] - [Keys] - [Remove-GitHubUserKey] - Done" #endregion - From [public] - [Users] - [Keys] - [Remove-GitHubUserKey] Write-Verbose "[$scriptName] - [public] - [Users] - [Keys] - Done" #endregion - From [public] - [Users] - [Keys] #region - From [public] - [Users] - [Social-Accounts] Write-Verbose "[$scriptName] - [public] - [Users] - [Social-Accounts] - Processing folder" #region - From [public] - [Users] - [Social-Accounts] - [Add-GitHubUserSocial] Write-Verbose "[$scriptName] - [public] - [Users] - [Social-Accounts] - [Add-GitHubUserSocial] - Importing" filter Add-GitHubUserSocial { <# .SYNOPSIS Add social accounts for the authenticated user .DESCRIPTION Add one or more social accounts to the authenticated user's profile. This endpoint is accessible with the `user` scope. .EXAMPLE Add-GitHubUserSocial -AccountUrls 'https://twitter.com/MyTwitterAccount', 'https://www.linkedin.com/company/MyCompany' Adds the Twitter and LinkedIn accounts to the authenticated user's profile. .NOTES [Add social accounts for the authenticated user](https://docs.github.com/rest/users/social-accounts#add-social-accounts-for-the-authenticated-user) #> [OutputType([void])] [Alias('Add-GitHubUserSocials')] [Diagnostics.CodeAnalysis.SuppressMessageAttribute('PSAvoidLongLines', '', Justification = 'Long links for documentation.')] [CmdletBinding()] param ( # Full URLs for the social media profiles to add. [Parameter(Mandatory)] [Alias('account_urls')] [string[]] $AccountUrls ) $body = $PSBoundParameters | ConvertFrom-HashTable | ConvertTo-HashTable -NameCasingStyle snake_case $inputObject = @{ APIEndpoint = '/user/social_accounts' Body = $body Method = 'POST' } Invoke-GitHubAPI @inputObject | ForEach-Object { Write-Output $_.Response } } Write-Verbose "[$scriptName] - [public] - [Users] - [Social-Accounts] - [Add-GitHubUserSocial] - Done" #endregion - From [public] - [Users] - [Social-Accounts] - [Add-GitHubUserSocial] #region - From [public] - [Users] - [Social-Accounts] - [Remove-GitHubUserSocial] Write-Verbose "[$scriptName] - [public] - [Users] - [Social-Accounts] - [Remove-GitHubUserSocial] - Importing" filter Remove-GitHubUserSocial { <# .SYNOPSIS Delete social accounts for the authenticated user .DESCRIPTION Deletes one or more social accounts from the authenticated user's profile. This endpoint is accessible with the `user` scope. .PARAMETER AccountUrls Parameter description .EXAMPLE Remove-GitHubUserSocial -AccountUrls 'https://twitter.com/MyTwitterAccount' .NOTES [Delete social accounts for the authenticated user](https://docs.github.com/rest/users/social-accounts#delete-social-accounts-for-the-authenticated-user) #> [OutputType([void])] [Diagnostics.CodeAnalysis.SuppressMessageAttribute('PSAvoidLongLines', '', Justification = 'Contains a long link.')] [Alias('Remove-GitHubUserSocials')] [CmdletBinding(SupportsShouldProcess)] param ( # Full URLs for the social media profiles to add. [Parameter(Mandatory)] [Alias('account_urls')] [string[]] $AccountUrls ) $body = $PSBoundParameters | ConvertFrom-HashTable | ConvertTo-HashTable -NameCasingStyle snake_case $inputObject = @{ APIEndpoint = '/user/social_accounts' Body = $body Method = 'DELETE' } if ($PSCmdlet.ShouldProcess("Social accounts [$($AccountUrls -join ', ')]", 'Delete')) { $null = Invoke-GitHubAPI @inputObject | ForEach-Object { Write-Output $_.Response } } } Write-Verbose "[$scriptName] - [public] - [Users] - [Social-Accounts] - [Remove-GitHubUserSocial] - Done" #endregion - From [public] - [Users] - [Social-Accounts] - [Remove-GitHubUserSocial] Write-Verbose "[$scriptName] - [public] - [Users] - [Social-Accounts] - Done" #endregion - From [public] - [Users] - [Social-Accounts] #region - From [public] - [Users] - [SSH-Signing-Keys] Write-Verbose "[$scriptName] - [public] - [Users] - [SSH-Signing-Keys] - Processing folder" #region - From [public] - [Users] - [SSH-Signing-Keys] - [Add-GitHubUserSigningKey] Write-Verbose "[$scriptName] - [public] - [Users] - [SSH-Signing-Keys] - [Add-GitHubUserSigningKey] - Importing" filter Add-GitHubUserSigningKey { <# .SYNOPSIS Create a SSH signing key for the authenticated user .DESCRIPTION Creates an SSH signing key for the authenticated user's GitHub account. You must authenticate with Basic Authentication, or you must authenticate with OAuth with at least `write:ssh_signing_key` scope. For more information, see "[Understanding scopes for OAuth apps](https://docs.github.com/apps/building-oauth-apps/understanding-scopes-for-oauth-apps/)." .EXAMPLE Add-GitHubUserSigningKey -Title 'ssh-rsa AAAAB3NzaC1yc2EAAA' -Key '2Sg8iYjAxxmI2LvUXpJjkYrMxURPc8r+dB7TJyvv1234' Creates a new SSH signing key for the authenticated user's GitHub account. .NOTES [Create a SSH signing key for the authenticated user](https://docs.github.com/rest/users/ssh-signing-keys#create-a-ssh-signing-key-for-the-authenticated-user) #> [Diagnostics.CodeAnalysis.SuppressMessageAttribute('PSAvoidLongLines', '', Justification = 'Long links for documentation.')] [OutputType([pscustomobject])] [CmdletBinding()] param ( # A descriptive name for the new key. [Parameter( ValueFromPipeline, ValueFromPipelineByPropertyName )] [Alias('name')] [string] $Title, # The public SSH key to add to your GitHub account. For more information, see # [Checking for existing SSH keys](https://docs.github.com/authentication/connecting-to-github-with-ssh/checking-for-existing-ssh-keys)." [Parameter( Mandatory, ValueFromPipelineByPropertyName )] [string] $Key ) $body = $PSBoundParameters | ConvertFrom-HashTable | ConvertTo-HashTable -NameCasingStyle snake_case $inputObject = @{ APIEndpoint = '/user/ssh_signing_keys' Method = 'POST' Body = $body } Invoke-GitHubAPI @inputObject | ForEach-Object { Write-Output $_.Response } } Write-Verbose "[$scriptName] - [public] - [Users] - [SSH-Signing-Keys] - [Add-GitHubUserSigningKey] - Done" #endregion - From [public] - [Users] - [SSH-Signing-Keys] - [Add-GitHubUserSigningKey] #region - From [public] - [Users] - [SSH-Signing-Keys] - [Get-GitHubUserSigningKey] Write-Verbose "[$scriptName] - [public] - [Users] - [SSH-Signing-Keys] - [Get-GitHubUserSigningKey] - Importing" filter Get-GitHubUserSigningKey { <# .SYNOPSIS List SSH signing keys for a given user or the authenticated user. .DESCRIPTION Lists a given user's or the current user's SSH signing keys. .EXAMPLE Get-GitHubUserSigningKey Gets all SSH signing keys for the authenticated user. .EXAMPLE Get-GitHubUserSigningKey -ID '1234567' Gets the SSH signing key with the ID '1234567' for the authenticated user. .EXAMPLE Get-GitHubUserSigningKey -Username 'octocat' Gets all SSH signing keys for the 'octocat' user. .NOTES [List SSH signing keys for the authenticated user](https://docs.github.com/rest/users/ssh-signing-keys#list-ssh-signing-keys-for-the-authenticated-user) [Get an SSH signing key for the authenticated user](https://docs.github.com/rest/users/ssh-signing-keys#get-an-ssh-signing-key-for-the-authenticated-user) [List SSH signing keys for a user](https://docs.github.com/rest/users/ssh-signing-keys#list-ssh-signing-keys-for-a-user) #> [OutputType([pscustomobject])] [Diagnostics.CodeAnalysis.SuppressMessageAttribute('PSAvoidLongLines', '', Justification = 'Contains a long link.')] [CmdletBinding()] param ( # The handle for the GitHub user account. [Parameter( Mandatory, ValueFromPipeline, ValueFromPipelineByPropertyName, ParameterSetName = 'Username' )] [string] $Username, # The unique identifier of the SSH signing key. [Parameter( ParameterSetName = 'Me' )] [Alias('gpg_key_id')] [string] $ID, # The number of results per page (max 100). [Parameter()] [ValidateRange(1, 100)] [int] $PerPage = 30 ) if ($Username) { Get-GitHubUserSigningKeyForUser -Username $Username -PerPage $PerPage } else { if ($ID) { Get-GitHubUserMySigningKeyById -ID $ID } else { Get-GitHubUserMySigningKey -PerPage $PerPage } } } Write-Verbose "[$scriptName] - [public] - [Users] - [SSH-Signing-Keys] - [Get-GitHubUserSigningKey] - Done" #endregion - From [public] - [Users] - [SSH-Signing-Keys] - [Get-GitHubUserSigningKey] #region - From [public] - [Users] - [SSH-Signing-Keys] - [Remove-GitHubUserSigningKey] Write-Verbose "[$scriptName] - [public] - [Users] - [SSH-Signing-Keys] - [Remove-GitHubUserSigningKey] - Importing" filter Remove-GitHubUserSigningKey { <# .SYNOPSIS Delete an SSH signing key for the authenticated user .DESCRIPTION Deletes an SSH signing key from the authenticated user's GitHub account. You must authenticate with Basic Authentication, or you must authenticate with OAuth with at least `admin:ssh_signing_key` scope. For more information, see "[Understanding scopes for OAuth apps](https://docs.github.com/apps/building-oauth-apps/understanding-scopes-for-oauth-apps/)." .EXAMPLE Remove-GitHubUserSigningKey -ID '1234567' Removes the SSH signing key with the ID of `1234567` from the authenticated user's GitHub account. .NOTES [Delete an SSH signing key for the authenticated user](https://docs.github.com/rest/users/ssh-signing-keys#delete-an-ssh-signing-key-for-the-authenticated-user) #> [OutputType([pscustomobject])] [Diagnostics.CodeAnalysis.SuppressMessageAttribute('PSAvoidLongLines', '', Justification = 'Contains a long link.')] [CmdletBinding(SupportsShouldProcess)] param ( # The unique identifier of the SSH signing key. [Parameter( Mandatory )] [Alias('ssh_signing_key_id')] [string] $ID ) $inputObject = @{ APIEndpoint = "/user/ssh_signing_keys/$ID" Method = 'DELETE' } if ($PSCmdlet.ShouldProcess("SSH signing key with ID [$ID]", 'Delete')) { $null = Invoke-GitHubAPI @inputObject | ForEach-Object { Write-Output $_.Response } } } Write-Verbose "[$scriptName] - [public] - [Users] - [SSH-Signing-Keys] - [Remove-GitHubUserSigningKey] - Done" #endregion - From [public] - [Users] - [SSH-Signing-Keys] - [Remove-GitHubUserSigningKey] Write-Verbose "[$scriptName] - [public] - [Users] - [SSH-Signing-Keys] - Done" #endregion - From [public] - [Users] - [SSH-Signing-Keys] #region - From [public] - [Users] - [Get-GitHubUser] Write-Verbose "[$scriptName] - [public] - [Users] - [Get-GitHubUser] - Importing" filter Get-GitHubUser { <# .SYNOPSIS List user(s) .DESCRIPTION Get the authenticated user - if no parameters are provided. Get a given user - if a username is provided. Lists all users, in the order that they signed up on GitHub - if '-All' is provided. .EXAMPLE Get-GitHubUser Get the authenticated user. .EXAMPLE Get-GitHubUser -Username 'octocat' Get the 'octocat' user. .EXAMPLE Get-GitHubUser -All -Since 17722253 Get a list of users, starting with the user 'MariusStorhaug'. .NOTES [Get the authenticated user](https://docs.github.com/rest/users/users) #> [OutputType([pscustomobject])] [Diagnostics.CodeAnalysis.SuppressMessageAttribute( 'PSReviewUnusedParameter', 'All', Justification = 'Parameter is used in dynamic parameter validation.' )] [CmdletBinding(DefaultParameterSetName = '__DefaultSet')] param ( # The handle for the GitHub user account. [Parameter( Mandatory, ParameterSetName = 'NamedUser', ValueFromPipelineByPropertyName )] [string] $Username, # List all users. Use '-Since' to start at a specific user ID. [Parameter( Mandatory, ParameterSetName = 'AllUsers' )] [switch] $All, # A user ID. Only return users with an ID greater than this ID. [Parameter(ParameterSetName = 'AllUsers')] [int] $Since = 0, # The number of results per page (max 100). [Parameter(ParameterSetName = 'AllUsers')] [ValidateRange(1, 100)] [int] $PerPage = 30 ) switch ($PSCmdlet.ParameterSetName) { '__DefaultSet' { $user = Get-GitHubMyUser $social_accounts = Get-GitHubMyUserSocials $user | Add-Member -MemberType NoteProperty -Name 'social_accounts' -Value $social_accounts -Force $user } 'NamedUser' { $user = Get-GitHubUserByName -Username $Username $social_accounts = Get-GitHubUserSocialsByName -Username $Username $user | Add-Member -MemberType NoteProperty -Name 'social_accounts' -Value $social_accounts -Force $user } 'AllUsers' { Get-GitHubAllUsers -Since $Since -PerPage $PerPage } } } Write-Verbose "[$scriptName] - [public] - [Users] - [Get-GitHubUser] - Done" #endregion - From [public] - [Users] - [Get-GitHubUser] #region - From [public] - [Users] - [Get-GitHubUserCard] Write-Verbose "[$scriptName] - [public] - [Users] - [Get-GitHubUserCard] - Importing" filter Get-GitHubUserCard { <# .SYNOPSIS Get contextual information for a user .DESCRIPTION Provides hovercard information when authenticated through basic auth or OAuth with the `repo` scope. You can find out more about someone in relation to their pull requests, issues, repositories, and organizations. The `subject_type` and `subject_id` parameters provide context for the person's hovercard, which returns more information than without the parameters. For example, if you wanted to find out more about `octocat` who owns the `Spoon-Knife` repository via cURL, it would look like this: ```shell curl -u username:token https://api.github.com/users/octocat/hovercard?subject_type=repository&subject_id=1300192 ``` .EXAMPLE .NOTES [Get contextual information for a user](https://docs.github.com/rest/users/users#get-contextual-information-for-a-user) #> [OutputType([pscustomobject])] [CmdletBinding()] param ( [Parameter( Mandatory, ValueFromPipeline, ValueFromPipelineByPropertyName )] [string] $Username, [Parameter()] [ValidateSet('organization', 'repository', 'issue', 'pull_request')] [string] $SubjectType, [Parameter()] [int] $SubjectID = '' ) $body = @{ subject_type = $SubjectType subject_id = $SubjectID } $inputObject = @{ APIEndpoint = "/users/$Username/hovercard" Method = 'GET' Body = $body } Invoke-GitHubAPI @inputObject | ForEach-Object { Write-Output $_.Response } } Write-Verbose "[$scriptName] - [public] - [Users] - [Get-GitHubUserCard] - Done" #endregion - From [public] - [Users] - [Get-GitHubUserCard] #region - From [public] - [Users] - [Set-GitHubUser] Write-Verbose "[$scriptName] - [public] - [Users] - [Set-GitHubUser] - Importing" filter Set-GitHubUser { <# .SYNOPSIS Update the authenticated user .DESCRIPTION **Note:** If your email is set to private and you send an `email` parameter as part of this request to update your profile, your privacy settings are still enforced: the email address will not be displayed on your public profile or via the API. .EXAMPLE Set-GitHubUser -Name 'octocat' Update the authenticated user's name to 'octocat' .EXAMPLE Set-GitHubUser -Location 'San Francisco' Update the authenticated user's location to 'San Francisco' .EXAMPLE Set-GitHubUser -Hireable $true -Bio 'I love programming' Update the authenticated user's hiring availability to 'true' and their biography to 'I love programming' .NOTES [Update the authenticated user](https://docs.github.com/rest/users/users#update-the-authenticated-user) #> [OutputType([void])] [Alias('Update-GitHubUser')] [CmdletBinding(SupportsShouldProcess)] param ( # The new name of the user. [Parameter()] [string] $Name, # The publicly visible email address of the user. [Parameter()] [string] $Email, # The new blog URL of the user. [Parameter()] [string] $Blog, # The new Twitter username of the user. [Parameter()] [string] $TwitterUsername, # The new company of the user. [Parameter()] [string] $Company, # The new location of the user. [Parameter()] [string] $Location, # The new hiring availability of the user. [Parameter()] [boolean] $Hireable, # The new short biography of the user. [Parameter()] [string] $Bio ) $body = $PSBoundParameters | ConvertFrom-HashTable | ConvertTo-HashTable -NameCasingStyle snake_case $inputObject = @{ APIEndpoint = '/user' Body = $body Method = 'PATCH' } if ($PSCmdlet.ShouldProcess('authenticated user', 'Set')) { Invoke-GitHubAPI @inputObject | ForEach-Object { Write-Output $_.Response } } } Write-Verbose "[$scriptName] - [public] - [Users] - [Set-GitHubUser] - Done" #endregion - From [public] - [Users] - [Set-GitHubUser] Write-Verbose "[$scriptName] - [public] - [Users] - Done" #endregion - From [public] - [Users] Write-Verbose "[$scriptName] - [public] - Done" #endregion - From [public] #region - From [loader] Write-Verbose "[$scriptName] - [loader] - Importing" $scriptFilePath = $MyInvocation.MyCommand.Path Write-Verbose "[$scriptFilePath] - Initializing GitHub PowerShell module..." Initialize-Store -Name 'GitHubPowerShell' -SecretVaultName $script:Config.Name -SecretVaultType $script:Config.Type # Autologon if a token is present in environment variables $envVar = Get-ChildItem -Path 'Env:' | Where-Object Name -In 'GH_TOKEN', 'GITHUB_TOKEN' | Select-Object -First 1 $envVarPresent = $envVar.count -gt 0 if ($envVarPresent) { Connect-GitHubAccount } Write-Verbose "[$scriptName] - [loader] - Done" #endregion - From [loader] $exports = @{ Alias = '*' Cmdlet = '' Function = @( 'Disable-GitHubWorkflow' 'Enable-GitHubWorkflow' 'Get-GitHubWorkflow' 'Get-GitHubWorkflowRun' 'Get-GitHubWorkflowUsage' 'Remove-GitHubWorkflowRun' 'Start-GitHubWorkflow' 'Start-GitHubWorkflowReRun' 'Stop-GitHubWorkflowRun' 'Invoke-GitHubAPI' 'Connect-GitHubAccount' 'Disconnect-GitHubAccount' 'Get-GitHubRepoBranch' 'Add-Mask' 'Set-LogGroup' 'Start-LogGroup' 'Stop-LogGroup' 'Get-GitHubConfig' 'Set-GitHubConfig' 'Get-GitHubEmoji' 'Get-GitHubGitignore' 'Get-GitHubLicense' 'Get-GitHubMarkdown' 'Get-GitHubMarkdownRaw' 'Get-GitHubApiVersion' 'Get-GitHubMeta' 'Get-GitHubOctocat' 'Get-GitHubRoot' 'Get-GitHubZen' 'Get-GitHubOrganization' 'Get-GitHubOrganizationAppInstallation' 'Remove-GitHubOrganization' 'Set-GitHubOrganization' 'Set-GitHubOrganizationSecurityFeature' 'Get-GitHubRateLimit' 'Add-GitHubReleaseAsset' 'Get-GitHubReleaseAsset' 'Remove-GitHubReleaseAsset' 'Set-GitHubReleaseAsset' 'Get-GitHubRelease' 'New-GitHubRelease' 'New-GitHubReleaseNote' 'Remove-GitHubRelease' 'Set-GitHubRelease' 'Get-GitHubRepositoryAutolink' 'New-GitHubRepositoryAutolink' 'Remove-GitHubRepositoryAutolink' 'Get-GitHubRepositoryCustomProperty' 'Disable-GitHubRepositoryPrivateVulnerabilityReporting' 'Disable-GitHubRepositorySecurityFix' 'Disable-GitHubRepositoryVulnerabilityAlert' 'Enable-GitHubRepositoryPrivateVulnerabilityReporting' 'Enable-GitHubRepositorySecurityFix' 'Enable-GitHubRepositoryVulnerabilityAlert' 'Get-GitHubRepository' 'Get-GitHubRepositoryActivity' 'Get-GitHubRepositoryCodeownersError' 'Get-GitHubRepositoryContributor' 'Get-GitHubRepositoryFork' 'Get-GitHubRepositoryLanguage' 'Get-GitHubRepositorySecurityFix' 'Get-GitHubRepositoryTag' 'Get-GitHubRepositoryTeam' 'Get-GitHubRepositoryTopic' 'Move-GitHubRepository' 'New-GitHubRepository' 'Remove-GitHubRepository' 'Set-GitHubRepositoryTopic' 'Start-GitHubRepositoryEvent' 'Test-GitHubRepositoryVulnerabilityAlert' 'Update-GitHubRepository' 'Get-GitHubRepositoryRuleSuite' 'Get-GitHubRepositoryRuleSuiteById' 'Get-GitHubRepositoryRuleSuiteList' 'Get-GitHubRepositoryTagProtection' 'New-GitHubRepositoryTagProtection' 'Remove-GitHubRepositoryTagProtection' 'Get-GitHubScheduledMaintenance' 'Get-GitHubStatus' 'Get-GitHubStatusComponent' 'Get-GitHubStatusIncident' 'Get-GitHubRepoTeam' 'Block-GitHubUser' 'Get-GitHubBlockedUser' 'Test-GitHubBlockedUser' 'Unblock-GitHubUser' 'Add-GitHubUserEmail' 'Get-GitHubUserEmail' 'Remove-GitHubUserEmail' 'Set-GitHubUserEmailVisibility' 'Add-GitHubUserFollowing' 'Get-GitHubUserFollower' 'Get-GitHubUserFollowing' 'Remove-GitHubUserFollowing' 'Test-GitHubUserFollowing' 'Add-GitHubUserGpgKey' 'Get-GitHubUserGpgKey' 'Remove-GitHubUserGpgKey' 'Add-GitHubUserKey' 'Get-GitHubUserKey' 'Remove-GitHubUserKey' 'Add-GitHubUserSocial' 'Remove-GitHubUserSocial' 'Add-GitHubUserSigningKey' 'Get-GitHubUserSigningKey' 'Remove-GitHubUserSigningKey' 'Get-GitHubUser' 'Get-GitHubUserCard' 'Set-GitHubUser' ) Variable = '' } Export-ModuleMember @exports |