API Coverage: Add Support for Deployment Environments (#395)

Adds the following new cmdlets for managing GitHub Deployment Environments:

- `New-GitHubDeploymentEnvironment`
- `Get-GitHubDeploymentEnvironment`
- `Set-GitHubDeploymentEnvironment`
- `Remove-GitHubDeploymentEnvironment`

Fixes #394

#### References

-  [Deployment Environments](https://docs.github.com/en/rest/deployments/environments)
This commit is contained in:
Simon Heather 2023-04-30 19:33:42 +01:00 коммит произвёл GitHub
Родитель 43d5392642
Коммит dd844e5e4a
Не найден ключ, соответствующий данной подписи
Идентификатор ключа GPG: 4AEE18F83AFDEB23
6 изменённых файлов: 894 добавлений и 0 удалений

Просмотреть файл

@ -0,0 +1,26 @@
<?xml version="1.0" encoding="utf-8" ?>
<Configuration>
<ViewDefinitions>
<!--=============== GitHub.DeploymentEnvironment Type View ===============-->
<View>
<Name>GitHub.DeploymentEnvironment</Name>
<ViewSelectedBy>
<TypeName>GitHub.DeploymentEnvironment</TypeName>
</ViewSelectedBy>
<TableControl>
<TableRowEntries>
<TableRowEntry>
<TableColumnItems>
<TableColumnItem>
<PropertyName>RepositoryUrl</PropertyName>
</TableColumnItem>
<TableColumnItem>
<PropertyName>EnvironmentName</PropertyName>
</TableColumnItem>
</TableColumnItems>
</TableRowEntry>
</TableRowEntries>
</TableControl>
</View>
</ViewDefinitions>
</Configuration>

616
GitHubDeployments.ps1 Normal file
Просмотреть файл

@ -0,0 +1,616 @@
# Copyright (c) Microsoft Corporation. All rights reserved.
# Licensed under the MIT License.
@{
GitHubDeploymentEnvironmentTypeName = 'GitHub.DeploymentEnvironment'
}.GetEnumerator() | ForEach-Object {
Set-Variable -Scope Script -Option ReadOnly -Name $_.Key -Value $_.Value
}
filter New-GitHubDeploymentEnvironment
{
<#
.SYNOPSIS
Creates or updates a deployment environment on a GitHub repository.
.DESCRIPTION
Creates or updates a deployment environment on a GitHub repository.
The Git repo for this module can be found here: http://aka.ms/PowerShellForGitHub
.PARAMETER OwnerName
Owner of the repository.
If not supplied here, the DefaultOwnerName configuration property value will be used.
.PARAMETER RepositoryName
Name of the repository.
If not supplied here, the DefaultRepositoryName configuration property value will be used.
.PARAMETER Uri
Uri for the repository.
The OwnerName and RepositoryName will be extracted from here instead of needing to provide
them individually.
.PARAMETER EnvironmentName
The name of the environment.
.PARAMETER WaitTimer
The amount of time to delay a job after the job is initially triggered.
The time (in minutes) must be an integer between 0 and 43,200 (30 days).
.PARAMETER DeploymentBranchPolicy
Whether only branches with branch protection rules or that match the specified name patterns
can deploy to this environment.
.PARAMETER ReviewerTeamId
The teams that may review jobs that reference the environment.
You can list up to six users and/or teams as reviewers.
The reviewers must have at least read access to the repository.
Only one of the required reviewers needs to approve the job for it to proceed.
.PARAMETER ReviewerUserId
The users that may review jobs that reference the environment.
You can list up to six users and/or teams as reviewers.
The reviewers must have at least read access to the repository.
Only one of the required reviewers needs to approve the job for it to proceed.
.PARAMETER PassThru
Returns the updated environment. By default, the Set-GitHubDeploymentEnvironment cmdlet
does not generate any output.
You can use "Set-GitHubConfiguration -DefaultPassThru" to control the default behavior
of this switch.
.PARAMETER AccessToken
If provided, this will be used as the AccessToken for authentication with the
REST Api. Otherwise, will attempt to use the configured value or will run unauthenticated.
.INPUTS
GitHub.Branch
GitHub.Content
GitHub.DeploymentEnvironment
GitHub.Event
GitHub.Issue
GitHub.IssueComment
GitHub.Label
GitHub.Milestone
GitHub.PullRequest
GitHub.Project
GitHub.ProjectCard
GitHub.ProjectColumn
GitHub.Reaction
GitHub.Release
GitHub.ReleaseAsset
GitHub.Repository
.OUTPUTS
GitHub.DeploymentEnvironment
.EXAMPLE
New-GitHubDeploymentEnvironment -OwnerName microsoft -RepositoryName PowerShellForGitHub -EnvironmentName 'Test'
Creates or updates a deployment environment called 'Test' for the specified repo.
#>
[CmdletBinding(
SupportsShouldProcess,
DefaultParameterSetName = 'Elements')]
[OutputType({ $script:GitHubDeploymentEnvironmentTypeName })]
[Alias('Set-GitHubDeploymentEnvironment')]
[Diagnostics.CodeAnalysis.SuppressMessageAttribute("PSReviewUnusedParameter", "", Justification="The Uri parameter is only referenced by Resolve-RepositoryElements which get access to it from the stack via Get-Variable -Scope 1.")]
param(
[Parameter(ParameterSetName = 'Elements')]
[string] $OwnerName,
[Parameter(ParameterSetName = 'Elements')]
[string] $RepositoryName,
[Parameter(
Mandatory,
ValueFromPipelineByPropertyName,
ParameterSetName = 'Uri')]
[Alias('RepositoryUrl')]
[string] $Uri,
[Parameter(
Mandatory,
ValueFromPipeline,
ValueFromPipelineByPropertyName)]
[ValidateNotNullOrEmpty()]
[string] $EnvironmentName,
[ValidateRange(0, 43200)]
[int32] $WaitTimer,
[ValidateSet('ProtectedBranches', 'CustomBranchPolicies', 'None')]
[string] $DeploymentBranchPolicy,
[int64[]] $ReviewerTeamId,
[int64[]] $ReviewerUserId,
[switch] $PassThru,
[string] $AccessToken
)
Write-InvocationLog
$elements = Resolve-RepositoryElements
$OwnerName = $elements.ownerName
$RepositoryName = $elements.repositoryName
$telemetryProperties = @{
'OwnerName' = (Get-PiiSafeString -PlainText $OwnerName)
'RepositoryName' = (Get-PiiSafeString -PlainText $RepositoryName)
}
if ($MyInvocation.InvocationName -eq 'Set-GitHubDeploymentEnvironment')
{
$shouldProcessMessage = "Update GitHub Deployment Environment '$EnvironmentName'"
}
else
{
$shouldProcessMessage = "Create GitHub Deployment Environment '$EnvironmentName'"
}
$hashBody = @{}
if ($PSBoundParameters.ContainsKey('WaitTimer')) { $hashBody['wait_timer'] = $WaitTimer }
if ($PSBoundParameters.ContainsKey('DeploymentBranchPolicy')) {
$deploymentBranchPolicyHash = @{}
switch ($DeploymentBranchPolicy) {
'ProtectedBranches' {
$deploymentBranchPolicyHash['protected_branches'] = $true
$deploymentBranchPolicyHash['custom_branch_policies'] = $false
}
'CustomBranchPolicies' {
$deploymentBranchPolicyHash['protected_branches'] = $false
$deploymentBranchPolicyHash['custom_branch_policies'] = $true
}
'None' {
$deploymentBranchPolicyHash = $null
}
}
$hashBody['deployment_branch_policy'] = $deploymentBranchPolicyHash
}
if ($PSBoundParameters.ContainsKey('ReviewerTeamId') -or
$PSBoundParameters.ContainsKey('ReviewerUserId'))
{
$reviewers = @()
foreach ($teamId in $ReviewerTeamId) {
$reviewers += @{ 'type' = 'Team'; 'id' = $teamId}
}
foreach ($userId in $ReviewerUserId) {
$reviewers += @{ 'type' = 'User'; 'id' = $userId}
}
$hashBody['reviewers'] = $reviewers
}
$params = @{
'UriFragment' = "repos/$OwnerName/$RepositoryName/environments/$EnvironmentName"
'Body' = (ConvertTo-Json -InputObject $hashBody)
'Method' = 'Put'
'Description' = "Creating Deployment Environment $EnvironmentName"
'AccessToken' = $AccessToken
'TelemetryEventName' = $MyInvocation.MyCommand.Name
'TelemetryProperties' = $telemetryProperties
}
Write-Debug -Message ('UriFragment: ' + $params.UriFragment)
Write-Debug -Message ('Body: ' + $params.Body)
if (-not $PSCmdlet.ShouldProcess($RepositoryName, $shouldProcessMessage))
{
return
}
$result = (Invoke-GHRestMethod @params | Add-GitHubDeploymentEnvironmentAdditionalProperties)
if (($MyInvocation.InvocationName -eq 'New-GitHubDeploymentEnvironment') -or
(Resolve-ParameterWithDefaultConfigurationValue -Name PassThru -ConfigValueName DefaultPassThru))
{
return $result
}
}
filter Remove-GitHubDeploymentEnvironment
{
<#
.SYNOPSIS
Removes a deployment environment from a GitHub repository.
.DESCRIPTION
Removes a deployment environment from a GitHub repository.
The Git repo for this module can be found here: http://aka.ms/PowerShellForGitHub
.PARAMETER OwnerName
Owner of the repository.
If not supplied here, the DefaultOwnerName configuration property value will be used.
.PARAMETER RepositoryName
Name of the repository.
If not supplied here, the DefaultRepositoryName configuration property value will be used.
.PARAMETER Uri
Uri for the repository.
The OwnerName and RepositoryName will be extracted from here instead of needing to provide
them individually.
.PARAMETER EnvironmentName
The name of the deployment environment to remove.
.PARAMETER Force
If this switch is specified, you will not be prompted for confirmation of command execution.
.PARAMETER AccessToken
If provided, this will be used as the AccessToken for authentication with the
REST Api. Otherwise, will attempt to use the configured value or will run unauthenticated.
.INPUTS
GitHub.Branch
GitHub.Content
GitHub.DeploymentEnvironment
GitHub.Event
GitHub.Issue
GitHub.IssueComment
GitHub.Label
GitHub.Milestone
GitHub.PullRequest
GitHub.Project
GitHub.ProjectCard
GitHub.ProjectColumn
GitHub.Reaction
GitHub.Release
GitHub.ReleaseAsset
GitHub.Repository
.EXAMPLE
Remove-GitHubDeploymentEnvironment -OwnerName You -RepositoryName RepoName -EnvironmentName EnvToDelete
.EXAMPLE
Remove-GitHubDeploymentEnvironment -Uri https://github.com/You/YourRepo -EnvironmentName EnvToDelete
.EXAMPLE
Remove-GitHubDeploymentEnvironment -Uri https://github.com/You/YourRepo -EnvironmentName EnvToDelete -Confirm:$false
Remove the deployment environment from the repository without prompting for confirmation.
.EXAMPLE
Remove-GitHubDeploymentEnvironment -Uri https://github.com/You/YourRepo -EnvironmentName EnvToDelete -Force
Remove the deployment environment from the repository without prompting for confirmation.
.EXAMPLE
$repo = Get-GitHubRepository -Uri https://github.com/You/YourRepo
$repo | Remove-GitHubDeploymentEnvironment -EnvironmentName EnvToDelete -Force
You can also pipe in a repo that was returned from a previous command.
#>
[CmdletBinding(
SupportsShouldProcess,
DefaultParameterSetName='Elements',
ConfirmImpact = 'High')]
[Alias('Delete-GitHubDeploymentEnvironment')]
[Diagnostics.CodeAnalysis.SuppressMessageAttribute("PSReviewUnusedParameter", "", Justification="The Uri parameter is only referenced by Resolve-RepositoryElements which get access to it from the stack via Get-Variable -Scope 1.")]
param(
[Parameter(ParameterSetName='Elements')]
[string] $OwnerName,
[Parameter(ParameterSetName='Elements')]
[string] $RepositoryName,
[Parameter(
Mandatory,
ValueFromPipelineByPropertyName,
ParameterSetName='Uri')]
[Alias('RepositoryUrl')]
[string] $Uri,
[Parameter(
Mandatory,
ValueFromPipeline,
ValueFromPipelineByPropertyName)]
[ValidateNotNullOrEmpty()]
[string] $EnvironmentName,
[switch] $Force,
[string] $AccessToken
)
Write-InvocationLog
$elements = Resolve-RepositoryElements
$OwnerName = $elements.ownerName
$RepositoryName = $elements.repositoryName
$telemetryProperties = @{
'OwnerName' = (Get-PiiSafeString -PlainText $OwnerName)
'RepositoryName' = (Get-PiiSafeString -PlainText $RepositoryName)
}
$params = @{
'UriFragment' = "repos/$OwnerName/$RepositoryName/environments/$EnvironmentName"
'Method' = 'Delete'
'Description' = "Deleting $EnvironmentName from $RepositoryName"
'AccessToken' = $AccessToken
'TelemetryEventName' = $MyInvocation.MyCommand.Name
'TelemetryProperties' = $telemetryProperties
}
Write-Debug -Message ('UriFragment: ' + $params.UriFragment)
if ($Force -and (-not $Confirm))
{
$ConfirmPreference = 'None'
}
if (-not $PSCmdlet.ShouldProcess($RepositoryName, "Remove Deployment Environment '$EnvironmentName'"))
{
return
}
return Invoke-GHRestMethod @params
}
filter Get-GitHubDeploymentEnvironment
{
<#
.SYNOPSIS
Retrieves information about a deployment environment or list of deployment environments on GitHub.
.DESCRIPTION
Retrieves information about a deployment environment or list of deployment environments on GitHub.
The Git repo for this module can be found here: http://aka.ms/PowerShellForGitHub
.PARAMETER OwnerName
Owner of the repository.
If not supplied here, the DefaultOwnerName configuration property value will be used.
.PARAMETER RepositoryName
Name of the repository.
If not supplied here, the DefaultRepositoryName configuration property value will be used.
.PARAMETER Uri
Uri for the repository.
The OwnerName and RepositoryName will be extracted from here instead of needing to provide
them individually.
.PARAMETER EnvironmentName
The name of the deployment environment.
.PARAMETER AccessToken
If provided, this will be used as the AccessToken for authentication with the
REST Api. Otherwise, will attempt to use the configured value or will run unauthenticated.
.INPUTS
GitHub.Branch
GitHub.Content
GitHub.DeploymentEnvironment
GitHub.Event
GitHub.Issue
GitHub.IssueComment
GitHub.Label
GitHub.Milestone
GitHub.PullRequest
GitHub.Project
GitHub.ProjectCard
GitHub.ProjectColumn
GitHub.Reaction
GitHub.Release
GitHub.ReleaseAsset
GitHub.Repository
.OUTPUTS
GitHub.DeploymentEnvironment
.EXAMPLE
Get-GitHubDeploymentEnvironment -OwnerName microsoft -RepositoryName PowerShellForGitHub
Gets details of all of the deployment environments for the specified repository.
.EXAMPLE
Get-GitHubDeploymentEnvironment -OwnerName microsoft -RepositoryName PowerShellForGitHub -EnvironmentName Test
Gets details of the Test deployment environment for the specified repository.
#>
[CmdletBinding(DefaultParameterSetName = 'Elements')]
[OutputType({$script:GitHubRepositoryTypeName})]
[Diagnostics.CodeAnalysis.SuppressMessageAttribute("PSReviewUnusedParameter", "", Justification="The Uri parameter is only referenced by Resolve-RepositoryElements which get access to it from the stack via Get-Variable -Scope 1.")]
param(
[Parameter(
ValueFromPipelineByPropertyName,
ParameterSetName='Elements')]
[Alias('UserName')]
[string] $OwnerName,
[Parameter(ParameterSetName='Elements')]
[string] $RepositoryName,
[Parameter(
Mandatory,
ValueFromPipelineByPropertyName,
ParameterSetName='Uri')]
[Alias('RepositoryUrl')]
[string] $Uri,
[string] $EnvironmentName,
[string] $AccessToken
)
Write-InvocationLog
$elements = Resolve-RepositoryElements
$OwnerName = $elements.ownerName
$RepositoryName = $elements.repositoryName
$telemetryProperties = @{
'OwnerName' = (Get-PiiSafeString -PlainText $OwnerName)
'RepositoryName' = (Get-PiiSafeString -PlainText $RepositoryName)
}
if ($PSBoundParameters.ContainsKey('EnvironmentName'))
{
$uriFragment = "repos/$OwnerName/$RepositoryName/environments/$EnvironmentName"
}
else
{
$uriFragment = "repos/$OwnerName/$RepositoryName/environments"
}
$params = @{
'UriFragment' = $uriFragment
'Method' = 'Get'
'Description' = "Getting $EnvironmentName from $RepositoryName"
'AccessToken' = $AccessToken
'TelemetryEventName' = $MyInvocation.MyCommand.Name
'TelemetryProperties' = $telemetryProperties
}
Write-Debug -Message ('UriFragment: ' + $params.UriFragment)
$result = Invoke-GHRestMethod @params
if ($PSBoundParameters.ContainsKey('EnvironmentName'))
{
return ($result | Add-GitHubDeploymentEnvironmentAdditionalProperties)
}
else
{
return ($result.environments | Add-GitHubDeploymentEnvironmentAdditionalProperties)
}
}
filter Add-GitHubDeploymentEnvironmentAdditionalProperties
{
<#
.SYNOPSIS
Adds type name and additional properties to ease pipelining to GitHub Deployment Environment
objects.
.PARAMETER InputObject
The GitHub object to add additional properties to.
.PARAMETER TypeName
The type that should be assigned to the object.
.PARAMETER OwnerName
Owner of the repository. This information might be obtainable from InputObject, so this
is optional based on what InputObject contains.
.PARAMETER RepositoryName
Name of the repository. This information might be obtainable from InputObject, so this
is optional based on what InputObject contains.
.INPUTS
[PSCustomObject]
.OUTPUTS
GitHub.Repository
#>
[CmdletBinding()]
[Diagnostics.CodeAnalysis.SuppressMessageAttribute("PSUseSingularNouns", "", Justification="Internal helper that is definitely adding more than one property.")]
param(
[Parameter(
Mandatory,
ValueFromPipeline)]
[AllowNull()]
[AllowEmptyCollection()]
[PSCustomObject[]] $InputObject,
[ValidateNotNullOrEmpty()]
[string] $TypeName = $script:GitHubDeploymentEnvironmentTypeName,
[string] $OwnerName,
[string] $RepositoryName
)
foreach ($item in $InputObject)
{
$item.PSObject.TypeNames.Insert(0, $TypeName)
if (-not (Get-GitHubConfiguration -Name DisablePipelineSupport))
{
$repositoryUrl = [String]::Empty
if ([String]::IsNullOrEmpty($item.html_url))
{
if ($PSBoundParameters.ContainsKey('OwnerName') -and
$PSBoundParameters.ContainsKey('RepositoryName'))
{
$repositoryUrl = (Join-GitHubUri -OwnerName $OwnerName -RepositoryName $RepositoryName)
}
}
else
{
$elements = Split-GitHubUri -Uri $item.html_url
$repositoryUrl = Join-GitHubUri @elements
}
if (-not [String]::IsNullOrEmpty($repositoryUrl))
{
Add-Member -InputObject $item -Name 'RepositoryUrl' -Value $repositoryUrl -MemberType NoteProperty -Force
}
}
Add-Member -InputObject $item -Name 'EnvironmentName' -Value $item.name -MemberType NoteProperty -Force
# Add additional properties for any user or team reviewers
if ($null -ne $item.protection_rules)
{
foreach ($protectionRule in $item.protection_rules)
{
if ($protectionRule.type -eq 'required_reviewers')
{
$reviewerUser = @()
$reviewerTeam = @()
foreach ($reviewer in $protectionRule.reviewers)
{
if ($reviewer.type -eq 'User')
{
$reviewerUser += Add-GitHubUserAdditionalProperties -InputObject $reviewer.reviewer
}
if ($reviewer.type -eq 'Team')
{
$reviewerTeam += Add-GitHubTeamAdditionalProperties -InputObject $reviewer.reviewer
}
}
if ($reviewerUser.count -gt 0)
{
Add-Member -InputObject $item -Name 'ReviewerUser' -Value $reviewerUser -MemberType NoteProperty -Force
}
if ($reviewerTeam.count -gt 0)
{
Add-Member -InputObject $item -Name 'ReviewerTeam' -Value $reviewerTeam -MemberType NoteProperty -Force
}
}
if ($protectionRule.type -eq 'wait_timer')
{
Add-Member -InputObject $item -Name 'WaitTimer' -Value $protectionRule.wait_timer -MemberType NoteProperty -Force
}
}
}
if ($null -eq $item.deployment_branch_policy)
{
$deploymentBranchPolicy = 'None'
}
elseif ($item.deployment_branch_policy.protected_branches -eq $true)
{
$deploymentBranchPolicy = 'ProtectedBranches'
}
elseif ($item.deployment_branch_policy.custom_branch_policies -eq $true)
{
$deploymentBranchPolicy = 'CustomBranchPolicies'
}
Add-Member -InputObject $item -Name 'DeploymentBranchPolicy' -Value $deploymentBranchPolicy -MemberType NoteProperty -Force
Write-Output $item
}
}

Просмотреть файл

@ -16,6 +16,7 @@
# Format files (.ps1xml) to be loaded when importing this module
FormatsToProcess = @(
'Formatters/GitHubBranches.Format.ps1xml',
'Formatters/GitHubDeployments.Format.ps1xml',
'Formatters/GitHubGistComments.Format.ps1xml',
'Formatters/GitHubGists.Format.ps1xml',
'Formatters/GitHubReleases.Format.ps1xml'
@ -56,6 +57,7 @@
'GitHubRepositoryTraffic.ps1',
'GitHubTeams.ps1',
'GitHubUsers.ps1',
'GitHubDeployments.ps1',
'Telemetry.ps1',
'UpdateCheck.ps1')
@ -80,6 +82,7 @@
'Get-GitHubCodeOfConduct',
'Get-GitHubConfiguration',
'Get-GitHubContent',
'Get-GitHubDeploymentEnvironment',
'Get-GitHubEmoji',
'Get-GitHubEvent',
'Get-GitHubGist',
@ -131,6 +134,7 @@
'Move-GitHubProjectCard',
'Move-GitHubProjectColumn',
'Move-GitHubRepositoryOwnership',
'New-GitHubDeploymentEnvironment',
'New-GitHubGist',
'New-GitHubGistComment',
'New-GitHubIssue',
@ -152,6 +156,7 @@
'New-GitHubTeam',
'Remove-GitHubAssignee',
'Remove-GitHubComment',
'Remove-GitHubDeploymentEnvironment'
'Remove-GitHubGist',
'Remove-GitHubGistComment',
'Remove-GitHubGistFile',
@ -215,6 +220,7 @@
'Delete-GitHubAsset',
'Delete-GitHubBranch',
'Delete-GitHubComment',
'Delete-GitHubDeploymentEnvironment',
'Delete-GitHubGist',
'Delete-GitHubGistComment',
'Delete-GitHubGistFile',
@ -246,6 +252,7 @@
'Remove-GitHubComment',
'Set-GitHubAsset',
'Set-GitHubComment',
'Set-GitHubDeploymentEnvironment',
'Star-GitHubGist',
'Transfer-GitHubRepositoryOwnership'
'Unstar-GitHubGist'

Просмотреть файл

@ -90,6 +90,7 @@ At present, this module can:
as well as gist comments.
* Query, edit and remove [reactions](https://developer.github.com/v3/reactions/) on Issues and
Pull Requests.
* Query, create, edit and remove [Deployment Environments](https://docs.github.com/en/rest/deployments/environments)
* Miscellaneous functionality:
* Get all [Codes of Conduct](https://developer.github.com/v3/codes_of_conduct/) as well as that
of a specific repo.

Просмотреть файл

@ -0,0 +1,215 @@
# Copyright (c) Microsoft Corporation. All rights reserved.
# Licensed under the MIT License.
<#
.Synopsis
Tests for GitHubDeployments.ps1 module
#>
[CmdletBinding()]
[Diagnostics.CodeAnalysis.SuppressMessageAttribute('PSUseDeclaredVarsMoreThanAssignments', '',
Justification = 'Suppress false positives in Pester code blocks')]
param()
Set-StrictMode -Version 1.0
# This is common test code setup logic for all Pester test files
BeforeAll {
$moduleRootPath = Split-Path -Path $PSScriptRoot -Parent
. (Join-Path -Path $moduleRootPath -ChildPath 'Tests\Common.ps1')
$repoName = ([Guid]::NewGuid().Guid)
$newGitHubRepositoryParms = @{
RepositoryName = $repoName
OrganizationName = $script:organizationName
Private = $false
}
$repo = New-GitHubRepository @newGitHubRepositoryParms
$team1Name = [Guid]::NewGuid().Guid
$team2Name = [Guid]::NewGuid().Guid
$description = 'Team Description'
$privacy = 'closed'
$maintainerName = $script:ownerName
$newGithubTeamParms = @{
OrganizationName = $script:organizationName
Description = $description
Privacy = $privacy
MaintainerName = $MaintainerName
}
$reviewerTeam1 = New-GitHubTeam @newGithubTeamParms -TeamName $team1Name
$reviewerTeam2 = New-GitHubTeam @newGithubTeamParms -TeamName $team2Name
$reviewerTeamId = $reviewerTeam1.TeamId, $reviewerTeam2.TeamId
$reviewerUser = Get-GitHubUser -UserName $script:ownerName
$repo | Set-GitHubRepositoryTeamPermission -TeamSlug $reviewerTeam1.TeamSlug -Permission Push
$repo | Set-GitHubRepositoryTeamPermission -TeamSlug $reviewerTeam2.TeamSlug -Permission Push
}
Describe 'GitHubDeployments\New-GitHubDeploymentEnvironment' {
Context -Name 'When creating a new deployment environment' -Fixture {
BeforeAll -ScriptBlock {
$environmentName = [Guid]::NewGuid().Guid
$waitTimer = 50
$deploymentBranchPolicy = 'ProtectedBranches'
$newGitHubDeploymentEnvironmentParms = @{
EnvironmentName = $environmentName
WaitTimer = $waitTimer
DeploymentBranchPolicy = $deploymentBranchPolicy
ReviewerTeamId = $reviewerTeamId
ReviewerUserId = $reviewerUser.UserId
}
$environment = $repo | New-GitHubDeploymentEnvironment @newGitHubDeploymentEnvironmentParms
}
It 'Should return an object of the correct type' {
$environment.PSObject.TypeNames[0] | Should -Be 'GitHub.DeploymentEnvironment'
}
It 'Should return the correct properties' {
$environment.name | Should -Be $environmentName
$environment.RepositoryUrl | Should -Be $repo.RepositoryUrl
$environment.EnvironmentName | Should -Be $environmentName
$environment.ReviewerUser[0].UserName | Should -Be $reviewerUser.UserName
$environment.ReviewerUser[0].UserId | Should -Be $reviewerUser.UserId
$environment.ReviewerTeam.count | Should -Be $reviewerTeamId.count
$environment.ReviewerTeam[0].TeamName | Should -Be $reviewerTeam1.TeamName
$environment.ReviewerTeam[0].TeamId | Should -Be $reviewerTeam1.TeamId
$environment.ReviewerTeam[1].TeamName | Should -Be $reviewerTeam2.TeamName
$environment.ReviewerTeam[1].TeamId | Should -Be $reviewerTeam2.TeamId
$environment.WaitTimer | Should -Be $waitTimer
$environment.DeploymentBranchPolicy | Should -Be $deploymentBranchPolicy
}
}
}
Describe 'GitHubDeployments\Set-GitHubDeploymentEnvironment' {
Context -Name 'When updating a deployment environment' -Fixture {
BeforeAll -ScriptBlock {
$environmentName = [Guid]::NewGuid().Guid
$waitTimer = 50
$deploymentBranchPolicy = 'ProtectedBranches'
$environment = $repo | New-GitHubDeploymentEnvironment -EnvironmentName $environmentName
$setGitHubDeploymentEnvironmentParms = @{
EnvironmentName = $environmentName
WaitTimer = $waitTimer
DeploymentBranchPolicy = $deploymentBranchPolicy
ReviewerTeamId = $reviewerTeam1.TeamId, $reviewerTeam2.TeamId
ReviewerUserId = $reviewerUser.UserId
PassThru = $true
}
$updatedEnvironment = $environment | Set-GitHubDeploymentEnvironment @setGitHubDeploymentEnvironmentParms
}
It 'Should return an object of the correct type' {
$updatedEnvironment.PSObject.TypeNames[0] | Should -Be 'GitHub.DeploymentEnvironment'
}
It 'Should return the correct properties' {
$updatedEnvironment.name | Should -Be $environmentName
$updatedEnvironment.RepositoryUrl | Should -Be $repo.RepositoryUrl
$updatedEnvironment.EnvironmentName | Should -Be $environmentName
$updatedenvironment.ReviewerUser[0].UserName | Should -Be $reviewerUser.UserName
$updatedenvironment.ReviewerUser[0].UserId | Should -Be $reviewerUser.UserId
$updatedenvironment.ReviewerTeam.count | Should -Be $reviewerTeamId.count
$updatedenvironment.ReviewerTeam[0].TeamName | Should -Be $reviewerTeam1.TeamName
$updatedenvironment.ReviewerTeam[0].TeamId | Should -Be $reviewerTeam1.TeamId
$updatedenvironment.ReviewerTeam[1].TeamName | Should -Be $reviewerTeam2.TeamName
$updatedenvironment.ReviewerTeam[1].TeamId | Should -Be $reviewerTeam2.TeamId
$updatedenvironment.WaitTimer | Should -Be $waitTimer
$updatedenvironment.DeploymentBranchPolicy | Should -Be $deploymentBranchPolicy
}
}
}
Describe 'GitHubDeployments\Get-GitHubDeploymentEnvironment' {
Context -Name 'When getting a deployment environment' -Fixture {
BeforeAll -ScriptBlock {
$environmentName = [Guid]::NewGuid().Guid
$waitTimer = 50
$deploymentBranchPolicy = 'ProtectedBranches'
$newGitHubDeploymentEnvironmentParms = @{
EnvironmentName = $environmentName
WaitTimer = $waitTimer
DeploymentBranchPolicy = $deploymentBranchPolicy
ReviewerTeamId = $reviewerTeamId
ReviewerUserId = $reviewerUser.UserId
}
$repo | New-GitHubDeploymentEnvironment @newGitHubDeploymentEnvironmentParms | Out-Null
$environment = $repo | Get-GitHubDeploymentEnvironment -EnvironmentName $environmentName
}
It 'Should return an object of the correct type' {
$environment.PSObject.TypeNames[0] | Should -Be 'GitHub.DeploymentEnvironment'
}
It 'Should return the correct properties' {
$environment.name | Should -Be $environmentName
$environment.RepositoryUrl | Should -Be $repo.RepositoryUrl
$environment.EnvironmentName | Should -Be $environmentName
$environment.ReviewerUser[0].UserName | Should -Be $reviewerUser.UserName
$environment.ReviewerUser[0].UserId | Should -Be $reviewerUser.UserId
$environment.ReviewerTeam.count | Should -Be $reviewerTeamId.count
$environment.ReviewerTeam[0].TeamName | Should -Be $reviewerTeam1.TeamName
$environment.ReviewerTeam[0].TeamId | Should -Be $reviewerTeam1.TeamId
$environment.ReviewerTeam[1].TeamName | Should -Be $reviewerTeam2.TeamName
$environment.ReviewerTeam[1].TeamId | Should -Be $reviewerTeam2.TeamId
$environment.WaitTimer | Should -Be $waitTimer
$environment.DeploymentBranchPolicy | Should -Be $deploymentBranchPolicy
}
}
}
Describe 'GitHubDeployments\Remove-GitHubDeploymentEnvironment' {
Context -Name 'When removing a deployment environment' -Fixture {
BeforeAll -ScriptBlock {
$environmentName = [Guid]::NewGuid().Guid
$waitTimer = 50
$deploymentBranchPolicy = 'ProtectedBranches'
$newGitHubDeploymentEnvironmentParms = @{
EnvironmentName = $environmentName
WaitTimer = $waitTimer
DeploymentBranchPolicy = $deploymentBranchPolicy
ReviewerTeamId = $reviewerTeam1.id
ReviewerUserId = $reviewerUser.UserId
}
$environment = $repo | New-GitHubDeploymentEnvironment @newGitHubDeploymentEnvironmentParms
}
It 'Should not throw an exception' {
{ $environment | Remove-GitHubDeploymentEnvironment -Confirm:$false } | Should -Not -Throw
}
It 'Should have removed the deployment environment' {
{ $repo | Get-GitHubDeploymentEnvironment -EnvironmentName $environmentName } | `
Should -Throw '*Not Found*'
}
}
}
AfterAll -ScriptBlock {
if ($repo)
{
$repo | Remove-GitHubRepository -Confirm:$false
}
if ($reviewerTeam1)
{
$reviewerTeam1 | Remove-GitHubTeam -Confirm:$false
}
if ($reviewerTeam2)
{
$reviewerTeam2 | Remove-GitHubTeam -Confirm:$false
}
}

Просмотреть файл

@ -134,6 +134,11 @@
* [Adding a gist comment](#adding-a-gist-comment)
* [Changing a gist comment](#changing-a-gist-comment)
* [Removing a gist comment](#removing-a-gist-comment)
* [Deployments Environments](#deployment-environments)
* [Adding a new environment](#adding-a-new-environment)
* [Getting details of an environment](#getting-details-of-an-environment)
* [Updating an environment](#updating-an-environment)
* [Removing an environment](#removing-an-environment)
* [Advanced](#advanced)
* [Migrating blog comments to GitHub issues](#migrating-blog-comments-to-github-issues)
@ -1241,6 +1246,30 @@ Get-GitHubGist -Gist $gistId -Comment $commentId | Remove-GitHubGistComment -For
----------
### Deployment Environments
#### Adding a new environment
```powershell
New-GitHubDeploymentEnvironment -OwnerName microsoft -RepositoryName TestRepo -Environment Test
```
#### Getting details of an environment
```powershell
Get-GitHubDeploymentEnvironment -OwnerName microsoft -RepositoryName TestRepo -Environment Test
```
#### Updating an environment
```powershell
Set-GitHubDeploymentEnvironment -OwnerName microsoft -RepositoryName TestRepo -Environment Test -DeploymentBranchPolicy ProtectedBranches
```
#### Removing an environment
```powershell
Remove-GitHubDeploymentEnvironment -OwnerName microsoft -RepositoryName TestRepo -Environment Test
```
----------
### Advanced
#### Migrating blog comments to GitHub issues