create-pull-request/src/create-pull-request.ts

475 lines
16 KiB
TypeScript
Raw Normal View History

2020-07-16 10:57:13 +02:00
import * as core from '@actions/core'
2024-07-25 15:12:45 +02:00
import * as fs from 'fs'
2024-07-25 15:30:47 +02:00
import {graphql} from '@octokit/graphql'
import type {
2024-07-25 15:12:45 +02:00
Repository,
Ref,
Commit,
FileChanges
} from '@octokit/graphql-schema'
import {
createOrUpdateBranch,
getWorkingBaseAndType,
WorkingBaseType
} from './create-or-update-branch'
2020-07-16 10:57:13 +02:00
import {GitHubHelper} from './github-helper'
import {GitCommandManager} from './git-command-manager'
import {GitConfigHelper} from './git-config-helper'
2020-07-16 10:57:13 +02:00
import * as utils from './utils'
export interface Inputs {
token: string
gitToken: string
2020-07-16 10:57:13 +02:00
path: string
addPaths: string[]
2020-07-16 10:57:13 +02:00
commitMessage: string
committer: string
author: string
signoff: boolean
2020-07-19 08:09:44 +02:00
branch: string
2020-09-06 03:21:35 +02:00
deleteBranch: boolean
2020-07-20 12:14:42 +02:00
branchSuffix: string
2020-07-19 08:09:44 +02:00
base: string
pushToFork: string
2020-07-16 10:57:13 +02:00
title: string
body: string
bodyPath: string
2020-07-16 10:57:13 +02:00
labels: string[]
assignees: string[]
reviewers: string[]
teamReviewers: string[]
milestone: number
draft: boolean
2024-07-25 15:12:45 +02:00
signCommit: boolean
2020-07-16 10:57:13 +02:00
}
export async function createPullRequest(inputs: Inputs): Promise<void> {
let gitConfigHelper, git
2020-07-16 10:57:13 +02:00
try {
core.startGroup('Prepare git configuration')
const repoPath = utils.getRepoPath(inputs.path)
git = await GitCommandManager.create(repoPath)
gitConfigHelper = await GitConfigHelper.create(git)
2020-07-16 12:13:28 +02:00
core.endGroup()
2020-07-16 10:57:13 +02:00
core.startGroup('Determining the base and head repositories')
const baseRemote = gitConfigHelper.getGitRemote()
// Init the GitHub client
const githubHelper = new GitHubHelper(baseRemote.hostname, inputs.token)
// Determine the head repository; the target for the pull request branch
const branchRemoteName = inputs.pushToFork ? 'fork' : 'origin'
const branchRepository = inputs.pushToFork
? inputs.pushToFork
: baseRemote.repository
if (inputs.pushToFork) {
// Check if the supplied fork is really a fork of the base
core.info(
`Checking if '${branchRepository}' is a fork of '${baseRemote.repository}'`
)
const baseParentRepository = await githubHelper.getRepositoryParent(
baseRemote.repository
)
const branchParentRepository =
await githubHelper.getRepositoryParent(branchRepository)
if (branchParentRepository == null) {
throw new Error(
`Repository '${branchRepository}' is not a fork. Unable to continue.`
)
}
if (
branchParentRepository != baseRemote.repository &&
baseParentRepository != branchParentRepository
) {
throw new Error(
`Repository '${branchRepository}' is not a fork of '${baseRemote.repository}', nor are they siblings. Unable to continue.`
)
}
// Add a remote for the fork
const remoteUrl = utils.getRemoteUrl(
baseRemote.protocol,
baseRemote.hostname,
branchRepository
)
await git.exec(['remote', 'add', 'fork', remoteUrl])
}
2020-07-16 12:13:28 +02:00
core.endGroup()
2020-07-16 10:57:13 +02:00
core.info(
`Pull request branch target repository set to ${branchRepository}`
2020-07-16 10:57:13 +02:00
)
// Configure auth
if (baseRemote.protocol == 'HTTPS') {
2020-07-16 12:13:28 +02:00
core.startGroup('Configuring credential for HTTPS authentication')
await gitConfigHelper.configureToken(inputs.gitToken)
2020-07-16 12:13:28 +02:00
core.endGroup()
2020-07-16 10:57:13 +02:00
}
core.startGroup('Checking the base repository state')
const [workingBase, workingBaseType] = await getWorkingBaseAndType(git)
core.info(`Working base is ${workingBaseType} '${workingBase}'`)
// When in detached HEAD state (checked out on a commit), we need to
// know the 'base' branch in order to rebase changes.
if (workingBaseType == WorkingBaseType.Commit && !inputs.base) {
2020-07-16 10:57:13 +02:00
throw new Error(
`When the repository is checked out on a commit instead of a branch, the 'base' input must be supplied.`
2020-07-16 10:57:13 +02:00
)
}
// If the base is not specified it is assumed to be the working base.
const base = inputs.base ? inputs.base : workingBase
// Throw an error if the base and branch are not different branches
// of the 'origin' remote. An identically named branch in the `fork`
// remote is perfectly fine.
if (branchRemoteName == 'origin' && base == inputs.branch) {
2020-07-16 10:57:13 +02:00
throw new Error(
`The 'base' and 'branch' for a pull request must be different branches. Unable to continue.`
2020-07-16 10:57:13 +02:00
)
}
// For self-hosted runners the repository state persists between runs.
// This command prunes the stale remote ref when the pull request branch was
// deleted after being merged or closed. Without this the push using
// '--force-with-lease' fails due to "stale info."
// https://github.com/peter-evans/create-pull-request/issues/633
await git.exec(['remote', 'prune', branchRemoteName])
2020-07-16 12:13:28 +02:00
core.endGroup()
2020-07-16 10:57:13 +02:00
2020-07-20 12:14:42 +02:00
// Apply the branch suffix if set
if (inputs.branchSuffix) {
switch (inputs.branchSuffix) {
case 'short-commit-hash':
// Suffix with the short SHA1 hash
inputs.branch = `${inputs.branch}-${await git.revParse('HEAD', [
'--short'
])}`
break
case 'timestamp':
// Suffix with the current timestamp
inputs.branch = `${inputs.branch}-${utils.secondsSinceEpoch()}`
break
case 'random':
// Suffix with a 7 character random string
inputs.branch = `${inputs.branch}-${utils.randomString()}`
break
default:
throw new Error(
`Branch suffix '${inputs.branchSuffix}' is not a valid value. Unable to continue.`
)
}
}
2020-07-16 10:57:13 +02:00
// Output head branch
core.info(
`Pull request branch to create or update set to '${inputs.branch}'`
)
// Configure the committer and author
2020-07-16 12:13:28 +02:00
core.startGroup('Configuring the committer and author')
const parsedAuthor = utils.parseDisplayNameEmail(inputs.author)
const parsedCommitter = utils.parseDisplayNameEmail(inputs.committer)
2020-07-16 10:57:13 +02:00
git.setIdentityGitOptions([
'-c',
`author.name=${parsedAuthor.name}`,
2020-07-16 10:57:13 +02:00
'-c',
`author.email=${parsedAuthor.email}`,
2020-07-16 10:57:13 +02:00
'-c',
`committer.name=${parsedCommitter.name}`,
2020-07-16 10:57:13 +02:00
'-c',
`committer.email=${parsedCommitter.email}`
2020-07-16 10:57:13 +02:00
])
core.info(
`Configured git committer as '${parsedCommitter.name} <${parsedCommitter.email}>'`
2020-07-16 10:57:13 +02:00
)
core.info(
`Configured git author as '${parsedAuthor.name} <${parsedAuthor.email}>'`
2020-07-16 10:57:13 +02:00
)
2020-07-16 12:13:28 +02:00
core.endGroup()
2020-07-16 10:57:13 +02:00
// Create or update the pull request branch
2020-07-16 12:13:28 +02:00
core.startGroup('Create or update the pull request branch')
2020-07-16 10:57:13 +02:00
const result = await createOrUpdateBranch(
git,
inputs.commitMessage,
inputs.base,
inputs.branch,
branchRemoteName,
inputs.signoff,
inputs.addPaths
2020-07-16 10:57:13 +02:00
)
// Set the base. It would have been '' if not specified as an input
inputs.base = result.base
2020-07-16 12:13:28 +02:00
core.endGroup()
2020-07-16 10:57:13 +02:00
if (['created', 'updated'].includes(result.action)) {
// The branch was created or updated
2020-07-16 12:13:28 +02:00
core.startGroup(
`Pushing pull request branch to '${branchRemoteName}/${inputs.branch}'`
2020-07-16 12:13:28 +02:00
)
2024-07-25 15:12:45 +02:00
if (inputs.signCommit) {
core.info(`Use API to push a signed commit`)
const graphqlWithAuth = graphql.defaults({
headers: {
2024-07-25 15:30:47 +02:00
authorization: 'token ' + inputs.token
}
})
2024-07-25 15:12:45 +02:00
2024-07-25 15:30:47 +02:00
let repoOwner = process.env.GITHUB_REPOSITORY!.split('/')[0]
2024-07-25 15:12:45 +02:00
if (inputs.pushToFork) {
2024-07-25 15:30:47 +02:00
const forkName = await githubHelper.getRepositoryParent(
baseRemote.repository
)
if (!forkName) {
repoOwner = forkName!
}
2024-07-25 15:12:45 +02:00
}
2024-07-25 15:30:47 +02:00
const repoName = process.env.GITHUB_REPOSITORY!.split('/')[1]
2024-07-25 15:12:45 +02:00
core.debug(`repoOwner: '${repoOwner}', repoName: '${repoName}'`)
const refQuery = `
query GetRefId($repoName: String!, $repoOwner: String!, $branchName: String!) {
repository(owner: $repoOwner, name: $repoName){
id
ref(qualifiedName: $branchName){
id
name
prefix
target{
id
oid
commitUrl
commitResourcePath
abbreviatedOid
}
}
},
}
`
let branchRef = await graphqlWithAuth<{repository: Repository}>(
refQuery,
{
repoOwner: repoOwner,
repoName: repoName,
branchName: inputs.branch
}
)
2024-07-25 15:30:47 +02:00
core.debug(
`Fetched information for branch '${inputs.branch}' - '${JSON.stringify(branchRef)}'`
)
2024-07-25 15:12:45 +02:00
// if the branch does not exist, then first we need to create the branch from base
if (branchRef.repository.ref == null) {
2024-07-25 15:30:47 +02:00
core.debug(`Branch does not exist - '${inputs.branch}'`)
2024-07-25 15:12:45 +02:00
branchRef = await graphqlWithAuth<{repository: Repository}>(
refQuery,
{
repoOwner: repoOwner,
repoName: repoName,
branchName: inputs.base
}
)
2024-07-25 15:30:47 +02:00
core.debug(
`Fetched information for base branch '${inputs.base}' - '${JSON.stringify(branchRef)}'`
)
2024-07-25 15:12:45 +02:00
2024-07-25 15:30:47 +02:00
core.info(
`Creating new branch '${inputs.branch}' from '${inputs.base}', with ref '${JSON.stringify(branchRef.repository.ref!.target!.oid)}'`
)
2024-07-25 15:12:45 +02:00
if (branchRef.repository.ref != null) {
2024-07-25 15:30:47 +02:00
core.debug(`Send request for creating new branch`)
2024-07-25 15:12:45 +02:00
const newBranchMutation = `
mutation CreateNewBranch($branchName: String!, $oid: GitObjectID!, $repoId: ID!) {
createRef(input: {
name: $branchName,
oid: $oid,
repositoryId: $repoId
}) {
ref {
id
name
prefix
}
}
}
`
2024-07-25 15:44:33 +02:00
const newBranch = await graphqlWithAuth<{createRef: {ref: Ref}}>(
2024-07-25 15:12:45 +02:00
newBranchMutation,
{
repoId: branchRef.repository.id,
oid: branchRef.repository.ref.target!.oid,
branchName: 'refs/heads/' + inputs.branch
}
)
2024-07-25 15:30:47 +02:00
core.debug(
`Created new branch '${inputs.branch}': '${JSON.stringify(newBranch.createRef.ref)}'`
)
2024-07-25 15:12:45 +02:00
}
}
2024-07-25 15:30:47 +02:00
core.info(
`Hash ref of branch '${inputs.branch}' is '${JSON.stringify(branchRef.repository.ref!.target!.oid)}'`
)
2024-07-25 15:12:45 +02:00
// switch to input-branch for reading updated file contents
await git.checkout(inputs.branch)
2024-07-25 15:44:33 +02:00
const changedFiles = await git.getChangedFiles(
2024-07-25 15:30:47 +02:00
branchRef.repository.ref!.target!.oid,
['--diff-filter=M']
)
2024-07-25 15:44:33 +02:00
const deletedFiles = await git.getChangedFiles(
2024-07-25 15:30:47 +02:00
branchRef.repository.ref!.target!.oid,
['--diff-filter=D']
)
2024-07-25 15:44:33 +02:00
const fileChanges = <FileChanges>{additions: [], deletions: []}
2024-07-25 15:12:45 +02:00
core.debug(`Changed files: '${JSON.stringify(changedFiles)}'`)
core.debug(`Deleted files: '${JSON.stringify(deletedFiles)}'`)
2024-07-25 15:44:33 +02:00
for (const file of changedFiles) {
2024-07-26 12:49:53 +02:00
core.debug(`Reading contents of file: '${file}'`)
2024-07-25 15:12:45 +02:00
fileChanges.additions!.push({
path: file,
contents: fs.readFileSync(file).toString('base64')
2024-07-25 15:12:45 +02:00
})
}
2024-07-25 15:44:33 +02:00
for (const file of deletedFiles) {
2024-07-26 12:49:53 +02:00
core.debug(`Marking file as deleted: '${file}'`)
2024-07-25 15:12:45 +02:00
fileChanges.deletions!.push({
2024-07-25 15:30:47 +02:00
path: file
2024-07-25 15:12:45 +02:00
})
}
const pushCommitMutation = `
mutation PushCommit(
$repoNameWithOwner: String!,
$branchName: String!,
$headOid: GitObjectID!,
$commitMessage: String!,
$fileChanges: FileChanges
) {
createCommitOnBranch(input: {
branch: {
repositoryNameWithOwner: $repoNameWithOwner,
branchName: $branchName,
}
fileChanges: $fileChanges
message: {
headline: $commitMessage
}
expectedHeadOid: $headOid
}){
clientMutationId
ref{
id
name
prefix
}
commit{
id
abbreviatedOid
oid
}
}
}
`
const pushCommitVars = {
branchName: inputs.branch,
repoNameWithOwner: repoOwner + '/' + repoName,
headOid: branchRef.repository.ref!.target!.oid,
commitMessage: inputs.commitMessage,
2024-07-25 15:30:47 +02:00
fileChanges: fileChanges
2024-07-25 15:12:45 +02:00
}
2024-07-26 15:03:14 +02:00
const pushCommitVarsWithoutContents = {
...pushCommitVars,
fileChanges: {
...pushCommitVars.fileChanges,
additions: pushCommitVars.fileChanges.additions?.map(addition => {
const {contents, ...rest} = addition
return rest
})
}
}
core.debug(
`Push commit with payload: '${JSON.stringify(pushCommitVarsWithoutContents)}'`
2024-07-25 15:30:47 +02:00
)
2024-07-25 15:12:45 +02:00
2024-07-25 15:30:47 +02:00
const commit = await graphqlWithAuth<{
createCommitOnBranch: {ref: Ref; commit: Commit}
}>(pushCommitMutation, pushCommitVars)
2024-07-25 15:12:45 +02:00
2024-07-25 15:30:47 +02:00
core.debug(`Pushed commit - '${JSON.stringify(commit)}'`)
core.info(
`Pushed commit with hash - '${commit.createCommitOnBranch.commit.oid}' on branch - '${commit.createCommitOnBranch.ref.name}'`
)
2024-07-25 15:12:45 +02:00
// switch back to previous branch/state since we are done with reading the changed file contents
await git.checkout('-')
} else {
await git.push([
'--force-with-lease',
branchRemoteName,
`${inputs.branch}:refs/heads/${inputs.branch}`
])
}
2020-07-16 12:13:28 +02:00
core.endGroup()
}
2020-07-16 10:57:13 +02:00
if (result.hasDiffWithBase) {
// Create or update the pull request
2021-05-14 06:47:55 +02:00
core.startGroup('Create or update the pull request')
const pull = await githubHelper.createOrUpdatePullRequest(
inputs,
baseRemote.repository,
branchRepository
)
2021-05-14 06:47:55 +02:00
core.endGroup()
// Set outputs
core.startGroup('Setting outputs')
core.setOutput('pull-request-number', pull.number)
core.setOutput('pull-request-url', pull.html_url)
if (pull.created) {
core.setOutput('pull-request-operation', 'created')
} else if (result.action == 'updated') {
core.setOutput('pull-request-operation', 'updated')
}
2021-11-04 02:42:15 +01:00
core.setOutput('pull-request-head-sha', result.headSha)
2024-06-18 18:51:55 +02:00
core.setOutput('pull-request-branch', inputs.branch)
// Deprecated
core.exportVariable('PULL_REQUEST_NUMBER', pull.number)
core.endGroup()
} else {
2020-09-06 03:21:35 +02:00
// There is no longer a diff with the base
// Check we are in a state where a branch exists
if (['updated', 'not-updated'].includes(result.action)) {
2020-07-16 10:57:13 +02:00
core.info(
`Branch '${inputs.branch}' no longer differs from base branch '${inputs.base}'`
)
2020-09-06 03:21:35 +02:00
if (inputs.deleteBranch) {
core.info(`Deleting branch '${inputs.branch}'`)
await git.push([
'--delete',
'--force',
branchRemoteName,
`refs/heads/${inputs.branch}`
])
// Set outputs
core.startGroup('Setting outputs')
core.setOutput('pull-request-operation', 'closed')
core.endGroup()
2020-09-06 03:21:35 +02:00
}
2020-07-16 10:57:13 +02:00
}
}
2022-09-21 08:42:50 +02:00
} catch (error) {
core.setFailed(utils.getErrorMessage(error))
2020-07-16 10:57:13 +02:00
} finally {
core.startGroup('Restore git configuration')
if (inputs.pushToFork) {
await git.exec(['remote', 'rm', 'fork'])
}
await gitConfigHelper.close()
2020-07-16 12:13:28 +02:00
core.endGroup()
2020-07-16 10:57:13 +02:00
}
}