Convert action to typescript
This commit is contained in:
		
							
								
								
									
										951
									
								
								__test__/create-or-update-branch.int.test.ts
									
									
									
									
									
										Normal file
									
								
							
							
						
						
									
										951
									
								
								__test__/create-or-update-branch.int.test.ts
									
									
									
									
									
										Normal file
									
								
							| @@ -0,0 +1,951 @@ | |||||||
|  | import {createOrUpdateBranch, tryFetch} from '../lib/create-or-update-branch' | ||||||
|  | import * as fs from 'fs' | ||||||
|  | import {GitCommandManager} from '../lib/git-command-manager' | ||||||
|  | import * as path from 'path' | ||||||
|  | import {v4 as uuidv4} from 'uuid' | ||||||
|  |  | ||||||
|  | const REPO_PATH = '/git/test-repo' | ||||||
|  |  | ||||||
|  | const TRACKED_FILE = 'tracked-file.txt' | ||||||
|  | const UNTRACKED_FILE = 'untracked-file.txt' | ||||||
|  |  | ||||||
|  | const DEFAULT_BRANCH = 'tests/master' | ||||||
|  | const NOT_BASE_BRANCH = 'tests/branch-that-is-not-the-base' | ||||||
|  | const NOT_EXIST_BRANCH = 'tests/branch-that-does-not-exist' | ||||||
|  |  | ||||||
|  | const INIT_COMMIT_MESSAGE = 'Add file to be a tracked file for tests' | ||||||
|  | const BRANCH = 'tests/create-pull-request/patch' | ||||||
|  | const BASE = DEFAULT_BRANCH | ||||||
|  |  | ||||||
|  | async function createFile(filename: string, content?: string): Promise<string> { | ||||||
|  |   const _content = content ? content : uuidv4() | ||||||
|  |   const filepath = path.join(REPO_PATH, filename) | ||||||
|  |   await fs.promises.writeFile(filepath, _content, {encoding: 'utf8'}) | ||||||
|  |   return _content | ||||||
|  | } | ||||||
|  |  | ||||||
|  | async function getFileContent(filename: string): Promise<string> { | ||||||
|  |   const filepath = path.join(REPO_PATH, filename) | ||||||
|  |   return await fs.promises.readFile(filepath, {encoding: 'utf8'}) | ||||||
|  | } | ||||||
|  |  | ||||||
|  | interface ChangeContent { | ||||||
|  |   tracked: string | ||||||
|  |   untracked: string | ||||||
|  | } | ||||||
|  |  | ||||||
|  | async function createChanges( | ||||||
|  |   trackedContent?: string, | ||||||
|  |   untrackedContent?: string | ||||||
|  | ): Promise<ChangeContent> { | ||||||
|  |   return { | ||||||
|  |     tracked: await createFile(TRACKED_FILE, trackedContent), | ||||||
|  |     untracked: await createFile(UNTRACKED_FILE, untrackedContent) | ||||||
|  |   } | ||||||
|  | } | ||||||
|  |  | ||||||
|  | interface Commits { | ||||||
|  |   changes: ChangeContent | ||||||
|  |   commitMsgs: string[] | ||||||
|  | } | ||||||
|  |  | ||||||
|  | async function createCommits( | ||||||
|  |   git: GitCommandManager, | ||||||
|  |   number = 2, | ||||||
|  |   finalTrackedContent?: string, | ||||||
|  |   finalUntrackedContent?: string | ||||||
|  | ): Promise<Commits> { | ||||||
|  |   let result: Commits = { | ||||||
|  |     changes: {tracked: '', untracked: ''}, | ||||||
|  |     commitMsgs: [] | ||||||
|  |   } | ||||||
|  |   for (let i = 1; i <= number; i++) { | ||||||
|  |     if (i == number) { | ||||||
|  |       result.changes = await createChanges( | ||||||
|  |         finalTrackedContent, | ||||||
|  |         finalUntrackedContent | ||||||
|  |       ) | ||||||
|  |     } else { | ||||||
|  |       result.changes = await createChanges() | ||||||
|  |     } | ||||||
|  |     const commitMessage = uuidv4() | ||||||
|  |     await git.exec(['add', '-A']) | ||||||
|  |     await git.commit(['-m', commitMessage]) | ||||||
|  |     result.commitMsgs.unshift(commitMessage) | ||||||
|  |   } | ||||||
|  |   return result | ||||||
|  | } | ||||||
|  |  | ||||||
|  | describe('create-or-update-branch tests', () => { | ||||||
|  |   let git: GitCommandManager | ||||||
|  |   let initCommitHash: string | ||||||
|  |  | ||||||
|  |   beforeAll(async () => { | ||||||
|  |     git = await GitCommandManager.create(REPO_PATH) | ||||||
|  |     git.setAuthGitOptions([ | ||||||
|  |       '-c', | ||||||
|  |       'http.https://github.com/.extraheader=AUTHORIZATION: basic xxx' | ||||||
|  |     ]) | ||||||
|  |     git.setIdentityGitOptions([ | ||||||
|  |       '-c', | ||||||
|  |       'author.name=Author Name', | ||||||
|  |       '-c', | ||||||
|  |       'author.email=author@example.com', | ||||||
|  |       '-c', | ||||||
|  |       'committer.name=Committer Name', | ||||||
|  |       '-c', | ||||||
|  |       'committer.email=committer@example.com' | ||||||
|  |     ]) | ||||||
|  |     // Check there are no local changes that might be destroyed by running these tests | ||||||
|  |     expect(await git.isDirty(true)).toBeFalsy() | ||||||
|  |     // Fetch the default branch | ||||||
|  |     await git.fetch(['master:refs/remotes/origin/master']) | ||||||
|  |  | ||||||
|  |     // Create a "not base branch" for the test run | ||||||
|  |     await git.checkout('master') | ||||||
|  |     await git.checkout(NOT_BASE_BRANCH, 'HEAD') | ||||||
|  |     await createFile(TRACKED_FILE) | ||||||
|  |     await git.exec(['add', '-A']) | ||||||
|  |     await git.commit(['-m', 'This commit should not appear in pr branches']) | ||||||
|  |     await git.push(['--force', 'origin', `HEAD:refs/heads/${NOT_BASE_BRANCH}`]) | ||||||
|  |  | ||||||
|  |     // Create a new default branch for the test run with a tracked file | ||||||
|  |     await git.checkout('master') | ||||||
|  |     await git.checkout(DEFAULT_BRANCH, 'HEAD') | ||||||
|  |     await createFile(TRACKED_FILE) | ||||||
|  |     await git.exec(['add', '-A']) | ||||||
|  |     await git.commit(['-m', INIT_COMMIT_MESSAGE]) | ||||||
|  |     await git.push(['--force', 'origin', `HEAD:refs/heads/${DEFAULT_BRANCH}`]) | ||||||
|  |     initCommitHash = await git.revParse('HEAD') | ||||||
|  |   }) | ||||||
|  |  | ||||||
|  |   async function beforeTest(): Promise<void> { | ||||||
|  |     await git.checkout(DEFAULT_BRANCH) | ||||||
|  |   } | ||||||
|  |  | ||||||
|  |   async function afterTest(deleteRemote = true): Promise<void> { | ||||||
|  |     //await git.exec(['log', '-5', '--format=%H %s']) | ||||||
|  |     await git.checkout(DEFAULT_BRANCH) | ||||||
|  |     // Delete PR branch | ||||||
|  |     try { | ||||||
|  |       await git.exec(['branch', '--delete', '--force', BRANCH]) | ||||||
|  |       if (deleteRemote) { | ||||||
|  |         await git.push([ | ||||||
|  |           '--delete', | ||||||
|  |           '--force', | ||||||
|  |           'origin', | ||||||
|  |           `refs/heads/${BRANCH}` | ||||||
|  |         ]) | ||||||
|  |       } | ||||||
|  |     } catch { | ||||||
|  |       /* empty */ | ||||||
|  |     } | ||||||
|  |   } | ||||||
|  |  | ||||||
|  |   beforeEach(async () => { | ||||||
|  |     await beforeTest() | ||||||
|  |   }) | ||||||
|  |  | ||||||
|  |   afterEach(async () => { | ||||||
|  |     await afterTest() | ||||||
|  |     // Reset default branch if it was committed to during the test | ||||||
|  |     if ((await git.revParse('HEAD')) != initCommitHash) { | ||||||
|  |       await git.exec(['reset', '--hard', initCommitHash]) | ||||||
|  |       await git.push(['--force', 'origin', `HEAD:refs/heads/${DEFAULT_BRANCH}`]) | ||||||
|  |     } | ||||||
|  |   }) | ||||||
|  |  | ||||||
|  |   async function gitLogMatches(expectedCommitMsgs: string[]): Promise<boolean> { | ||||||
|  |     const count = expectedCommitMsgs.length | ||||||
|  |     const result = await git.exec(['log', `-${count}`, '--format=%s']) | ||||||
|  |     const commitMsgs = result.stdout | ||||||
|  |       .split('\n') | ||||||
|  |       .map(s => s.trim()) | ||||||
|  |       .filter(x => x !== '') | ||||||
|  |     for (var index in expectedCommitMsgs) { | ||||||
|  |       if (expectedCommitMsgs[index] != commitMsgs[index]) { | ||||||
|  |         return false | ||||||
|  |       } | ||||||
|  |     } | ||||||
|  |     return true | ||||||
|  |   } | ||||||
|  |  | ||||||
|  |   it('tests if a branch exists and can be fetched', async () => { | ||||||
|  |     expect(await tryFetch(git, NOT_BASE_BRANCH)).toBeTruthy() | ||||||
|  |     expect(await tryFetch(git, NOT_EXIST_BRANCH)).toBeFalsy() | ||||||
|  |   }) | ||||||
|  |  | ||||||
|  |   it('tests no changes resulting in no new branch being created', async () => { | ||||||
|  |     const commitMessage = uuidv4() | ||||||
|  |     const result = await createOrUpdateBranch(git, commitMessage, '', BRANCH) | ||||||
|  |     expect(result.action).toEqual('none') | ||||||
|  |     expect(await gitLogMatches([INIT_COMMIT_MESSAGE])).toBeTruthy() | ||||||
|  |   }) | ||||||
|  |  | ||||||
|  |   it('tests create and update with a tracked file change', async () => { | ||||||
|  |     // Create a tracked file change | ||||||
|  |     const trackedContent = await createFile(TRACKED_FILE) | ||||||
|  |     const commitMessage = uuidv4() | ||||||
|  |     const result = await createOrUpdateBranch(git, commitMessage, '', BRANCH) | ||||||
|  |     expect(result.action).toEqual('created') | ||||||
|  |     expect(await getFileContent(TRACKED_FILE)).toEqual(trackedContent) | ||||||
|  |     expect( | ||||||
|  |       await gitLogMatches([commitMessage, INIT_COMMIT_MESSAGE]) | ||||||
|  |     ).toBeTruthy() | ||||||
|  |  | ||||||
|  |     // Push pull request branch to remote | ||||||
|  |     await git.push(['--force', 'origin', `HEAD:refs/heads/${BRANCH}`]) | ||||||
|  |  | ||||||
|  |     await afterTest(false) | ||||||
|  |     await beforeTest() | ||||||
|  |  | ||||||
|  |     // Create a tracked file change | ||||||
|  |     const _trackedContent = await createFile(TRACKED_FILE) | ||||||
|  |     const _commitMessage = uuidv4() | ||||||
|  |     const _result = await createOrUpdateBranch(git, _commitMessage, '', BRANCH) | ||||||
|  |     expect(_result.action).toEqual('updated') | ||||||
|  |     expect(_result.hasDiffWithBase).toBeTruthy() | ||||||
|  |     expect(await getFileContent(TRACKED_FILE)).toEqual(_trackedContent) | ||||||
|  |     expect( | ||||||
|  |       await gitLogMatches([_commitMessage, INIT_COMMIT_MESSAGE]) | ||||||
|  |     ).toBeTruthy() | ||||||
|  |   }) | ||||||
|  |  | ||||||
|  |   it('tests create and update with an untracked file change', async () => { | ||||||
|  |     // Create an untracked file change | ||||||
|  |     const untrackedContent = await createFile(UNTRACKED_FILE) | ||||||
|  |     const commitMessage = uuidv4() | ||||||
|  |     const result = await createOrUpdateBranch(git, commitMessage, '', BRANCH) | ||||||
|  |     expect(result.action).toEqual('created') | ||||||
|  |     expect(await getFileContent(UNTRACKED_FILE)).toEqual(untrackedContent) | ||||||
|  |     expect( | ||||||
|  |       await gitLogMatches([commitMessage, INIT_COMMIT_MESSAGE]) | ||||||
|  |     ).toBeTruthy() | ||||||
|  |  | ||||||
|  |     // Push pull request branch to remote | ||||||
|  |     await git.push(['--force', 'origin', `HEAD:refs/heads/${BRANCH}`]) | ||||||
|  |  | ||||||
|  |     await afterTest(false) | ||||||
|  |     await beforeTest() | ||||||
|  |  | ||||||
|  |     // Create an untracked file change | ||||||
|  |     const _untrackedContent = await createFile(UNTRACKED_FILE) | ||||||
|  |     const _commitMessage = uuidv4() | ||||||
|  |     const _result = await createOrUpdateBranch(git, _commitMessage, '', BRANCH) | ||||||
|  |     expect(_result.action).toEqual('updated') | ||||||
|  |     expect(_result.hasDiffWithBase).toBeTruthy() | ||||||
|  |     expect(await getFileContent(UNTRACKED_FILE)).toEqual(_untrackedContent) | ||||||
|  |     expect( | ||||||
|  |       await gitLogMatches([_commitMessage, INIT_COMMIT_MESSAGE]) | ||||||
|  |     ).toBeTruthy() | ||||||
|  |   }) | ||||||
|  |  | ||||||
|  |   it('tests create and update with identical changes', async () => { | ||||||
|  |     // The pull request branch will not be updated | ||||||
|  |  | ||||||
|  |     // Create tracked and untracked file changes | ||||||
|  |     const changes = await createChanges() | ||||||
|  |     const commitMessage = uuidv4() | ||||||
|  |     const result = await createOrUpdateBranch(git, commitMessage, '', BRANCH) | ||||||
|  |     expect(result.action).toEqual('created') | ||||||
|  |     expect(await getFileContent(TRACKED_FILE)).toEqual(changes.tracked) | ||||||
|  |     expect(await getFileContent(UNTRACKED_FILE)).toEqual(changes.untracked) | ||||||
|  |     expect( | ||||||
|  |       await gitLogMatches([commitMessage, INIT_COMMIT_MESSAGE]) | ||||||
|  |     ).toBeTruthy() | ||||||
|  |  | ||||||
|  |     // Push pull request branch to remote | ||||||
|  |     await git.push(['--force', 'origin', `HEAD:refs/heads/${BRANCH}`]) | ||||||
|  |  | ||||||
|  |     await afterTest(false) | ||||||
|  |     await beforeTest() | ||||||
|  |  | ||||||
|  |     // Create identical tracked and untracked file changes | ||||||
|  |     await createChanges(changes.tracked, changes.untracked) | ||||||
|  |     const _commitMessage = uuidv4() | ||||||
|  |     const _result = await createOrUpdateBranch(git, _commitMessage, '', BRANCH) | ||||||
|  |     expect(_result.action).toEqual('none') | ||||||
|  |     expect(await getFileContent(TRACKED_FILE)).toEqual(changes.tracked) | ||||||
|  |     expect(await getFileContent(UNTRACKED_FILE)).toEqual(changes.untracked) | ||||||
|  |     expect( | ||||||
|  |       await gitLogMatches([commitMessage, INIT_COMMIT_MESSAGE]) | ||||||
|  |     ).toBeTruthy() | ||||||
|  |   }) | ||||||
|  |  | ||||||
|  |   it('tests create and update with commits on the base inbetween', async () => { | ||||||
|  |     // Create tracked and untracked file changes | ||||||
|  |     const changes = await createChanges() | ||||||
|  |     const commitMessage = uuidv4() | ||||||
|  |     const result = await createOrUpdateBranch(git, commitMessage, '', BRANCH) | ||||||
|  |     expect(result.action).toEqual('created') | ||||||
|  |     expect(await getFileContent(TRACKED_FILE)).toEqual(changes.tracked) | ||||||
|  |     expect(await getFileContent(UNTRACKED_FILE)).toEqual(changes.untracked) | ||||||
|  |     expect( | ||||||
|  |       await gitLogMatches([commitMessage, INIT_COMMIT_MESSAGE]) | ||||||
|  |     ).toBeTruthy() | ||||||
|  |  | ||||||
|  |     // Push pull request branch to remote | ||||||
|  |     await git.push(['--force', 'origin', `HEAD:refs/heads/${BRANCH}`]) | ||||||
|  |  | ||||||
|  |     await afterTest(false) | ||||||
|  |     await beforeTest() | ||||||
|  |  | ||||||
|  |     // Create commits on the base | ||||||
|  |     const commits = await createCommits(git) | ||||||
|  |     await git.push(['--force', 'origin', `HEAD:refs/heads/${DEFAULT_BRANCH}`]) | ||||||
|  |  | ||||||
|  |     // Create tracked and untracked file changes | ||||||
|  |     const _changes = await createChanges() | ||||||
|  |     const _commitMessage = uuidv4() | ||||||
|  |     const _result = await createOrUpdateBranch(git, _commitMessage, '', BRANCH) | ||||||
|  |     expect(_result.action).toEqual('updated') | ||||||
|  |     expect(_result.hasDiffWithBase).toBeTruthy() | ||||||
|  |     expect(await getFileContent(TRACKED_FILE)).toEqual(_changes.tracked) | ||||||
|  |     expect(await getFileContent(UNTRACKED_FILE)).toEqual(_changes.untracked) | ||||||
|  |     expect( | ||||||
|  |       await gitLogMatches([ | ||||||
|  |         _commitMessage, | ||||||
|  |         ...commits.commitMsgs, | ||||||
|  |         INIT_COMMIT_MESSAGE | ||||||
|  |       ]) | ||||||
|  |     ).toBeTruthy() | ||||||
|  |   }) | ||||||
|  |  | ||||||
|  |   it('tests create and then an update with no changes', async () => { | ||||||
|  |     // This effectively reverts the branch back to match the base and results in no diff | ||||||
|  |  | ||||||
|  |     // Save the default branch tracked content | ||||||
|  |     const defaultTrackedContent = await getFileContent(TRACKED_FILE) | ||||||
|  |  | ||||||
|  |     // Create tracked and untracked file changes | ||||||
|  |     const changes = await createChanges() | ||||||
|  |     const commitMessage = uuidv4() | ||||||
|  |     const result = await createOrUpdateBranch(git, commitMessage, '', BRANCH) | ||||||
|  |     expect(result.action).toEqual('created') | ||||||
|  |     expect(await getFileContent(TRACKED_FILE)).toEqual(changes.tracked) | ||||||
|  |     expect(await getFileContent(UNTRACKED_FILE)).toEqual(changes.untracked) | ||||||
|  |     expect( | ||||||
|  |       await gitLogMatches([commitMessage, INIT_COMMIT_MESSAGE]) | ||||||
|  |     ).toBeTruthy() | ||||||
|  |  | ||||||
|  |     // Push pull request branch to remote | ||||||
|  |     await git.push(['--force', 'origin', `HEAD:refs/heads/${BRANCH}`]) | ||||||
|  |  | ||||||
|  |     await afterTest(false) | ||||||
|  |     await beforeTest() | ||||||
|  |  | ||||||
|  |     // Running with no update effectively reverts the branch back to match the base | ||||||
|  |     const _commitMessage = uuidv4() | ||||||
|  |     const _result = await createOrUpdateBranch(git, _commitMessage, '', BRANCH) | ||||||
|  |     expect(_result.action).toEqual('updated') | ||||||
|  |     expect(_result.hasDiffWithBase).toBeFalsy() | ||||||
|  |     expect(await getFileContent(TRACKED_FILE)).toEqual(defaultTrackedContent) | ||||||
|  |     expect(await gitLogMatches([INIT_COMMIT_MESSAGE])).toBeTruthy() | ||||||
|  |   }) | ||||||
|  |  | ||||||
|  |   it('tests create, commits on the base, and update with identical changes to the base', async () => { | ||||||
|  |     // The changes on base effectively revert the branch back to match the base and results in no diff | ||||||
|  |  | ||||||
|  |     // Create tracked and untracked file changes | ||||||
|  |     const changes = await createChanges() | ||||||
|  |     const commitMessage = uuidv4() | ||||||
|  |     const result = await createOrUpdateBranch(git, commitMessage, '', BRANCH) | ||||||
|  |     expect(result.action).toEqual('created') | ||||||
|  |     expect(await getFileContent(TRACKED_FILE)).toEqual(changes.tracked) | ||||||
|  |     expect(await getFileContent(UNTRACKED_FILE)).toEqual(changes.untracked) | ||||||
|  |     expect( | ||||||
|  |       await gitLogMatches([commitMessage, INIT_COMMIT_MESSAGE]) | ||||||
|  |     ).toBeTruthy() | ||||||
|  |  | ||||||
|  |     // Push pull request branch to remote | ||||||
|  |     await git.push(['--force', 'origin', `HEAD:refs/heads/${BRANCH}`]) | ||||||
|  |  | ||||||
|  |     await afterTest(false) | ||||||
|  |     await beforeTest() | ||||||
|  |  | ||||||
|  |     // Create commits on the base | ||||||
|  |     const commits = await createCommits(git) | ||||||
|  |     await git.push(['--force', 'origin', `HEAD:refs/heads/${DEFAULT_BRANCH}`]) | ||||||
|  |  | ||||||
|  |     // Create the same tracked and untracked file changes that were made to the base | ||||||
|  |     const _changes = await createChanges( | ||||||
|  |       commits.changes.tracked, | ||||||
|  |       commits.changes.untracked | ||||||
|  |     ) | ||||||
|  |     const _commitMessage = uuidv4() | ||||||
|  |     const _result = await createOrUpdateBranch(git, _commitMessage, '', BRANCH) | ||||||
|  |     expect(_result.action).toEqual('updated') | ||||||
|  |     expect(_result.hasDiffWithBase).toBeFalsy() | ||||||
|  |     expect(await getFileContent(TRACKED_FILE)).toEqual(_changes.tracked) | ||||||
|  |     expect(await getFileContent(UNTRACKED_FILE)).toEqual(_changes.untracked) | ||||||
|  |     expect( | ||||||
|  |       await gitLogMatches([...commits.commitMsgs, INIT_COMMIT_MESSAGE]) | ||||||
|  |     ).toBeTruthy() | ||||||
|  |   }) | ||||||
|  |  | ||||||
|  |   it('tests create and update with commits on the working base (during the workflow)', async () => { | ||||||
|  |     // Create commits on the working base | ||||||
|  |     const commits = await createCommits(git) | ||||||
|  |     const commitMessage = uuidv4() | ||||||
|  |     const result = await createOrUpdateBranch(git, commitMessage, '', BRANCH) | ||||||
|  |     expect(result.action).toEqual('created') | ||||||
|  |     expect(await getFileContent(TRACKED_FILE)).toEqual(commits.changes.tracked) | ||||||
|  |     expect(await getFileContent(UNTRACKED_FILE)).toEqual( | ||||||
|  |       commits.changes.untracked | ||||||
|  |     ) | ||||||
|  |     expect( | ||||||
|  |       await gitLogMatches([...commits.commitMsgs, INIT_COMMIT_MESSAGE]) | ||||||
|  |     ).toBeTruthy() | ||||||
|  |  | ||||||
|  |     // Push pull request branch to remote | ||||||
|  |     await git.push(['--force', 'origin', `HEAD:refs/heads/${BRANCH}`]) | ||||||
|  |  | ||||||
|  |     await afterTest(false) | ||||||
|  |     await beforeTest() | ||||||
|  |  | ||||||
|  |     // Create commits on the working base | ||||||
|  |     const _commits = await createCommits(git) | ||||||
|  |     const _commitMessage = uuidv4() | ||||||
|  |     const _result = await createOrUpdateBranch(git, _commitMessage, '', BRANCH) | ||||||
|  |     expect(_result.action).toEqual('updated') | ||||||
|  |     expect(_result.hasDiffWithBase).toBeTruthy() | ||||||
|  |     expect(await getFileContent(TRACKED_FILE)).toEqual(_commits.changes.tracked) | ||||||
|  |     expect(await getFileContent(UNTRACKED_FILE)).toEqual( | ||||||
|  |       _commits.changes.untracked | ||||||
|  |     ) | ||||||
|  |     expect( | ||||||
|  |       await gitLogMatches([..._commits.commitMsgs, INIT_COMMIT_MESSAGE]) | ||||||
|  |     ).toBeTruthy() | ||||||
|  |   }) | ||||||
|  |  | ||||||
|  |   it('tests create and update with changes and commits on the working base (during the workflow)', async () => { | ||||||
|  |     // Create commits on the working base | ||||||
|  |     const commits = await createCommits(git) | ||||||
|  |     // Create tracked and untracked file changes | ||||||
|  |     const changes = await createChanges() | ||||||
|  |     const commitMessage = uuidv4() | ||||||
|  |     const result = await createOrUpdateBranch(git, commitMessage, '', BRANCH) | ||||||
|  |     expect(result.action).toEqual('created') | ||||||
|  |     expect(await getFileContent(TRACKED_FILE)).toEqual(changes.tracked) | ||||||
|  |     expect(await getFileContent(UNTRACKED_FILE)).toEqual(changes.untracked) | ||||||
|  |     expect( | ||||||
|  |       await gitLogMatches([ | ||||||
|  |         commitMessage, | ||||||
|  |         ...commits.commitMsgs, | ||||||
|  |         INIT_COMMIT_MESSAGE | ||||||
|  |       ]) | ||||||
|  |     ).toBeTruthy() | ||||||
|  |  | ||||||
|  |     // Push pull request branch to remote | ||||||
|  |     await git.push(['--force', 'origin', `HEAD:refs/heads/${BRANCH}`]) | ||||||
|  |  | ||||||
|  |     await afterTest(false) | ||||||
|  |     await beforeTest() | ||||||
|  |  | ||||||
|  |     // Create commits on the working base | ||||||
|  |     const _commits = await createCommits(git) | ||||||
|  |     // Create tracked and untracked file changes | ||||||
|  |     const _changes = await createChanges() | ||||||
|  |     const _commitMessage = uuidv4() | ||||||
|  |     const _result = await createOrUpdateBranch(git, _commitMessage, '', BRANCH) | ||||||
|  |     expect(_result.action).toEqual('updated') | ||||||
|  |     expect(_result.hasDiffWithBase).toBeTruthy() | ||||||
|  |     expect(await getFileContent(TRACKED_FILE)).toEqual(_changes.tracked) | ||||||
|  |     expect(await getFileContent(UNTRACKED_FILE)).toEqual(_changes.untracked) | ||||||
|  |     expect( | ||||||
|  |       await gitLogMatches([ | ||||||
|  |         _commitMessage, | ||||||
|  |         ..._commits.commitMsgs, | ||||||
|  |         INIT_COMMIT_MESSAGE | ||||||
|  |       ]) | ||||||
|  |     ).toBeTruthy() | ||||||
|  |   }) | ||||||
|  |  | ||||||
|  |   it('tests create and update with changes and commits on the working base (during the workflow), and commits on the base inbetween', async () => { | ||||||
|  |     // Create commits on the working base | ||||||
|  |     const commits = await createCommits(git) | ||||||
|  |     // Create tracked and untracked file changes | ||||||
|  |     const changes = await createChanges() | ||||||
|  |     const commitMessage = uuidv4() | ||||||
|  |     const result = await createOrUpdateBranch(git, commitMessage, '', BRANCH) | ||||||
|  |     expect(result.action).toEqual('created') | ||||||
|  |     expect(await getFileContent(TRACKED_FILE)).toEqual(changes.tracked) | ||||||
|  |     expect(await getFileContent(UNTRACKED_FILE)).toEqual(changes.untracked) | ||||||
|  |     expect( | ||||||
|  |       await gitLogMatches([ | ||||||
|  |         commitMessage, | ||||||
|  |         ...commits.commitMsgs, | ||||||
|  |         INIT_COMMIT_MESSAGE | ||||||
|  |       ]) | ||||||
|  |     ).toBeTruthy() | ||||||
|  |  | ||||||
|  |     // Push pull request branch to remote | ||||||
|  |     await git.push(['--force', 'origin', `HEAD:refs/heads/${BRANCH}`]) | ||||||
|  |  | ||||||
|  |     await afterTest(false) | ||||||
|  |     await beforeTest() | ||||||
|  |  | ||||||
|  |     // Create commits on the base | ||||||
|  |     const commitsOnBase = await createCommits(git) | ||||||
|  |     await git.push(['--force', 'origin', `HEAD:refs/heads/${DEFAULT_BRANCH}`]) | ||||||
|  |  | ||||||
|  |     // Create commits on the working base | ||||||
|  |     const _commits = await createCommits(git) | ||||||
|  |     // Create tracked and untracked file changes | ||||||
|  |     const _changes = await createChanges() | ||||||
|  |     const _commitMessage = uuidv4() | ||||||
|  |     const _result = await createOrUpdateBranch(git, _commitMessage, '', BRANCH) | ||||||
|  |     expect(_result.action).toEqual('updated') | ||||||
|  |     expect(_result.hasDiffWithBase).toBeTruthy() | ||||||
|  |     expect(await getFileContent(TRACKED_FILE)).toEqual(_changes.tracked) | ||||||
|  |     expect(await getFileContent(UNTRACKED_FILE)).toEqual(_changes.untracked) | ||||||
|  |     expect( | ||||||
|  |       await gitLogMatches([ | ||||||
|  |         _commitMessage, | ||||||
|  |         ..._commits.commitMsgs, | ||||||
|  |         ...commitsOnBase.commitMsgs, | ||||||
|  |         INIT_COMMIT_MESSAGE | ||||||
|  |       ]) | ||||||
|  |     ).toBeTruthy() | ||||||
|  |   }) | ||||||
|  |  | ||||||
|  |   // Working Base is Not Base (WBNB) | ||||||
|  |  | ||||||
|  |   it('tests no changes resulting in no new branch being created (WBNB)', async () => { | ||||||
|  |     // Set the working base to a branch that is not the pull request base | ||||||
|  |     await git.checkout(NOT_BASE_BRANCH) | ||||||
|  |  | ||||||
|  |     const commitMessage = uuidv4() | ||||||
|  |     const result = await createOrUpdateBranch(git, commitMessage, BASE, BRANCH) | ||||||
|  |     expect(result.action).toEqual('none') | ||||||
|  |     expect(await gitLogMatches([INIT_COMMIT_MESSAGE])).toBeTruthy() | ||||||
|  |   }) | ||||||
|  |  | ||||||
|  |   it('tests create and update with a tracked file change (WBNB)', async () => { | ||||||
|  |     // Set the working base to a branch that is not the pull request base | ||||||
|  |     await git.checkout(NOT_BASE_BRANCH) | ||||||
|  |  | ||||||
|  |     // Create a tracked file change | ||||||
|  |     const trackedContent = await createFile(TRACKED_FILE) | ||||||
|  |     const commitMessage = uuidv4() | ||||||
|  |     const result = await createOrUpdateBranch(git, commitMessage, BASE, BRANCH) | ||||||
|  |     expect(result.action).toEqual('created') | ||||||
|  |     expect(await getFileContent(TRACKED_FILE)).toEqual(trackedContent) | ||||||
|  |     expect( | ||||||
|  |       await gitLogMatches([commitMessage, INIT_COMMIT_MESSAGE]) | ||||||
|  |     ).toBeTruthy() | ||||||
|  |  | ||||||
|  |     // Push pull request branch to remote | ||||||
|  |     await git.push(['--force', 'origin', `HEAD:refs/heads/${BRANCH}`]) | ||||||
|  |  | ||||||
|  |     await afterTest(false) | ||||||
|  |     await beforeTest() | ||||||
|  |  | ||||||
|  |     // Set the working base to a branch that is not the pull request base | ||||||
|  |     await git.checkout(NOT_BASE_BRANCH) | ||||||
|  |  | ||||||
|  |     // Create a tracked file change | ||||||
|  |     const _trackedContent = await createFile(TRACKED_FILE) | ||||||
|  |     const _commitMessage = uuidv4() | ||||||
|  |     const _result = await createOrUpdateBranch( | ||||||
|  |       git, | ||||||
|  |       _commitMessage, | ||||||
|  |       BASE, | ||||||
|  |       BRANCH | ||||||
|  |     ) | ||||||
|  |     expect(_result.action).toEqual('updated') | ||||||
|  |     expect(_result.hasDiffWithBase).toBeTruthy() | ||||||
|  |     expect(await getFileContent(TRACKED_FILE)).toEqual(_trackedContent) | ||||||
|  |     expect( | ||||||
|  |       await gitLogMatches([_commitMessage, INIT_COMMIT_MESSAGE]) | ||||||
|  |     ).toBeTruthy() | ||||||
|  |   }) | ||||||
|  |  | ||||||
|  |   it('tests create and update with an untracked file change (WBNB)', async () => { | ||||||
|  |     // Set the working base to a branch that is not the pull request base | ||||||
|  |     await git.checkout(NOT_BASE_BRANCH) | ||||||
|  |  | ||||||
|  |     // Create an untracked file change | ||||||
|  |     const untrackedContent = await createFile(UNTRACKED_FILE) | ||||||
|  |     const commitMessage = uuidv4() | ||||||
|  |     const result = await createOrUpdateBranch(git, commitMessage, BASE, BRANCH) | ||||||
|  |     expect(result.action).toEqual('created') | ||||||
|  |     expect(await getFileContent(UNTRACKED_FILE)).toEqual(untrackedContent) | ||||||
|  |     expect( | ||||||
|  |       await gitLogMatches([commitMessage, INIT_COMMIT_MESSAGE]) | ||||||
|  |     ).toBeTruthy() | ||||||
|  |  | ||||||
|  |     // Push pull request branch to remote | ||||||
|  |     await git.push(['--force', 'origin', `HEAD:refs/heads/${BRANCH}`]) | ||||||
|  |  | ||||||
|  |     await afterTest(false) | ||||||
|  |     await beforeTest() | ||||||
|  |  | ||||||
|  |     // Set the working base to a branch that is not the pull request base | ||||||
|  |     await git.checkout(NOT_BASE_BRANCH) | ||||||
|  |  | ||||||
|  |     // Create an untracked file change | ||||||
|  |     const _untrackedContent = await createFile(UNTRACKED_FILE) | ||||||
|  |     const _commitMessage = uuidv4() | ||||||
|  |     const _result = await createOrUpdateBranch( | ||||||
|  |       git, | ||||||
|  |       _commitMessage, | ||||||
|  |       BASE, | ||||||
|  |       BRANCH | ||||||
|  |     ) | ||||||
|  |     expect(_result.action).toEqual('updated') | ||||||
|  |     expect(_result.hasDiffWithBase).toBeTruthy() | ||||||
|  |     expect(await getFileContent(UNTRACKED_FILE)).toEqual(_untrackedContent) | ||||||
|  |     expect( | ||||||
|  |       await gitLogMatches([_commitMessage, INIT_COMMIT_MESSAGE]) | ||||||
|  |     ).toBeTruthy() | ||||||
|  |   }) | ||||||
|  |  | ||||||
|  |   it('tests create and update with identical changes (WBNB)', async () => { | ||||||
|  |     // The pull request branch will not be updated | ||||||
|  |  | ||||||
|  |     // Set the working base to a branch that is not the pull request base | ||||||
|  |     await git.checkout(NOT_BASE_BRANCH) | ||||||
|  |  | ||||||
|  |     // Create tracked and untracked file changes | ||||||
|  |     const changes = await createChanges() | ||||||
|  |     const commitMessage = uuidv4() | ||||||
|  |     const result = await createOrUpdateBranch(git, commitMessage, BASE, BRANCH) | ||||||
|  |     expect(result.action).toEqual('created') | ||||||
|  |     expect(await getFileContent(TRACKED_FILE)).toEqual(changes.tracked) | ||||||
|  |     expect(await getFileContent(UNTRACKED_FILE)).toEqual(changes.untracked) | ||||||
|  |     expect( | ||||||
|  |       await gitLogMatches([commitMessage, INIT_COMMIT_MESSAGE]) | ||||||
|  |     ).toBeTruthy() | ||||||
|  |  | ||||||
|  |     // Push pull request branch to remote | ||||||
|  |     await git.push(['--force', 'origin', `HEAD:refs/heads/${BRANCH}`]) | ||||||
|  |  | ||||||
|  |     await afterTest(false) | ||||||
|  |     await beforeTest() | ||||||
|  |  | ||||||
|  |     // Set the working base to a branch that is not the pull request base | ||||||
|  |     await git.checkout(NOT_BASE_BRANCH) | ||||||
|  |  | ||||||
|  |     // Create identical tracked and untracked file changes | ||||||
|  |     await createChanges(changes.tracked, changes.untracked) | ||||||
|  |     const _commitMessage = uuidv4() | ||||||
|  |     const _result = await createOrUpdateBranch( | ||||||
|  |       git, | ||||||
|  |       _commitMessage, | ||||||
|  |       BASE, | ||||||
|  |       BRANCH | ||||||
|  |     ) | ||||||
|  |     expect(_result.action).toEqual('none') | ||||||
|  |     expect(await getFileContent(TRACKED_FILE)).toEqual(changes.tracked) | ||||||
|  |     expect(await getFileContent(UNTRACKED_FILE)).toEqual(changes.untracked) | ||||||
|  |     expect( | ||||||
|  |       await gitLogMatches([commitMessage, INIT_COMMIT_MESSAGE]) | ||||||
|  |     ).toBeTruthy() | ||||||
|  |   }) | ||||||
|  |  | ||||||
|  |   it('tests create and update with commits on the base inbetween (WBNB)', async () => { | ||||||
|  |     // Set the working base to a branch that is not the pull request base | ||||||
|  |     await git.checkout(NOT_BASE_BRANCH) | ||||||
|  |  | ||||||
|  |     // Create tracked and untracked file changes | ||||||
|  |     const changes = await createChanges() | ||||||
|  |     const commitMessage = uuidv4() | ||||||
|  |     const result = await createOrUpdateBranch(git, commitMessage, BASE, BRANCH) | ||||||
|  |     expect(result.action).toEqual('created') | ||||||
|  |     expect(await getFileContent(TRACKED_FILE)).toEqual(changes.tracked) | ||||||
|  |     expect(await getFileContent(UNTRACKED_FILE)).toEqual(changes.untracked) | ||||||
|  |     expect( | ||||||
|  |       await gitLogMatches([commitMessage, INIT_COMMIT_MESSAGE]) | ||||||
|  |     ).toBeTruthy() | ||||||
|  |  | ||||||
|  |     // Push pull request branch to remote | ||||||
|  |     await git.push(['--force', 'origin', `HEAD:refs/heads/${BRANCH}`]) | ||||||
|  |  | ||||||
|  |     await afterTest(false) | ||||||
|  |     await beforeTest() | ||||||
|  |  | ||||||
|  |     // Create commits on the base | ||||||
|  |     const commits = await createCommits(git) | ||||||
|  |     await git.push(['--force', 'origin', `HEAD:refs/heads/${DEFAULT_BRANCH}`]) | ||||||
|  |  | ||||||
|  |     // Set the working base to a branch that is not the pull request base | ||||||
|  |     await git.checkout(NOT_BASE_BRANCH) | ||||||
|  |  | ||||||
|  |     // Create tracked and untracked file changes | ||||||
|  |     const _changes = await createChanges() | ||||||
|  |     const _commitMessage = uuidv4() | ||||||
|  |     const _result = await createOrUpdateBranch( | ||||||
|  |       git, | ||||||
|  |       _commitMessage, | ||||||
|  |       BASE, | ||||||
|  |       BRANCH | ||||||
|  |     ) | ||||||
|  |     expect(_result.action).toEqual('updated') | ||||||
|  |     expect(_result.hasDiffWithBase).toBeTruthy() | ||||||
|  |     expect(await getFileContent(TRACKED_FILE)).toEqual(_changes.tracked) | ||||||
|  |     expect(await getFileContent(UNTRACKED_FILE)).toEqual(_changes.untracked) | ||||||
|  |     expect( | ||||||
|  |       await gitLogMatches([ | ||||||
|  |         _commitMessage, | ||||||
|  |         ...commits.commitMsgs, | ||||||
|  |         INIT_COMMIT_MESSAGE | ||||||
|  |       ]) | ||||||
|  |     ).toBeTruthy() | ||||||
|  |   }) | ||||||
|  |  | ||||||
|  |   it('tests create and then an update with no changes (WBNB)', async () => { | ||||||
|  |     // This effectively reverts the branch back to match the base and results in no diff | ||||||
|  |  | ||||||
|  |     // Save the default branch tracked content | ||||||
|  |     const defaultTrackedContent = await getFileContent(TRACKED_FILE) | ||||||
|  |  | ||||||
|  |     // Set the working base to a branch that is not the pull request base | ||||||
|  |     await git.checkout(NOT_BASE_BRANCH) | ||||||
|  |  | ||||||
|  |     // Create tracked and untracked file changes | ||||||
|  |     const changes = await createChanges() | ||||||
|  |     const commitMessage = uuidv4() | ||||||
|  |     const result = await createOrUpdateBranch(git, commitMessage, BASE, BRANCH) | ||||||
|  |     expect(result.action).toEqual('created') | ||||||
|  |     expect(await getFileContent(TRACKED_FILE)).toEqual(changes.tracked) | ||||||
|  |     expect(await getFileContent(UNTRACKED_FILE)).toEqual(changes.untracked) | ||||||
|  |     expect( | ||||||
|  |       await gitLogMatches([commitMessage, INIT_COMMIT_MESSAGE]) | ||||||
|  |     ).toBeTruthy() | ||||||
|  |  | ||||||
|  |     // Push pull request branch to remote | ||||||
|  |     await git.push(['--force', 'origin', `HEAD:refs/heads/${BRANCH}`]) | ||||||
|  |  | ||||||
|  |     await afterTest(false) | ||||||
|  |     await beforeTest() | ||||||
|  |  | ||||||
|  |     // Set the working base to a branch that is not the pull request base | ||||||
|  |     await git.checkout(NOT_BASE_BRANCH) | ||||||
|  |  | ||||||
|  |     // Running with no update effectively reverts the branch back to match the base | ||||||
|  |     const _commitMessage = uuidv4() | ||||||
|  |     const _result = await createOrUpdateBranch( | ||||||
|  |       git, | ||||||
|  |       _commitMessage, | ||||||
|  |       BASE, | ||||||
|  |       BRANCH | ||||||
|  |     ) | ||||||
|  |     expect(_result.action).toEqual('updated') | ||||||
|  |     expect(_result.hasDiffWithBase).toBeFalsy() | ||||||
|  |     expect(await getFileContent(TRACKED_FILE)).toEqual(defaultTrackedContent) | ||||||
|  |     expect(await gitLogMatches([INIT_COMMIT_MESSAGE])).toBeTruthy() | ||||||
|  |   }) | ||||||
|  |  | ||||||
|  |   it('tests create, commits on the base, and update with identical changes to the base (WBNB)', async () => { | ||||||
|  |     // The changes on base effectively revert the branch back to match the base and results in no diff | ||||||
|  |     // This scenario will cause cherrypick to fail due to an empty commit. | ||||||
|  |     // The commit is empty because the changes now exist on the base. | ||||||
|  |  | ||||||
|  |     // Set the working base to a branch that is not the pull request base | ||||||
|  |     await git.checkout(NOT_BASE_BRANCH) | ||||||
|  |  | ||||||
|  |     // Create tracked and untracked file changes | ||||||
|  |     const changes = await createChanges() | ||||||
|  |     const commitMessage = uuidv4() | ||||||
|  |     const result = await createOrUpdateBranch(git, commitMessage, BASE, BRANCH) | ||||||
|  |     expect(result.action).toEqual('created') | ||||||
|  |     expect(await getFileContent(TRACKED_FILE)).toEqual(changes.tracked) | ||||||
|  |     expect(await getFileContent(UNTRACKED_FILE)).toEqual(changes.untracked) | ||||||
|  |     expect( | ||||||
|  |       await gitLogMatches([commitMessage, INIT_COMMIT_MESSAGE]) | ||||||
|  |     ).toBeTruthy() | ||||||
|  |  | ||||||
|  |     // Push pull request branch to remote | ||||||
|  |     await git.push(['--force', 'origin', `HEAD:refs/heads/${BRANCH}`]) | ||||||
|  |  | ||||||
|  |     await afterTest(false) | ||||||
|  |     await beforeTest() | ||||||
|  |  | ||||||
|  |     // Create commits on the base | ||||||
|  |     const commits = await createCommits(git) | ||||||
|  |     await git.push(['--force', 'origin', `HEAD:refs/heads/${DEFAULT_BRANCH}`]) | ||||||
|  |  | ||||||
|  |     // Set the working base to a branch that is not the pull request base | ||||||
|  |     await git.checkout(NOT_BASE_BRANCH) | ||||||
|  |  | ||||||
|  |     // Create the same tracked and untracked file changes that were made to the base | ||||||
|  |     const _changes = await createChanges( | ||||||
|  |       commits.changes.tracked, | ||||||
|  |       commits.changes.untracked | ||||||
|  |     ) | ||||||
|  |     const _commitMessage = uuidv4() | ||||||
|  |     const _result = await createOrUpdateBranch( | ||||||
|  |       git, | ||||||
|  |       _commitMessage, | ||||||
|  |       BASE, | ||||||
|  |       BRANCH | ||||||
|  |     ) | ||||||
|  |     expect(_result.action).toEqual('updated') | ||||||
|  |     expect(_result.hasDiffWithBase).toBeFalsy() | ||||||
|  |     expect(await getFileContent(TRACKED_FILE)).toEqual(_changes.tracked) | ||||||
|  |     expect(await getFileContent(UNTRACKED_FILE)).toEqual(_changes.untracked) | ||||||
|  |     expect( | ||||||
|  |       await gitLogMatches([...commits.commitMsgs, INIT_COMMIT_MESSAGE]) | ||||||
|  |     ).toBeTruthy() | ||||||
|  |   }) | ||||||
|  |  | ||||||
|  |   it('tests create and update with commits on the working base (during the workflow) (WBNB)', async () => { | ||||||
|  |     // Set the working base to a branch that is not the pull request base | ||||||
|  |     await git.checkout(NOT_BASE_BRANCH) | ||||||
|  |  | ||||||
|  |     // Create commits on the working base | ||||||
|  |     const commits = await createCommits(git) | ||||||
|  |     const commitMessage = uuidv4() | ||||||
|  |     const result = await createOrUpdateBranch(git, commitMessage, BASE, BRANCH) | ||||||
|  |     expect(result.action).toEqual('created') | ||||||
|  |     expect(await getFileContent(TRACKED_FILE)).toEqual(commits.changes.tracked) | ||||||
|  |     expect(await getFileContent(UNTRACKED_FILE)).toEqual( | ||||||
|  |       commits.changes.untracked | ||||||
|  |     ) | ||||||
|  |     expect( | ||||||
|  |       await gitLogMatches([...commits.commitMsgs, INIT_COMMIT_MESSAGE]) | ||||||
|  |     ).toBeTruthy() | ||||||
|  |  | ||||||
|  |     // Push pull request branch to remote | ||||||
|  |     await git.push(['--force', 'origin', `HEAD:refs/heads/${BRANCH}`]) | ||||||
|  |  | ||||||
|  |     await afterTest(false) | ||||||
|  |     await beforeTest() | ||||||
|  |  | ||||||
|  |     // Set the working base to a branch that is not the pull request base | ||||||
|  |     await git.checkout(NOT_BASE_BRANCH) | ||||||
|  |  | ||||||
|  |     // Create commits on the working base | ||||||
|  |     const _commits = await createCommits(git) | ||||||
|  |     const _commitMessage = uuidv4() | ||||||
|  |     const _result = await createOrUpdateBranch( | ||||||
|  |       git, | ||||||
|  |       _commitMessage, | ||||||
|  |       BASE, | ||||||
|  |       BRANCH | ||||||
|  |     ) | ||||||
|  |     expect(_result.action).toEqual('updated') | ||||||
|  |     expect(_result.hasDiffWithBase).toBeTruthy() | ||||||
|  |     expect(await getFileContent(TRACKED_FILE)).toEqual(_commits.changes.tracked) | ||||||
|  |     expect(await getFileContent(UNTRACKED_FILE)).toEqual( | ||||||
|  |       _commits.changes.untracked | ||||||
|  |     ) | ||||||
|  |     expect( | ||||||
|  |       await gitLogMatches([..._commits.commitMsgs, INIT_COMMIT_MESSAGE]) | ||||||
|  |     ).toBeTruthy() | ||||||
|  |   }) | ||||||
|  |  | ||||||
|  |   it('tests create and update with changes and commits on the working base (during the workflow) (WBNB)', async () => { | ||||||
|  |     // Set the working base to a branch that is not the pull request base | ||||||
|  |     await git.checkout(NOT_BASE_BRANCH) | ||||||
|  |  | ||||||
|  |     // Create commits on the working base | ||||||
|  |     const commits = await createCommits(git) | ||||||
|  |     // Create tracked and untracked file changes | ||||||
|  |     const changes = await createChanges() | ||||||
|  |     const commitMessage = uuidv4() | ||||||
|  |     const result = await createOrUpdateBranch(git, commitMessage, BASE, BRANCH) | ||||||
|  |     expect(result.action).toEqual('created') | ||||||
|  |     expect(await getFileContent(TRACKED_FILE)).toEqual(changes.tracked) | ||||||
|  |     expect(await getFileContent(UNTRACKED_FILE)).toEqual(changes.untracked) | ||||||
|  |     expect( | ||||||
|  |       await gitLogMatches([ | ||||||
|  |         commitMessage, | ||||||
|  |         ...commits.commitMsgs, | ||||||
|  |         INIT_COMMIT_MESSAGE | ||||||
|  |       ]) | ||||||
|  |     ).toBeTruthy() | ||||||
|  |  | ||||||
|  |     // Push pull request branch to remote | ||||||
|  |     await git.push(['--force', 'origin', `HEAD:refs/heads/${BRANCH}`]) | ||||||
|  |  | ||||||
|  |     await afterTest(false) | ||||||
|  |     await beforeTest() | ||||||
|  |  | ||||||
|  |     // Set the working base to a branch that is not the pull request base | ||||||
|  |     await git.checkout(NOT_BASE_BRANCH) | ||||||
|  |  | ||||||
|  |     // Create commits on the working base | ||||||
|  |     const _commits = await createCommits(git) | ||||||
|  |     // Create tracked and untracked file changes | ||||||
|  |     const _changes = await createChanges() | ||||||
|  |     const _commitMessage = uuidv4() | ||||||
|  |     const _result = await createOrUpdateBranch( | ||||||
|  |       git, | ||||||
|  |       _commitMessage, | ||||||
|  |       BASE, | ||||||
|  |       BRANCH | ||||||
|  |     ) | ||||||
|  |     expect(_result.action).toEqual('updated') | ||||||
|  |     expect(_result.hasDiffWithBase).toBeTruthy() | ||||||
|  |     expect(await getFileContent(TRACKED_FILE)).toEqual(_changes.tracked) | ||||||
|  |     expect(await getFileContent(UNTRACKED_FILE)).toEqual(_changes.untracked) | ||||||
|  |     expect( | ||||||
|  |       await gitLogMatches([ | ||||||
|  |         _commitMessage, | ||||||
|  |         ..._commits.commitMsgs, | ||||||
|  |         INIT_COMMIT_MESSAGE | ||||||
|  |       ]) | ||||||
|  |     ).toBeTruthy() | ||||||
|  |   }) | ||||||
|  |  | ||||||
|  |   it('tests create and update with changes and commits on the working base (during the workflow), and commits on the base inbetween (WBNB)', async () => { | ||||||
|  |     // Set the working base to a branch that is not the pull request base | ||||||
|  |     await git.checkout(NOT_BASE_BRANCH) | ||||||
|  |  | ||||||
|  |     // Create commits on the working base | ||||||
|  |     const commits = await createCommits(git) | ||||||
|  |     // Create tracked and untracked file changes | ||||||
|  |     const changes = await createChanges() | ||||||
|  |     const commitMessage = uuidv4() | ||||||
|  |     const result = await createOrUpdateBranch(git, commitMessage, BASE, BRANCH) | ||||||
|  |     expect(result.action).toEqual('created') | ||||||
|  |     expect(await getFileContent(TRACKED_FILE)).toEqual(changes.tracked) | ||||||
|  |     expect(await getFileContent(UNTRACKED_FILE)).toEqual(changes.untracked) | ||||||
|  |     expect( | ||||||
|  |       await gitLogMatches([ | ||||||
|  |         commitMessage, | ||||||
|  |         ...commits.commitMsgs, | ||||||
|  |         INIT_COMMIT_MESSAGE | ||||||
|  |       ]) | ||||||
|  |     ).toBeTruthy() | ||||||
|  |  | ||||||
|  |     // Push pull request branch to remote | ||||||
|  |     await git.push(['--force', 'origin', `HEAD:refs/heads/${BRANCH}`]) | ||||||
|  |  | ||||||
|  |     await afterTest(false) | ||||||
|  |     await beforeTest() | ||||||
|  |  | ||||||
|  |     // Create commits on the base | ||||||
|  |     const commitsOnBase = await createCommits(git) | ||||||
|  |     await git.push(['--force', 'origin', `HEAD:refs/heads/${DEFAULT_BRANCH}`]) | ||||||
|  |  | ||||||
|  |     // Set the working base to a branch that is not the pull request base | ||||||
|  |     await git.checkout(NOT_BASE_BRANCH) | ||||||
|  |  | ||||||
|  |     // Create commits on the working base | ||||||
|  |     const _commits = await createCommits(git) | ||||||
|  |     // Create tracked and untracked file changes | ||||||
|  |     const _changes = await createChanges() | ||||||
|  |     const _commitMessage = uuidv4() | ||||||
|  |     const _result = await createOrUpdateBranch( | ||||||
|  |       git, | ||||||
|  |       _commitMessage, | ||||||
|  |       BASE, | ||||||
|  |       BRANCH | ||||||
|  |     ) | ||||||
|  |     expect(_result.action).toEqual('updated') | ||||||
|  |     expect(_result.hasDiffWithBase).toBeTruthy() | ||||||
|  |     expect(await getFileContent(TRACKED_FILE)).toEqual(_changes.tracked) | ||||||
|  |     expect(await getFileContent(UNTRACKED_FILE)).toEqual(_changes.untracked) | ||||||
|  |     expect( | ||||||
|  |       await gitLogMatches([ | ||||||
|  |         _commitMessage, | ||||||
|  |         ..._commits.commitMsgs, | ||||||
|  |         ...commitsOnBase.commitMsgs, | ||||||
|  |         INIT_COMMIT_MESSAGE | ||||||
|  |       ]) | ||||||
|  |     ).toBeTruthy() | ||||||
|  |   }) | ||||||
|  | }) | ||||||
| @@ -21,9 +21,14 @@ echo "#test-repo" > README.md | |||||||
| git add . | git add . | ||||||
| git commit -m "initial commit" | git commit -m "initial commit" | ||||||
| git push -u | git push -u | ||||||
|  | git config --global --unset user.email | ||||||
|  | git config --global --unset user.name | ||||||
|  |  | ||||||
|  | # Display config | ||||||
|  | git config -l | ||||||
|  |  | ||||||
| # Restore the working directory | # Restore the working directory | ||||||
| cd $WORKINGDIR | cd $WORKINGDIR | ||||||
|  |  | ||||||
| # Execute integration tests | # Execute integration tests | ||||||
| jest int | jest int --runInBand | ||||||
|   | |||||||
							
								
								
									
										117
									
								
								__test__/git-config-helper.int.test.ts
									
									
									
									
									
										Normal file
									
								
							
							
						
						
									
										117
									
								
								__test__/git-config-helper.int.test.ts
									
									
									
									
									
										Normal file
									
								
							| @@ -0,0 +1,117 @@ | |||||||
|  | import {GitCommandManager} from '../lib/git-command-manager' | ||||||
|  | import {GitConfigHelper} from '../lib/git-config-helper' | ||||||
|  |  | ||||||
|  | const REPO_PATH = '/git/test-repo' | ||||||
|  |  | ||||||
|  | describe('git-config-helper tests', () => { | ||||||
|  |   let gitConfigHelper: GitConfigHelper | ||||||
|  |  | ||||||
|  |   beforeAll(async () => { | ||||||
|  |     const git = await GitCommandManager.create(REPO_PATH) | ||||||
|  |     gitConfigHelper = new GitConfigHelper(git) | ||||||
|  |   }) | ||||||
|  |  | ||||||
|  |   it('adds and unsets a config option', async () => { | ||||||
|  |     const add = await gitConfigHelper.addConfigOption( | ||||||
|  |       'test.add.and.unset.config.option', | ||||||
|  |       'foo' | ||||||
|  |     ) | ||||||
|  |     expect(add).toBeTruthy() | ||||||
|  |     const unset = await gitConfigHelper.unsetConfigOption( | ||||||
|  |       'test.add.and.unset.config.option' | ||||||
|  |     ) | ||||||
|  |     expect(unset).toBeTruthy() | ||||||
|  |   }) | ||||||
|  |  | ||||||
|  |   it('adds and unsets a config option with value regex', async () => { | ||||||
|  |     const add = await gitConfigHelper.addConfigOption( | ||||||
|  |       'test.add.and.unset.config.option', | ||||||
|  |       'foo bar' | ||||||
|  |     ) | ||||||
|  |     expect(add).toBeTruthy() | ||||||
|  |     const unset = await gitConfigHelper.unsetConfigOption( | ||||||
|  |       'test.add.and.unset.config.option', | ||||||
|  |       '^foo' | ||||||
|  |     ) | ||||||
|  |     expect(unset).toBeTruthy() | ||||||
|  |   }) | ||||||
|  |  | ||||||
|  |   it('determines that a config option exists', async () => { | ||||||
|  |     const result = await gitConfigHelper.configOptionExists('remote.origin.url') | ||||||
|  |     expect(result).toBeTruthy() | ||||||
|  |   }) | ||||||
|  |  | ||||||
|  |   it('determines that a config option does not exist', async () => { | ||||||
|  |     const result = await gitConfigHelper.configOptionExists( | ||||||
|  |       'this.key.does.not.exist' | ||||||
|  |     ) | ||||||
|  |     expect(result).toBeFalsy() | ||||||
|  |   }) | ||||||
|  |  | ||||||
|  |   it('successfully retrieves a config option', async () => { | ||||||
|  |     const add = await gitConfigHelper.addConfigOption( | ||||||
|  |       'test.get.config.option', | ||||||
|  |       'foo' | ||||||
|  |     ) | ||||||
|  |     expect(add).toBeTruthy() | ||||||
|  |     const option = await gitConfigHelper.getConfigOption( | ||||||
|  |       'test.get.config.option' | ||||||
|  |     ) | ||||||
|  |     expect(option.value).toEqual('foo') | ||||||
|  |     const unset = await gitConfigHelper.unsetConfigOption( | ||||||
|  |       'test.get.config.option' | ||||||
|  |     ) | ||||||
|  |     expect(unset).toBeTruthy() | ||||||
|  |   }) | ||||||
|  |  | ||||||
|  |   it('gets a config option with value regex', async () => { | ||||||
|  |     const add = await gitConfigHelper.addConfigOption( | ||||||
|  |       'test.get.config.option', | ||||||
|  |       'foo bar' | ||||||
|  |     ) | ||||||
|  |     expect(add).toBeTruthy() | ||||||
|  |     const option = await gitConfigHelper.getConfigOption( | ||||||
|  |       'test.get.config.option', | ||||||
|  |       '^foo' | ||||||
|  |     ) | ||||||
|  |     expect(option.value).toEqual('foo bar') | ||||||
|  |     const unset = await gitConfigHelper.unsetConfigOption( | ||||||
|  |       'test.get.config.option', | ||||||
|  |       '^foo' | ||||||
|  |     ) | ||||||
|  |     expect(unset).toBeTruthy() | ||||||
|  |   }) | ||||||
|  |  | ||||||
|  |   it('gets and unsets a config option', async () => { | ||||||
|  |     const add = await gitConfigHelper.addConfigOption( | ||||||
|  |       'test.get.and.unset.config.option', | ||||||
|  |       'foo' | ||||||
|  |     ) | ||||||
|  |     expect(add).toBeTruthy() | ||||||
|  |     const getAndUnset = await gitConfigHelper.getAndUnsetConfigOption( | ||||||
|  |       'test.get.and.unset.config.option' | ||||||
|  |     ) | ||||||
|  |     expect(getAndUnset.value).toEqual('foo') | ||||||
|  |   }) | ||||||
|  |  | ||||||
|  |   it('gets and unsets a config option with value regex', async () => { | ||||||
|  |     const add = await gitConfigHelper.addConfigOption( | ||||||
|  |       'test.get.and.unset.config.option', | ||||||
|  |       'foo bar' | ||||||
|  |     ) | ||||||
|  |     expect(add).toBeTruthy() | ||||||
|  |     const getAndUnset = await gitConfigHelper.getAndUnsetConfigOption( | ||||||
|  |       'test.get.and.unset.config.option', | ||||||
|  |       '^foo' | ||||||
|  |     ) | ||||||
|  |     expect(getAndUnset.value).toEqual('foo bar') | ||||||
|  |   }) | ||||||
|  |  | ||||||
|  |   it('fails to get and unset a config option', async () => { | ||||||
|  |     const getAndUnset = await gitConfigHelper.getAndUnsetConfigOption( | ||||||
|  |       'this.key.does.not.exist' | ||||||
|  |     ) | ||||||
|  |     expect(getAndUnset.name).toEqual('') | ||||||
|  |     expect(getAndUnset.value).toEqual('') | ||||||
|  |   }) | ||||||
|  | }) | ||||||
| @@ -1,153 +0,0 @@ | |||||||
| import { |  | ||||||
|   getRepoPath, |  | ||||||
|   execGit, |  | ||||||
|   addConfigOption, |  | ||||||
|   unsetConfigOption, |  | ||||||
|   configOptionExists, |  | ||||||
|   getConfigOption, |  | ||||||
|   getAndUnsetConfigOption |  | ||||||
| } from '../lib/git' |  | ||||||
|  |  | ||||||
| const originalGitHubWorkspace = process.env['GITHUB_WORKSPACE'] |  | ||||||
|  |  | ||||||
| describe('git tests', () => { |  | ||||||
|   beforeAll(() => { |  | ||||||
|     // GitHub workspace |  | ||||||
|     process.env['GITHUB_WORKSPACE'] = '/git/test-repo' |  | ||||||
|   }) |  | ||||||
|  |  | ||||||
|   afterAll(() => { |  | ||||||
|     // Restore GitHub workspace |  | ||||||
|     delete process.env['GITHUB_WORKSPACE'] |  | ||||||
|     if (originalGitHubWorkspace) { |  | ||||||
|       process.env['GITHUB_WORKSPACE'] = originalGitHubWorkspace |  | ||||||
|     } |  | ||||||
|   }) |  | ||||||
|  |  | ||||||
|   it('successfully executes a git command', async () => { |  | ||||||
|     const repoPath = getRepoPath() |  | ||||||
|     const result = await execGit( |  | ||||||
|       repoPath, |  | ||||||
|       ['config', '--local', '--name-only', '--get-regexp', 'remote.origin.url'], |  | ||||||
|       true |  | ||||||
|     ) |  | ||||||
|     expect(result.exitCode).toEqual(0) |  | ||||||
|     expect(result.stdout.trim()).toEqual('remote.origin.url') |  | ||||||
|   }) |  | ||||||
|  |  | ||||||
|   it('adds and unsets a config option', async () => { |  | ||||||
|     const repoPath = getRepoPath() |  | ||||||
|     const add = await addConfigOption( |  | ||||||
|       repoPath, |  | ||||||
|       'test.add.and.unset.config.option', |  | ||||||
|       'foo' |  | ||||||
|     ) |  | ||||||
|     expect(add).toBeTruthy() |  | ||||||
|     const unset = await unsetConfigOption( |  | ||||||
|       repoPath, |  | ||||||
|       'test.add.and.unset.config.option' |  | ||||||
|     ) |  | ||||||
|     expect(unset).toBeTruthy() |  | ||||||
|   }) |  | ||||||
|  |  | ||||||
|   it('adds and unsets a config option with value regex', async () => { |  | ||||||
|     const repoPath = getRepoPath() |  | ||||||
|     const add = await addConfigOption( |  | ||||||
|       repoPath, |  | ||||||
|       'test.add.and.unset.config.option', |  | ||||||
|       'foo bar' |  | ||||||
|     ) |  | ||||||
|     expect(add).toBeTruthy() |  | ||||||
|     const unset = await unsetConfigOption( |  | ||||||
|       repoPath, |  | ||||||
|       'test.add.and.unset.config.option', |  | ||||||
|       '^foo' |  | ||||||
|     ) |  | ||||||
|     expect(unset).toBeTruthy() |  | ||||||
|   }) |  | ||||||
|  |  | ||||||
|   it('determines that a config option exists', async () => { |  | ||||||
|     const repoPath = getRepoPath() |  | ||||||
|     const result = await configOptionExists(repoPath, 'remote.origin.url') |  | ||||||
|     expect(result).toBeTruthy() |  | ||||||
|   }) |  | ||||||
|  |  | ||||||
|   it('determines that a config option does not exist', async () => { |  | ||||||
|     const repoPath = getRepoPath() |  | ||||||
|     const result = await configOptionExists(repoPath, 'this.key.does.not.exist') |  | ||||||
|     expect(result).toBeFalsy() |  | ||||||
|   }) |  | ||||||
|  |  | ||||||
|   it('successfully retrieves a config option', async () => { |  | ||||||
|     const repoPath = getRepoPath() |  | ||||||
|     const add = await addConfigOption(repoPath, 'test.get.config.option', 'foo') |  | ||||||
|     expect(add).toBeTruthy() |  | ||||||
|     const option = await getConfigOption(repoPath, 'test.get.config.option') |  | ||||||
|     expect(option.value).toEqual('foo') |  | ||||||
|     const unset = await unsetConfigOption(repoPath, 'test.get.config.option') |  | ||||||
|     expect(unset).toBeTruthy() |  | ||||||
|   }) |  | ||||||
|  |  | ||||||
|   it('gets a config option with value regex', async () => { |  | ||||||
|     const repoPath = getRepoPath() |  | ||||||
|     const add = await addConfigOption( |  | ||||||
|       repoPath, |  | ||||||
|       'test.get.config.option', |  | ||||||
|       'foo bar' |  | ||||||
|     ) |  | ||||||
|     expect(add).toBeTruthy() |  | ||||||
|     const option = await getConfigOption( |  | ||||||
|       repoPath, |  | ||||||
|       'test.get.config.option', |  | ||||||
|       '^foo' |  | ||||||
|     ) |  | ||||||
|     expect(option.value).toEqual('foo bar') |  | ||||||
|     const unset = await unsetConfigOption( |  | ||||||
|       repoPath, |  | ||||||
|       'test.get.config.option', |  | ||||||
|       '^foo' |  | ||||||
|     ) |  | ||||||
|     expect(unset).toBeTruthy() |  | ||||||
|   }) |  | ||||||
|  |  | ||||||
|   it('gets and unsets a config option', async () => { |  | ||||||
|     const repoPath = getRepoPath() |  | ||||||
|     const add = await addConfigOption( |  | ||||||
|       repoPath, |  | ||||||
|       'test.get.and.unset.config.option', |  | ||||||
|       'foo' |  | ||||||
|     ) |  | ||||||
|     expect(add).toBeTruthy() |  | ||||||
|     const getAndUnset = await getAndUnsetConfigOption( |  | ||||||
|       repoPath, |  | ||||||
|       'test.get.and.unset.config.option' |  | ||||||
|     ) |  | ||||||
|     expect(getAndUnset.value).toEqual('foo') |  | ||||||
|   }) |  | ||||||
|  |  | ||||||
|   it('gets and unsets a config option with value regex', async () => { |  | ||||||
|     const repoPath = getRepoPath() |  | ||||||
|     const add = await addConfigOption( |  | ||||||
|       repoPath, |  | ||||||
|       'test.get.and.unset.config.option', |  | ||||||
|       'foo bar' |  | ||||||
|     ) |  | ||||||
|     expect(add).toBeTruthy() |  | ||||||
|     const getAndUnset = await getAndUnsetConfigOption( |  | ||||||
|       repoPath, |  | ||||||
|       'test.get.and.unset.config.option', |  | ||||||
|       '^foo' |  | ||||||
|     ) |  | ||||||
|     expect(getAndUnset.value).toEqual('foo bar') |  | ||||||
|   }) |  | ||||||
|  |  | ||||||
|   it('fails to get and unset a config option', async () => { |  | ||||||
|     const repoPath = getRepoPath() |  | ||||||
|     const getAndUnset = await getAndUnsetConfigOption( |  | ||||||
|       repoPath, |  | ||||||
|       'this.key.does.not.exist' |  | ||||||
|     ) |  | ||||||
|     expect(getAndUnset.name).toEqual('') |  | ||||||
|     expect(getAndUnset.value).toEqual('') |  | ||||||
|   }) |  | ||||||
| }) |  | ||||||
| @@ -1,26 +0,0 @@ | |||||||
| import * as path from 'path' |  | ||||||
| import {getRepoPath} from '../lib/git' |  | ||||||
|  |  | ||||||
| const originalGitHubWorkspace = process.env['GITHUB_WORKSPACE'] |  | ||||||
|  |  | ||||||
| describe('git tests', () => { |  | ||||||
|   beforeAll(() => { |  | ||||||
|     // GitHub workspace |  | ||||||
|     process.env['GITHUB_WORKSPACE'] = __dirname |  | ||||||
|   }) |  | ||||||
|  |  | ||||||
|   afterAll(() => { |  | ||||||
|     // Restore GitHub workspace |  | ||||||
|     delete process.env['GITHUB_WORKSPACE'] |  | ||||||
|     if (originalGitHubWorkspace) { |  | ||||||
|       process.env['GITHUB_WORKSPACE'] = originalGitHubWorkspace |  | ||||||
|     } |  | ||||||
|   }) |  | ||||||
|  |  | ||||||
|   test('getRepoPath', async () => { |  | ||||||
|     expect(getRepoPath()).toEqual(process.env['GITHUB_WORKSPACE']) |  | ||||||
|     expect(getRepoPath('foo')).toEqual( |  | ||||||
|       path.resolve(process.env['GITHUB_WORKSPACE'] || '', 'foo') |  | ||||||
|     ) |  | ||||||
|   }) |  | ||||||
| }) |  | ||||||
							
								
								
									
										116
									
								
								__test__/utils.unit.test.ts
									
									
									
									
									
										Normal file
									
								
							
							
						
						
									
										116
									
								
								__test__/utils.unit.test.ts
									
									
									
									
									
										Normal file
									
								
							| @@ -0,0 +1,116 @@ | |||||||
|  | import * as path from 'path' | ||||||
|  | import * as utils from '../lib/utils' | ||||||
|  |  | ||||||
|  | const originalGitHubWorkspace = process.env['GITHUB_WORKSPACE'] | ||||||
|  |  | ||||||
|  | describe('utils tests', () => { | ||||||
|  |   beforeAll(() => { | ||||||
|  |     // GitHub workspace | ||||||
|  |     process.env['GITHUB_WORKSPACE'] = __dirname | ||||||
|  |   }) | ||||||
|  |  | ||||||
|  |   afterAll(() => { | ||||||
|  |     // Restore GitHub workspace | ||||||
|  |     delete process.env['GITHUB_WORKSPACE'] | ||||||
|  |     if (originalGitHubWorkspace) { | ||||||
|  |       process.env['GITHUB_WORKSPACE'] = originalGitHubWorkspace | ||||||
|  |     } | ||||||
|  |   }) | ||||||
|  |  | ||||||
|  |   test('getStringAsArray splits string input by newlines and commas', async () => { | ||||||
|  |     const array = utils.getStringAsArray('1, 2, 3\n4, 5, 6') | ||||||
|  |     expect(array.length).toEqual(6) | ||||||
|  |  | ||||||
|  |     const array2 = utils.getStringAsArray('') | ||||||
|  |     expect(array2.length).toEqual(0) | ||||||
|  |   }) | ||||||
|  |  | ||||||
|  |   test('getRepoPath successfully returns the path to the repository', async () => { | ||||||
|  |     expect(utils.getRepoPath()).toEqual(process.env['GITHUB_WORKSPACE']) | ||||||
|  |     expect(utils.getRepoPath('foo')).toEqual( | ||||||
|  |       path.resolve(process.env['GITHUB_WORKSPACE'] || '', 'foo') | ||||||
|  |     ) | ||||||
|  |   }) | ||||||
|  |  | ||||||
|  |   test('getRemoteDetail successfully parses remote URLs', async () => { | ||||||
|  |     const remote1 = utils.getRemoteDetail( | ||||||
|  |       'https://github.com/peter-evans/create-pull-request' | ||||||
|  |     ) | ||||||
|  |     expect(remote1.protocol).toEqual('HTTPS') | ||||||
|  |     expect(remote1.repository).toEqual('peter-evans/create-pull-request') | ||||||
|  |  | ||||||
|  |     const remote2 = utils.getRemoteDetail( | ||||||
|  |       'https://xxx:x-oauth-basic@github.com/peter-evans/create-pull-request' | ||||||
|  |     ) | ||||||
|  |     expect(remote2.protocol).toEqual('HTTPS') | ||||||
|  |     expect(remote2.repository).toEqual('peter-evans/create-pull-request') | ||||||
|  |  | ||||||
|  |     const remote3 = utils.getRemoteDetail( | ||||||
|  |       'git@github.com:peter-evans/create-pull-request.git' | ||||||
|  |     ) | ||||||
|  |     expect(remote3.protocol).toEqual('SSH') | ||||||
|  |     expect(remote3.repository).toEqual('peter-evans/create-pull-request') | ||||||
|  |   }) | ||||||
|  |  | ||||||
|  |   test('getRemoteDetail fails to parse a remote URL', async () => { | ||||||
|  |     const remoteUrl = 'https://github.com/peter-evans' | ||||||
|  |     try { | ||||||
|  |       utils.getRemoteDetail(remoteUrl) | ||||||
|  |       // Fail the test if an error wasn't thrown | ||||||
|  |       expect(true).toEqual(false) | ||||||
|  |     } catch (e) { | ||||||
|  |       expect(e.message).toEqual( | ||||||
|  |         `The format of '${remoteUrl}' is not a valid GitHub repository URL` | ||||||
|  |       ) | ||||||
|  |     } | ||||||
|  |   }) | ||||||
|  |  | ||||||
|  |   test('secondsSinceEpoch returns the number of seconds since the Epoch', async () => { | ||||||
|  |     const seconds = `${utils.secondsSinceEpoch()}` | ||||||
|  |     expect(seconds.length).toEqual(10) | ||||||
|  |   }) | ||||||
|  |  | ||||||
|  |   test('randomString returns strings of length 7', async () => { | ||||||
|  |     for (let i = 0; i < 1000; i++) { | ||||||
|  |       expect(utils.randomString().length).toEqual(7) | ||||||
|  |     } | ||||||
|  |   }) | ||||||
|  |  | ||||||
|  |   test('parseDisplayNameEmail successfully parses display name email formats', async () => { | ||||||
|  |     const parsed1 = utils.parseDisplayNameEmail('abc def <abc@def.com>') | ||||||
|  |     expect(parsed1.name).toEqual('abc def') | ||||||
|  |     expect(parsed1.email).toEqual('abc@def.com') | ||||||
|  |  | ||||||
|  |     const parsed2 = utils.parseDisplayNameEmail( | ||||||
|  |       'github-actions[bot] <41898282+github-actions[bot]@users.noreply.github.com>' | ||||||
|  |     ) | ||||||
|  |     expect(parsed2.name).toEqual('github-actions[bot]') | ||||||
|  |     expect(parsed2.email).toEqual( | ||||||
|  |       '41898282+github-actions[bot]@users.noreply.github.com' | ||||||
|  |     ) | ||||||
|  |   }) | ||||||
|  |  | ||||||
|  |   test('parseDisplayNameEmail fails to parse display name email formats', async () => { | ||||||
|  |     const displayNameEmail1 = 'abc@def.com' | ||||||
|  |     try { | ||||||
|  |       utils.parseDisplayNameEmail(displayNameEmail1) | ||||||
|  |       // Fail the test if an error wasn't thrown | ||||||
|  |       expect(true).toEqual(false) | ||||||
|  |     } catch (e) { | ||||||
|  |       expect(e.message).toEqual( | ||||||
|  |         `The format of '${displayNameEmail1}' is not a valid email address with display name` | ||||||
|  |       ) | ||||||
|  |     } | ||||||
|  |  | ||||||
|  |     const displayNameEmail2 = ' < >' | ||||||
|  |     try { | ||||||
|  |       utils.parseDisplayNameEmail(displayNameEmail2) | ||||||
|  |       // Fail the test if an error wasn't thrown | ||||||
|  |       expect(true).toEqual(false) | ||||||
|  |     } catch (e) { | ||||||
|  |       expect(e.message).toEqual( | ||||||
|  |         `The format of '${displayNameEmail2}' is not a valid email address with display name` | ||||||
|  |       ) | ||||||
|  |     } | ||||||
|  |   }) | ||||||
|  | }) | ||||||
							
								
								
									
										14090
									
								
								dist/index.js
									
									
									
									
										vendored
									
									
								
							
							
						
						
									
										14090
									
								
								dist/index.js
									
									
									
									
										vendored
									
									
								
							
										
											
												File diff suppressed because it is too large
												Load Diff
											
										
									
								
							
							
								
								
									
										212
									
								
								package-lock.json
									
									
									
										generated
									
									
									
								
							
							
						
						
									
										212
									
								
								package-lock.json
									
									
									
										generated
									
									
									
								
							| @@ -41,6 +41,13 @@ | |||||||
|         "@actions/io": "^1.0.1", |         "@actions/io": "^1.0.1", | ||||||
|         "semver": "^6.1.0", |         "semver": "^6.1.0", | ||||||
|         "uuid": "^3.3.2" |         "uuid": "^3.3.2" | ||||||
|  |       }, | ||||||
|  |       "dependencies": { | ||||||
|  |         "uuid": { | ||||||
|  |           "version": "3.4.0", | ||||||
|  |           "resolved": "https://registry.npmjs.org/uuid/-/uuid-3.4.0.tgz", | ||||||
|  |           "integrity": "sha512-HjSDRw6gZE5JMggctHBcjVak08+KEVhSIiDzFnT9S9aegmp85S/bReBVTb4QTFaRNptJ9kuYaNhnbNEOkbKb/A==" | ||||||
|  |         } | ||||||
|       } |       } | ||||||
|     }, |     }, | ||||||
|     "@babel/code-frame": { |     "@babel/code-frame": { | ||||||
| @@ -1071,6 +1078,111 @@ | |||||||
|         "fastq": "^1.6.0" |         "fastq": "^1.6.0" | ||||||
|       } |       } | ||||||
|     }, |     }, | ||||||
|  |     "@octokit/auth-token": { | ||||||
|  |       "version": "2.4.2", | ||||||
|  |       "resolved": "https://registry.npmjs.org/@octokit/auth-token/-/auth-token-2.4.2.tgz", | ||||||
|  |       "integrity": "sha512-jE/lE/IKIz2v1+/P0u4fJqv0kYwXOTujKemJMFr6FeopsxlIK3+wKDCJGnysg81XID5TgZQbIfuJ5J0lnTiuyQ==", | ||||||
|  |       "requires": { | ||||||
|  |         "@octokit/types": "^5.0.0" | ||||||
|  |       } | ||||||
|  |     }, | ||||||
|  |     "@octokit/core": { | ||||||
|  |       "version": "3.1.0", | ||||||
|  |       "resolved": "https://registry.npmjs.org/@octokit/core/-/core-3.1.0.tgz", | ||||||
|  |       "integrity": "sha512-yPyQSmxIXLieEIRikk2w8AEtWkFdfG/LXcw1KvEtK3iP0ENZLW/WYQmdzOKqfSaLhooz4CJ9D+WY79C8ZliACw==", | ||||||
|  |       "requires": { | ||||||
|  |         "@octokit/auth-token": "^2.4.0", | ||||||
|  |         "@octokit/graphql": "^4.3.1", | ||||||
|  |         "@octokit/request": "^5.4.0", | ||||||
|  |         "@octokit/types": "^5.0.0", | ||||||
|  |         "before-after-hook": "^2.1.0", | ||||||
|  |         "universal-user-agent": "^5.0.0" | ||||||
|  |       } | ||||||
|  |     }, | ||||||
|  |     "@octokit/endpoint": { | ||||||
|  |       "version": "6.0.3", | ||||||
|  |       "resolved": "https://registry.npmjs.org/@octokit/endpoint/-/endpoint-6.0.3.tgz", | ||||||
|  |       "integrity": "sha512-Y900+r0gIz+cWp6ytnkibbD95ucEzDSKzlEnaWS52hbCDNcCJYO5mRmWW7HRAnDc7am+N/5Lnd8MppSaTYx1Yg==", | ||||||
|  |       "requires": { | ||||||
|  |         "@octokit/types": "^5.0.0", | ||||||
|  |         "is-plain-object": "^3.0.0", | ||||||
|  |         "universal-user-agent": "^5.0.0" | ||||||
|  |       }, | ||||||
|  |       "dependencies": { | ||||||
|  |         "is-plain-object": { | ||||||
|  |           "version": "3.0.1", | ||||||
|  |           "resolved": "https://registry.npmjs.org/is-plain-object/-/is-plain-object-3.0.1.tgz", | ||||||
|  |           "integrity": "sha512-Xnpx182SBMrr/aBik8y+GuR4U1L9FqMSojwDQwPMmxyC6bvEqly9UBCxhauBF5vNh2gwWJNX6oDV7O+OM4z34g==" | ||||||
|  |         } | ||||||
|  |       } | ||||||
|  |     }, | ||||||
|  |     "@octokit/graphql": { | ||||||
|  |       "version": "4.5.1", | ||||||
|  |       "resolved": "https://registry.npmjs.org/@octokit/graphql/-/graphql-4.5.1.tgz", | ||||||
|  |       "integrity": "sha512-qgMsROG9K2KxDs12CO3bySJaYoUu2aic90qpFrv7A8sEBzZ7UFGvdgPKiLw5gOPYEYbS0Xf8Tvf84tJutHPulQ==", | ||||||
|  |       "requires": { | ||||||
|  |         "@octokit/request": "^5.3.0", | ||||||
|  |         "@octokit/types": "^5.0.0", | ||||||
|  |         "universal-user-agent": "^5.0.0" | ||||||
|  |       } | ||||||
|  |     }, | ||||||
|  |     "@octokit/plugin-paginate-rest": { | ||||||
|  |       "version": "2.2.3", | ||||||
|  |       "resolved": "https://registry.npmjs.org/@octokit/plugin-paginate-rest/-/plugin-paginate-rest-2.2.3.tgz", | ||||||
|  |       "integrity": "sha512-eKTs91wXnJH8Yicwa30jz6DF50kAh7vkcqCQ9D7/tvBAP5KKkg6I2nNof8Mp/65G0Arjsb4QcOJcIEQY+rK1Rg==", | ||||||
|  |       "requires": { | ||||||
|  |         "@octokit/types": "^5.0.0" | ||||||
|  |       } | ||||||
|  |     }, | ||||||
|  |     "@octokit/plugin-rest-endpoint-methods": { | ||||||
|  |       "version": "4.0.0", | ||||||
|  |       "resolved": "https://registry.npmjs.org/@octokit/plugin-rest-endpoint-methods/-/plugin-rest-endpoint-methods-4.0.0.tgz", | ||||||
|  |       "integrity": "sha512-emS6gysz4E9BNi9IrCl7Pm4kR+Az3MmVB0/DoDCmF4U48NbYG3weKyDlgkrz6Jbl4Mu4nDx8YWZwC4HjoTdcCA==", | ||||||
|  |       "requires": { | ||||||
|  |         "@octokit/types": "^5.0.0", | ||||||
|  |         "deprecation": "^2.3.1" | ||||||
|  |       } | ||||||
|  |     }, | ||||||
|  |     "@octokit/request": { | ||||||
|  |       "version": "5.4.5", | ||||||
|  |       "resolved": "https://registry.npmjs.org/@octokit/request/-/request-5.4.5.tgz", | ||||||
|  |       "integrity": "sha512-atAs5GAGbZedvJXXdjtKljin+e2SltEs48B3naJjqWupYl2IUBbB/CJisyjbNHcKpHzb3E+OYEZ46G8eakXgQg==", | ||||||
|  |       "requires": { | ||||||
|  |         "@octokit/endpoint": "^6.0.1", | ||||||
|  |         "@octokit/request-error": "^2.0.0", | ||||||
|  |         "@octokit/types": "^5.0.0", | ||||||
|  |         "deprecation": "^2.0.0", | ||||||
|  |         "is-plain-object": "^3.0.0", | ||||||
|  |         "node-fetch": "^2.3.0", | ||||||
|  |         "once": "^1.4.0", | ||||||
|  |         "universal-user-agent": "^5.0.0" | ||||||
|  |       }, | ||||||
|  |       "dependencies": { | ||||||
|  |         "is-plain-object": { | ||||||
|  |           "version": "3.0.1", | ||||||
|  |           "resolved": "https://registry.npmjs.org/is-plain-object/-/is-plain-object-3.0.1.tgz", | ||||||
|  |           "integrity": "sha512-Xnpx182SBMrr/aBik8y+GuR4U1L9FqMSojwDQwPMmxyC6bvEqly9UBCxhauBF5vNh2gwWJNX6oDV7O+OM4z34g==" | ||||||
|  |         } | ||||||
|  |       } | ||||||
|  |     }, | ||||||
|  |     "@octokit/request-error": { | ||||||
|  |       "version": "2.0.2", | ||||||
|  |       "resolved": "https://registry.npmjs.org/@octokit/request-error/-/request-error-2.0.2.tgz", | ||||||
|  |       "integrity": "sha512-2BrmnvVSV1MXQvEkrb9zwzP0wXFNbPJij922kYBTLIlIafukrGOb+ABBT2+c6wZiuyWDH1K1zmjGQ0toN/wMWw==", | ||||||
|  |       "requires": { | ||||||
|  |         "@octokit/types": "^5.0.1", | ||||||
|  |         "deprecation": "^2.0.0", | ||||||
|  |         "once": "^1.4.0" | ||||||
|  |       } | ||||||
|  |     }, | ||||||
|  |     "@octokit/types": { | ||||||
|  |       "version": "5.0.1", | ||||||
|  |       "resolved": "https://registry.npmjs.org/@octokit/types/-/types-5.0.1.tgz", | ||||||
|  |       "integrity": "sha512-GorvORVwp244fGKEt3cgt/P+M0MGy4xEDbckw+K5ojEezxyMDgCaYPKVct+/eWQfZXOT7uq0xRpmrl/+hliabA==", | ||||||
|  |       "requires": { | ||||||
|  |         "@types/node": ">= 8" | ||||||
|  |       } | ||||||
|  |     }, | ||||||
|     "@sinonjs/commons": { |     "@sinonjs/commons": { | ||||||
|       "version": "1.8.0", |       "version": "1.8.0", | ||||||
|       "resolved": "https://registry.npmjs.org/@sinonjs/commons/-/commons-1.8.0.tgz", |       "resolved": "https://registry.npmjs.org/@sinonjs/commons/-/commons-1.8.0.tgz", | ||||||
| @@ -1195,8 +1307,7 @@ | |||||||
|     "@types/node": { |     "@types/node": { | ||||||
|       "version": "14.0.1", |       "version": "14.0.1", | ||||||
|       "resolved": "https://registry.npmjs.org/@types/node/-/node-14.0.1.tgz", |       "resolved": "https://registry.npmjs.org/@types/node/-/node-14.0.1.tgz", | ||||||
|       "integrity": "sha512-FAYBGwC+W6F9+huFIDtn43cpy7+SzG+atzRiTfdp3inUKL2hXnd4rG8hylJLIh4+hqrQy1P17kvJByE/z825hA==", |       "integrity": "sha512-FAYBGwC+W6F9+huFIDtn43cpy7+SzG+atzRiTfdp3inUKL2hXnd4rG8hylJLIh4+hqrQy1P17kvJByE/z825hA==" | ||||||
|       "dev": true |  | ||||||
|     }, |     }, | ||||||
|     "@types/normalize-package-data": { |     "@types/normalize-package-data": { | ||||||
|       "version": "2.4.0", |       "version": "2.4.0", | ||||||
| @@ -1810,6 +1921,11 @@ | |||||||
|         "tweetnacl": "^0.14.3" |         "tweetnacl": "^0.14.3" | ||||||
|       } |       } | ||||||
|     }, |     }, | ||||||
|  |     "before-after-hook": { | ||||||
|  |       "version": "2.1.0", | ||||||
|  |       "resolved": "https://registry.npmjs.org/before-after-hook/-/before-after-hook-2.1.0.tgz", | ||||||
|  |       "integrity": "sha512-IWIbu7pMqyw3EAJHzzHbWa85b6oud/yfKYg5rqB5hNE8CeMi3nX+2C2sj0HswfblST86hpVEOAb9x34NZd6P7A==" | ||||||
|  |     }, | ||||||
|     "brace-expansion": { |     "brace-expansion": { | ||||||
|       "version": "1.1.11", |       "version": "1.1.11", | ||||||
|       "resolved": "https://registry.npmjs.org/brace-expansion/-/brace-expansion-1.1.11.tgz", |       "resolved": "https://registry.npmjs.org/brace-expansion/-/brace-expansion-1.1.11.tgz", | ||||||
| @@ -2289,6 +2405,11 @@ | |||||||
|       "integrity": "sha1-AJZjF7ehL+kvPMgx91g68ym4bDc=", |       "integrity": "sha1-AJZjF7ehL+kvPMgx91g68ym4bDc=", | ||||||
|       "dev": true |       "dev": true | ||||||
|     }, |     }, | ||||||
|  |     "deprecation": { | ||||||
|  |       "version": "2.3.1", | ||||||
|  |       "resolved": "https://registry.npmjs.org/deprecation/-/deprecation-2.3.1.tgz", | ||||||
|  |       "integrity": "sha512-xmHIy4F3scKVwMsQ4WnVaS8bHOx0DmVwRywosKhaILI0ywMDWPtBSku2HNxRvF7jtwDRsoEwYQSfbxj8b7RlJQ==" | ||||||
|  |     }, | ||||||
|     "detect-newline": { |     "detect-newline": { | ||||||
|       "version": "3.1.0", |       "version": "3.1.0", | ||||||
|       "resolved": "https://registry.npmjs.org/detect-newline/-/detect-newline-3.1.0.tgz", |       "resolved": "https://registry.npmjs.org/detect-newline/-/detect-newline-3.1.0.tgz", | ||||||
| @@ -2356,7 +2477,6 @@ | |||||||
|       "version": "1.4.4", |       "version": "1.4.4", | ||||||
|       "resolved": "https://registry.npmjs.org/end-of-stream/-/end-of-stream-1.4.4.tgz", |       "resolved": "https://registry.npmjs.org/end-of-stream/-/end-of-stream-1.4.4.tgz", | ||||||
|       "integrity": "sha512-+uw1inIHVPQoaVuHzRyXd21icM+cnt4CzD5rW+NC1wjOUSTOs+Te7FOv7AhN7vS9x/oIyhLP5PR1H+phQAHu5Q==", |       "integrity": "sha512-+uw1inIHVPQoaVuHzRyXd21icM+cnt4CzD5rW+NC1wjOUSTOs+Te7FOv7AhN7vS9x/oIyhLP5PR1H+phQAHu5Q==", | ||||||
|       "dev": true, |  | ||||||
|       "requires": { |       "requires": { | ||||||
|         "once": "^1.4.0" |         "once": "^1.4.0" | ||||||
|       } |       } | ||||||
| @@ -2909,7 +3029,6 @@ | |||||||
|       "version": "1.0.0", |       "version": "1.0.0", | ||||||
|       "resolved": "https://registry.npmjs.org/execa/-/execa-1.0.0.tgz", |       "resolved": "https://registry.npmjs.org/execa/-/execa-1.0.0.tgz", | ||||||
|       "integrity": "sha512-adbxcyWV46qiHyvSp50TKt05tB4tK3HcmF7/nxfAdhnox83seTDbwnaqKO4sXRy7roHAIFqJP/Rw/AuEbX61LA==", |       "integrity": "sha512-adbxcyWV46qiHyvSp50TKt05tB4tK3HcmF7/nxfAdhnox83seTDbwnaqKO4sXRy7roHAIFqJP/Rw/AuEbX61LA==", | ||||||
|       "dev": true, |  | ||||||
|       "requires": { |       "requires": { | ||||||
|         "cross-spawn": "^6.0.0", |         "cross-spawn": "^6.0.0", | ||||||
|         "get-stream": "^4.0.0", |         "get-stream": "^4.0.0", | ||||||
| @@ -2924,7 +3043,6 @@ | |||||||
|           "version": "6.0.5", |           "version": "6.0.5", | ||||||
|           "resolved": "https://registry.npmjs.org/cross-spawn/-/cross-spawn-6.0.5.tgz", |           "resolved": "https://registry.npmjs.org/cross-spawn/-/cross-spawn-6.0.5.tgz", | ||||||
|           "integrity": "sha512-eTVLrBSt7fjbDygz805pMnstIs2VTBNkRm0qxZd+M7A5XDdxVRWO5MxGBXZhjY4cqLYLdtrGqRf8mBPmzwSpWQ==", |           "integrity": "sha512-eTVLrBSt7fjbDygz805pMnstIs2VTBNkRm0qxZd+M7A5XDdxVRWO5MxGBXZhjY4cqLYLdtrGqRf8mBPmzwSpWQ==", | ||||||
|           "dev": true, |  | ||||||
|           "requires": { |           "requires": { | ||||||
|             "nice-try": "^1.0.4", |             "nice-try": "^1.0.4", | ||||||
|             "path-key": "^2.0.1", |             "path-key": "^2.0.1", | ||||||
| @@ -2936,20 +3054,17 @@ | |||||||
|         "path-key": { |         "path-key": { | ||||||
|           "version": "2.0.1", |           "version": "2.0.1", | ||||||
|           "resolved": "https://registry.npmjs.org/path-key/-/path-key-2.0.1.tgz", |           "resolved": "https://registry.npmjs.org/path-key/-/path-key-2.0.1.tgz", | ||||||
|           "integrity": "sha1-QRyttXTFoUDTpLGRDUDYDMn0C0A=", |           "integrity": "sha1-QRyttXTFoUDTpLGRDUDYDMn0C0A=" | ||||||
|           "dev": true |  | ||||||
|         }, |         }, | ||||||
|         "semver": { |         "semver": { | ||||||
|           "version": "5.7.1", |           "version": "5.7.1", | ||||||
|           "resolved": "https://registry.npmjs.org/semver/-/semver-5.7.1.tgz", |           "resolved": "https://registry.npmjs.org/semver/-/semver-5.7.1.tgz", | ||||||
|           "integrity": "sha512-sauaDf/PZdVgrLTNYHRtpXa1iRiKcaebiKQ1BJdpQlWH2lCvexQdX55snPFyK7QzpudqbCI0qXFfOasHdyNDGQ==", |           "integrity": "sha512-sauaDf/PZdVgrLTNYHRtpXa1iRiKcaebiKQ1BJdpQlWH2lCvexQdX55snPFyK7QzpudqbCI0qXFfOasHdyNDGQ==" | ||||||
|           "dev": true |  | ||||||
|         }, |         }, | ||||||
|         "shebang-command": { |         "shebang-command": { | ||||||
|           "version": "1.2.0", |           "version": "1.2.0", | ||||||
|           "resolved": "https://registry.npmjs.org/shebang-command/-/shebang-command-1.2.0.tgz", |           "resolved": "https://registry.npmjs.org/shebang-command/-/shebang-command-1.2.0.tgz", | ||||||
|           "integrity": "sha1-RKrGW2lbAzmJaMOfNj/uXer98eo=", |           "integrity": "sha1-RKrGW2lbAzmJaMOfNj/uXer98eo=", | ||||||
|           "dev": true, |  | ||||||
|           "requires": { |           "requires": { | ||||||
|             "shebang-regex": "^1.0.0" |             "shebang-regex": "^1.0.0" | ||||||
|           } |           } | ||||||
| @@ -2957,14 +3072,12 @@ | |||||||
|         "shebang-regex": { |         "shebang-regex": { | ||||||
|           "version": "1.0.0", |           "version": "1.0.0", | ||||||
|           "resolved": "https://registry.npmjs.org/shebang-regex/-/shebang-regex-1.0.0.tgz", |           "resolved": "https://registry.npmjs.org/shebang-regex/-/shebang-regex-1.0.0.tgz", | ||||||
|           "integrity": "sha1-2kL0l0DAtC2yypcoVxyxkMmO/qM=", |           "integrity": "sha1-2kL0l0DAtC2yypcoVxyxkMmO/qM=" | ||||||
|           "dev": true |  | ||||||
|         }, |         }, | ||||||
|         "which": { |         "which": { | ||||||
|           "version": "1.3.1", |           "version": "1.3.1", | ||||||
|           "resolved": "https://registry.npmjs.org/which/-/which-1.3.1.tgz", |           "resolved": "https://registry.npmjs.org/which/-/which-1.3.1.tgz", | ||||||
|           "integrity": "sha512-HxJdYWq1MTIQbJ3nw0cqssHoTNU267KlrDuGZ1WYlxDStUtKUhOaJmh112/TZmHxxUfuJqPXSOm7tDyas0OSIQ==", |           "integrity": "sha512-HxJdYWq1MTIQbJ3nw0cqssHoTNU267KlrDuGZ1WYlxDStUtKUhOaJmh112/TZmHxxUfuJqPXSOm7tDyas0OSIQ==", | ||||||
|           "dev": true, |  | ||||||
|           "requires": { |           "requires": { | ||||||
|             "isexe": "^2.0.0" |             "isexe": "^2.0.0" | ||||||
|           } |           } | ||||||
| @@ -3380,7 +3493,6 @@ | |||||||
|       "version": "4.1.0", |       "version": "4.1.0", | ||||||
|       "resolved": "https://registry.npmjs.org/get-stream/-/get-stream-4.1.0.tgz", |       "resolved": "https://registry.npmjs.org/get-stream/-/get-stream-4.1.0.tgz", | ||||||
|       "integrity": "sha512-GMat4EJ5161kIy2HevLlr4luNjBgvmj413KaQA7jt4V8B4RDsfpHk7WQ9GVqfYyyx8OS/L66Kox+rJRNklLK7w==", |       "integrity": "sha512-GMat4EJ5161kIy2HevLlr4luNjBgvmj413KaQA7jt4V8B4RDsfpHk7WQ9GVqfYyyx8OS/L66Kox+rJRNklLK7w==", | ||||||
|       "dev": true, |  | ||||||
|       "requires": { |       "requires": { | ||||||
|         "pump": "^3.0.0" |         "pump": "^3.0.0" | ||||||
|       } |       } | ||||||
| @@ -3967,8 +4079,7 @@ | |||||||
|     "is-stream": { |     "is-stream": { | ||||||
|       "version": "1.1.0", |       "version": "1.1.0", | ||||||
|       "resolved": "https://registry.npmjs.org/is-stream/-/is-stream-1.1.0.tgz", |       "resolved": "https://registry.npmjs.org/is-stream/-/is-stream-1.1.0.tgz", | ||||||
|       "integrity": "sha1-EtSj3U5o4Lec6428hBc66A2RykQ=", |       "integrity": "sha1-EtSj3U5o4Lec6428hBc66A2RykQ=" | ||||||
|       "dev": true |  | ||||||
|     }, |     }, | ||||||
|     "is-string": { |     "is-string": { | ||||||
|       "version": "1.0.5", |       "version": "1.0.5", | ||||||
| @@ -4016,8 +4127,7 @@ | |||||||
|     "isexe": { |     "isexe": { | ||||||
|       "version": "2.0.0", |       "version": "2.0.0", | ||||||
|       "resolved": "https://registry.npmjs.org/isexe/-/isexe-2.0.0.tgz", |       "resolved": "https://registry.npmjs.org/isexe/-/isexe-2.0.0.tgz", | ||||||
|       "integrity": "sha1-6PvzdNxVb/iUehDcsFctYz8s+hA=", |       "integrity": "sha1-6PvzdNxVb/iUehDcsFctYz8s+hA=" | ||||||
|       "dev": true |  | ||||||
|     }, |     }, | ||||||
|     "isobject": { |     "isobject": { | ||||||
|       "version": "3.0.1", |       "version": "3.0.1", | ||||||
| @@ -5508,6 +5618,11 @@ | |||||||
|         "tslib": "^1.10.0" |         "tslib": "^1.10.0" | ||||||
|       } |       } | ||||||
|     }, |     }, | ||||||
|  |     "macos-release": { | ||||||
|  |       "version": "2.4.0", | ||||||
|  |       "resolved": "https://registry.npmjs.org/macos-release/-/macos-release-2.4.0.tgz", | ||||||
|  |       "integrity": "sha512-ko6deozZYiAkqa/0gmcsz+p4jSy3gY7/ZsCEokPaYd8k+6/aXGkiTgr61+Owup7Sf+xjqW8u2ElhoM9SEcEfuA==" | ||||||
|  |     }, | ||||||
|     "make-dir": { |     "make-dir": { | ||||||
|       "version": "3.1.0", |       "version": "3.1.0", | ||||||
|       "resolved": "https://registry.npmjs.org/make-dir/-/make-dir-3.1.0.tgz", |       "resolved": "https://registry.npmjs.org/make-dir/-/make-dir-3.1.0.tgz", | ||||||
| @@ -5675,8 +5790,7 @@ | |||||||
|     "nice-try": { |     "nice-try": { | ||||||
|       "version": "1.0.5", |       "version": "1.0.5", | ||||||
|       "resolved": "https://registry.npmjs.org/nice-try/-/nice-try-1.0.5.tgz", |       "resolved": "https://registry.npmjs.org/nice-try/-/nice-try-1.0.5.tgz", | ||||||
|       "integrity": "sha512-1nh45deeb5olNY7eX82BkPO7SSxR5SSYJiPTrTdFUVYwAl8CKMA5N9PjTYkHiRjisVcxcQ1HXdLhx2qxxJzLNQ==", |       "integrity": "sha512-1nh45deeb5olNY7eX82BkPO7SSxR5SSYJiPTrTdFUVYwAl8CKMA5N9PjTYkHiRjisVcxcQ1HXdLhx2qxxJzLNQ==" | ||||||
|       "dev": true |  | ||||||
|     }, |     }, | ||||||
|     "no-case": { |     "no-case": { | ||||||
|       "version": "3.0.3", |       "version": "3.0.3", | ||||||
| @@ -5691,8 +5805,7 @@ | |||||||
|     "node-fetch": { |     "node-fetch": { | ||||||
|       "version": "2.6.0", |       "version": "2.6.0", | ||||||
|       "resolved": "https://registry.npmjs.org/node-fetch/-/node-fetch-2.6.0.tgz", |       "resolved": "https://registry.npmjs.org/node-fetch/-/node-fetch-2.6.0.tgz", | ||||||
|       "integrity": "sha512-8dG4H5ujfvFiqDmVu9fQ5bOHUC15JMjMY/Zumv26oOvvVJjM67KF8koCWIabKQ1GJIa9r2mMZscBq/TbdOcmNA==", |       "integrity": "sha512-8dG4H5ujfvFiqDmVu9fQ5bOHUC15JMjMY/Zumv26oOvvVJjM67KF8koCWIabKQ1GJIa9r2mMZscBq/TbdOcmNA==" | ||||||
|       "dev": true |  | ||||||
|     }, |     }, | ||||||
|     "node-int64": { |     "node-int64": { | ||||||
|       "version": "0.4.0", |       "version": "0.4.0", | ||||||
| @@ -5770,7 +5883,6 @@ | |||||||
|       "version": "2.0.2", |       "version": "2.0.2", | ||||||
|       "resolved": "https://registry.npmjs.org/npm-run-path/-/npm-run-path-2.0.2.tgz", |       "resolved": "https://registry.npmjs.org/npm-run-path/-/npm-run-path-2.0.2.tgz", | ||||||
|       "integrity": "sha1-NakjLfo11wZ7TLLd8jV7GHFTbF8=", |       "integrity": "sha1-NakjLfo11wZ7TLLd8jV7GHFTbF8=", | ||||||
|       "dev": true, |  | ||||||
|       "requires": { |       "requires": { | ||||||
|         "path-key": "^2.0.0" |         "path-key": "^2.0.0" | ||||||
|       }, |       }, | ||||||
| @@ -5778,8 +5890,7 @@ | |||||||
|         "path-key": { |         "path-key": { | ||||||
|           "version": "2.0.1", |           "version": "2.0.1", | ||||||
|           "resolved": "https://registry.npmjs.org/path-key/-/path-key-2.0.1.tgz", |           "resolved": "https://registry.npmjs.org/path-key/-/path-key-2.0.1.tgz", | ||||||
|           "integrity": "sha1-QRyttXTFoUDTpLGRDUDYDMn0C0A=", |           "integrity": "sha1-QRyttXTFoUDTpLGRDUDYDMn0C0A=" | ||||||
|           "dev": true |  | ||||||
|         } |         } | ||||||
|       } |       } | ||||||
|     }, |     }, | ||||||
| @@ -5913,7 +6024,6 @@ | |||||||
|       "version": "1.4.0", |       "version": "1.4.0", | ||||||
|       "resolved": "https://registry.npmjs.org/once/-/once-1.4.0.tgz", |       "resolved": "https://registry.npmjs.org/once/-/once-1.4.0.tgz", | ||||||
|       "integrity": "sha1-WDsap3WWHUsROsF9nFC6753Xa9E=", |       "integrity": "sha1-WDsap3WWHUsROsF9nFC6753Xa9E=", | ||||||
|       "dev": true, |  | ||||||
|       "requires": { |       "requires": { | ||||||
|         "wrappy": "1" |         "wrappy": "1" | ||||||
|       } |       } | ||||||
| @@ -5941,6 +6051,15 @@ | |||||||
|         "word-wrap": "^1.2.3" |         "word-wrap": "^1.2.3" | ||||||
|       } |       } | ||||||
|     }, |     }, | ||||||
|  |     "os-name": { | ||||||
|  |       "version": "3.1.0", | ||||||
|  |       "resolved": "https://registry.npmjs.org/os-name/-/os-name-3.1.0.tgz", | ||||||
|  |       "integrity": "sha512-h8L+8aNjNcMpo/mAIBPn5PXCM16iyPGjHNWo6U1YO8sJTMHtEtyczI6QJnLoplswm6goopQkqc7OAnjhWcugVg==", | ||||||
|  |       "requires": { | ||||||
|  |         "macos-release": "^2.2.0", | ||||||
|  |         "windows-release": "^3.1.0" | ||||||
|  |       } | ||||||
|  |     }, | ||||||
|     "os-tmpdir": { |     "os-tmpdir": { | ||||||
|       "version": "1.0.2", |       "version": "1.0.2", | ||||||
|       "resolved": "https://registry.npmjs.org/os-tmpdir/-/os-tmpdir-1.0.2.tgz", |       "resolved": "https://registry.npmjs.org/os-tmpdir/-/os-tmpdir-1.0.2.tgz", | ||||||
| @@ -5956,8 +6075,7 @@ | |||||||
|     "p-finally": { |     "p-finally": { | ||||||
|       "version": "1.0.0", |       "version": "1.0.0", | ||||||
|       "resolved": "https://registry.npmjs.org/p-finally/-/p-finally-1.0.0.tgz", |       "resolved": "https://registry.npmjs.org/p-finally/-/p-finally-1.0.0.tgz", | ||||||
|       "integrity": "sha1-P7z7FbiZpEEjs0ttzBi3JDNqLK4=", |       "integrity": "sha1-P7z7FbiZpEEjs0ttzBi3JDNqLK4=" | ||||||
|       "dev": true |  | ||||||
|     }, |     }, | ||||||
|     "p-limit": { |     "p-limit": { | ||||||
|       "version": "2.3.0", |       "version": "2.3.0", | ||||||
| @@ -6185,7 +6303,6 @@ | |||||||
|       "version": "3.0.0", |       "version": "3.0.0", | ||||||
|       "resolved": "https://registry.npmjs.org/pump/-/pump-3.0.0.tgz", |       "resolved": "https://registry.npmjs.org/pump/-/pump-3.0.0.tgz", | ||||||
|       "integrity": "sha512-LwZy+p3SFs1Pytd/jYct4wpv49HiYCqd9Rlc5ZVdk0V+8Yzv6jR5Blk3TRmPL1ft69TxP0IMZGJ+WPFU2BFhww==", |       "integrity": "sha512-LwZy+p3SFs1Pytd/jYct4wpv49HiYCqd9Rlc5ZVdk0V+8Yzv6jR5Blk3TRmPL1ft69TxP0IMZGJ+WPFU2BFhww==", | ||||||
|       "dev": true, |  | ||||||
|       "requires": { |       "requires": { | ||||||
|         "end-of-stream": "^1.1.0", |         "end-of-stream": "^1.1.0", | ||||||
|         "once": "^1.3.1" |         "once": "^1.3.1" | ||||||
| @@ -6402,6 +6519,12 @@ | |||||||
|             "psl": "^1.1.28", |             "psl": "^1.1.28", | ||||||
|             "punycode": "^2.1.1" |             "punycode": "^2.1.1" | ||||||
|           } |           } | ||||||
|  |         }, | ||||||
|  |         "uuid": { | ||||||
|  |           "version": "3.4.0", | ||||||
|  |           "resolved": "https://registry.npmjs.org/uuid/-/uuid-3.4.0.tgz", | ||||||
|  |           "integrity": "sha512-HjSDRw6gZE5JMggctHBcjVak08+KEVhSIiDzFnT9S9aegmp85S/bReBVTb4QTFaRNptJ9kuYaNhnbNEOkbKb/A==", | ||||||
|  |           "dev": true | ||||||
|         } |         } | ||||||
|       } |       } | ||||||
|     }, |     }, | ||||||
| @@ -6776,8 +6899,7 @@ | |||||||
|     "signal-exit": { |     "signal-exit": { | ||||||
|       "version": "3.0.3", |       "version": "3.0.3", | ||||||
|       "resolved": "https://registry.npmjs.org/signal-exit/-/signal-exit-3.0.3.tgz", |       "resolved": "https://registry.npmjs.org/signal-exit/-/signal-exit-3.0.3.tgz", | ||||||
|       "integrity": "sha512-VUJ49FC8U1OxwZLxIbTTrDvLnf/6TDgxZcK8wxR8zs13xpx7xbG60ndBlhNrFi2EMuFRoeDoJO7wthSLq42EjA==", |       "integrity": "sha512-VUJ49FC8U1OxwZLxIbTTrDvLnf/6TDgxZcK8wxR8zs13xpx7xbG60ndBlhNrFi2EMuFRoeDoJO7wthSLq42EjA==" | ||||||
|       "dev": true |  | ||||||
|     }, |     }, | ||||||
|     "sisteransi": { |     "sisteransi": { | ||||||
|       "version": "1.0.5", |       "version": "1.0.5", | ||||||
| @@ -7208,8 +7330,7 @@ | |||||||
|     "strip-eof": { |     "strip-eof": { | ||||||
|       "version": "1.0.0", |       "version": "1.0.0", | ||||||
|       "resolved": "https://registry.npmjs.org/strip-eof/-/strip-eof-1.0.0.tgz", |       "resolved": "https://registry.npmjs.org/strip-eof/-/strip-eof-1.0.0.tgz", | ||||||
|       "integrity": "sha1-u0P/VZim6wXYm1n80SnJgzE2Br8=", |       "integrity": "sha1-u0P/VZim6wXYm1n80SnJgzE2Br8=" | ||||||
|       "dev": true |  | ||||||
|     }, |     }, | ||||||
|     "strip-final-newline": { |     "strip-final-newline": { | ||||||
|       "version": "2.0.0", |       "version": "2.0.0", | ||||||
| @@ -7537,6 +7658,14 @@ | |||||||
|         "set-value": "^2.0.1" |         "set-value": "^2.0.1" | ||||||
|       } |       } | ||||||
|     }, |     }, | ||||||
|  |     "universal-user-agent": { | ||||||
|  |       "version": "5.0.0", | ||||||
|  |       "resolved": "https://registry.npmjs.org/universal-user-agent/-/universal-user-agent-5.0.0.tgz", | ||||||
|  |       "integrity": "sha512-B5TPtzZleXyPrUMKCpEHFmVhMN6EhmJYjG5PQna9s7mXeSqGTLap4OpqLl5FCEFUI3UBmllkETwKf/db66Y54Q==", | ||||||
|  |       "requires": { | ||||||
|  |         "os-name": "^3.1.0" | ||||||
|  |       } | ||||||
|  |     }, | ||||||
|     "unixify": { |     "unixify": { | ||||||
|       "version": "1.0.0", |       "version": "1.0.0", | ||||||
|       "resolved": "https://registry.npmjs.org/unixify/-/unixify-1.0.0.tgz", |       "resolved": "https://registry.npmjs.org/unixify/-/unixify-1.0.0.tgz", | ||||||
| @@ -7608,9 +7737,9 @@ | |||||||
|       "dev": true |       "dev": true | ||||||
|     }, |     }, | ||||||
|     "uuid": { |     "uuid": { | ||||||
|       "version": "3.4.0", |       "version": "8.2.0", | ||||||
|       "resolved": "https://registry.npmjs.org/uuid/-/uuid-3.4.0.tgz", |       "resolved": "https://registry.npmjs.org/uuid/-/uuid-8.2.0.tgz", | ||||||
|       "integrity": "sha512-HjSDRw6gZE5JMggctHBcjVak08+KEVhSIiDzFnT9S9aegmp85S/bReBVTb4QTFaRNptJ9kuYaNhnbNEOkbKb/A==" |       "integrity": "sha512-CYpGiFTUrmI6OBMkAdjSDM0k5h8SkkiTP4WAjQgDgNB1S3Ou9VBEvr6q0Kv2H1mMk7IWfxYGpMH5sd5AvcIV2Q==" | ||||||
|     }, |     }, | ||||||
|     "v8-compile-cache": { |     "v8-compile-cache": { | ||||||
|       "version": "2.1.1", |       "version": "2.1.1", | ||||||
| @@ -7752,6 +7881,14 @@ | |||||||
|       "integrity": "sha1-2e8H3Od7mQK4o6j6SzHD4/fm6Ho=", |       "integrity": "sha1-2e8H3Od7mQK4o6j6SzHD4/fm6Ho=", | ||||||
|       "dev": true |       "dev": true | ||||||
|     }, |     }, | ||||||
|  |     "windows-release": { | ||||||
|  |       "version": "3.3.1", | ||||||
|  |       "resolved": "https://registry.npmjs.org/windows-release/-/windows-release-3.3.1.tgz", | ||||||
|  |       "integrity": "sha512-Pngk/RDCaI/DkuHPlGTdIkDiTAnAkyMjoQMZqRsxydNl1qGXNIoZrB7RK8g53F2tEgQBMqQJHQdYZuQEEAu54A==", | ||||||
|  |       "requires": { | ||||||
|  |         "execa": "^1.0.0" | ||||||
|  |       } | ||||||
|  |     }, | ||||||
|     "word-wrap": { |     "word-wrap": { | ||||||
|       "version": "1.2.3", |       "version": "1.2.3", | ||||||
|       "resolved": "https://registry.npmjs.org/word-wrap/-/word-wrap-1.2.3.tgz", |       "resolved": "https://registry.npmjs.org/word-wrap/-/word-wrap-1.2.3.tgz", | ||||||
| @@ -7772,8 +7909,7 @@ | |||||||
|     "wrappy": { |     "wrappy": { | ||||||
|       "version": "1.0.2", |       "version": "1.0.2", | ||||||
|       "resolved": "https://registry.npmjs.org/wrappy/-/wrappy-1.0.2.tgz", |       "resolved": "https://registry.npmjs.org/wrappy/-/wrappy-1.0.2.tgz", | ||||||
|       "integrity": "sha1-tSQ9jz7BqjXxNkYFvA0QNuMKtp8=", |       "integrity": "sha1-tSQ9jz7BqjXxNkYFvA0QNuMKtp8=" | ||||||
|       "dev": true |  | ||||||
|     }, |     }, | ||||||
|     "write": { |     "write": { | ||||||
|       "version": "1.0.3", |       "version": "1.0.3", | ||||||
|   | |||||||
| @@ -36,7 +36,11 @@ | |||||||
|     "@actions/core": "1.2.4", |     "@actions/core": "1.2.4", | ||||||
|     "@actions/exec": "1.0.4", |     "@actions/exec": "1.0.4", | ||||||
|     "@actions/tool-cache": "1.3.4", |     "@actions/tool-cache": "1.3.4", | ||||||
|     "is-docker": "2.0.0" |     "@octokit/core": "3.1.0", | ||||||
|  |     "@octokit/plugin-paginate-rest": "2.2.3", | ||||||
|  |     "@octokit/plugin-rest-endpoint-methods": "4.0.0", | ||||||
|  |     "is-docker": "2.0.0", | ||||||
|  |     "uuid": "8.2.0" | ||||||
|   }, |   }, | ||||||
|   "devDependencies": { |   "devDependencies": { | ||||||
|     "@types/jest": "25.2.2", |     "@types/jest": "25.2.2", | ||||||
|   | |||||||
							
								
								
									
										192
									
								
								src/create-or-update-branch.ts
									
									
									
									
									
										Normal file
									
								
							
							
						
						
									
										192
									
								
								src/create-or-update-branch.ts
									
									
									
									
									
										Normal file
									
								
							| @@ -0,0 +1,192 @@ | |||||||
|  | import * as core from '@actions/core' | ||||||
|  | import {GitCommandManager} from './git-command-manager' | ||||||
|  | import {v4 as uuidv4} from 'uuid' | ||||||
|  |  | ||||||
|  | const CHERRYPICK_EMPTY = | ||||||
|  |   'The previous cherry-pick is now empty, possibly due to conflict resolution.' | ||||||
|  |  | ||||||
|  | export async function tryFetch( | ||||||
|  |   git: GitCommandManager, | ||||||
|  |   branch: string | ||||||
|  | ): Promise<boolean> { | ||||||
|  |   try { | ||||||
|  |     await git.fetch([`${branch}:refs/remotes/origin/${branch}`]) | ||||||
|  |     return true | ||||||
|  |   } catch { | ||||||
|  |     return false | ||||||
|  |   } | ||||||
|  | } | ||||||
|  |  | ||||||
|  | // Return true if branch2 is ahead of branch1 | ||||||
|  | async function isAhead( | ||||||
|  |   git: GitCommandManager, | ||||||
|  |   branch1: string, | ||||||
|  |   branch2: string | ||||||
|  | ): Promise<boolean> { | ||||||
|  |   const result = await git.revList( | ||||||
|  |     [`${branch1}...${branch2}`], | ||||||
|  |     ['--right-only', '--count'] | ||||||
|  |   ) | ||||||
|  |   return Number(result) > 0 | ||||||
|  | } | ||||||
|  |  | ||||||
|  | // Return true if branch2 is behind branch1 | ||||||
|  | async function isBehind( | ||||||
|  |   git: GitCommandManager, | ||||||
|  |   branch1: string, | ||||||
|  |   branch2: string | ||||||
|  | ): Promise<boolean> { | ||||||
|  |   const result = await git.revList( | ||||||
|  |     [`${branch1}...${branch2}`], | ||||||
|  |     ['--left-only', '--count'] | ||||||
|  |   ) | ||||||
|  |   return Number(result) > 0 | ||||||
|  | } | ||||||
|  |  | ||||||
|  | // Return true if branch2 is even with branch1 | ||||||
|  | async function isEven( | ||||||
|  |   git: GitCommandManager, | ||||||
|  |   branch1: string, | ||||||
|  |   branch2: string | ||||||
|  | ): Promise<boolean> { | ||||||
|  |   return ( | ||||||
|  |     !(await isAhead(git, branch1, branch2)) && | ||||||
|  |     !(await isBehind(git, branch1, branch2)) | ||||||
|  |   ) | ||||||
|  | } | ||||||
|  |  | ||||||
|  | async function hasDiff( | ||||||
|  |   git: GitCommandManager, | ||||||
|  |   branch1: string, | ||||||
|  |   branch2: string | ||||||
|  | ): Promise<boolean> { | ||||||
|  |   const result = await git.diff([`${branch1}..${branch2}`]) | ||||||
|  |   return result.length > 0 | ||||||
|  | } | ||||||
|  |  | ||||||
|  | function splitLines(multilineString: string): string[] { | ||||||
|  |   return multilineString | ||||||
|  |     .split('\n') | ||||||
|  |     .map(s => s.trim()) | ||||||
|  |     .filter(x => x !== '') | ||||||
|  | } | ||||||
|  |  | ||||||
|  | export async function createOrUpdateBranch( | ||||||
|  |   git: GitCommandManager, | ||||||
|  |   commitMessage: string, | ||||||
|  |   baseInput: string, | ||||||
|  |   branch: string | ||||||
|  | ): Promise<CreateOrUpdateBranchResult> { | ||||||
|  |   // Get the working base. This may or may not be the actual base. | ||||||
|  |   const workingBase = await git.symbolicRef('HEAD', ['--short']) | ||||||
|  |   // If the base is not specified it is assumed to be the working base. | ||||||
|  |   const base = baseInput ? baseInput : workingBase | ||||||
|  |  | ||||||
|  |   // Set the default return values | ||||||
|  |   const result: CreateOrUpdateBranchResult = { | ||||||
|  |     action: 'none', | ||||||
|  |     base: base, | ||||||
|  |     hasDiffWithBase: false | ||||||
|  |   } | ||||||
|  |  | ||||||
|  |   // Save the working base changes to a temporary branch | ||||||
|  |   const tempBranch = uuidv4() | ||||||
|  |   await git.checkout(tempBranch, 'HEAD') | ||||||
|  |   // Commit any uncomitted changes | ||||||
|  |   if (await git.isDirty(true)) { | ||||||
|  |     core.info('Uncommitted changes found. Adding a commit.') | ||||||
|  |     await git.exec(['add', '-A']) | ||||||
|  |     await git.commit(['-m', commitMessage]) | ||||||
|  |   } | ||||||
|  |  | ||||||
|  |   // Perform fetch and reset the working base | ||||||
|  |   // Commits made during the workflow will be removed | ||||||
|  |   await git.fetch([`${workingBase}:${workingBase}`], 'origin', ['--force']) | ||||||
|  |  | ||||||
|  |   // If the working base is not the base, rebase the temp branch commits | ||||||
|  |   if (workingBase != base) { | ||||||
|  |     core.info( | ||||||
|  |       `Rebasing commits made to branch '${workingBase}' on to base branch '${base}'` | ||||||
|  |     ) | ||||||
|  |     // Checkout the actual base | ||||||
|  |     await git.fetch([`${base}:${base}`], 'origin', ['--force']) | ||||||
|  |     await git.checkout(base) | ||||||
|  |     // Cherrypick commits from the temporary branch starting from the working base | ||||||
|  |     const commits = await git.revList( | ||||||
|  |       [`${workingBase}..${tempBranch}`, '.'], | ||||||
|  |       ['--reverse'] | ||||||
|  |     ) | ||||||
|  |     for (const commit of splitLines(commits)) { | ||||||
|  |       const result = await git.cherryPick( | ||||||
|  |         ['--strategy=recursive', '--strategy-option=theirs', commit], | ||||||
|  |         true | ||||||
|  |       ) | ||||||
|  |       if (result.exitCode != 0 && !result.stderr.includes(CHERRYPICK_EMPTY)) { | ||||||
|  |         throw new Error(`Unexpected error: ${result.stderr}`) | ||||||
|  |       } | ||||||
|  |     } | ||||||
|  |     // Reset the temp branch to the working index | ||||||
|  |     await git.checkout(tempBranch, 'HEAD') | ||||||
|  |     // Reset the base | ||||||
|  |     await git.fetch([`${base}:${base}`], 'origin', ['--force']) | ||||||
|  |   } | ||||||
|  |  | ||||||
|  |   // Try to fetch the pull request branch | ||||||
|  |   if (!(await tryFetch(git, branch))) { | ||||||
|  |     // The pull request branch does not exist | ||||||
|  |     core.info(`Pull request branch '${branch}' does not exist yet.`) | ||||||
|  |     // Create the pull request branch | ||||||
|  |     await git.checkout(branch, 'HEAD') | ||||||
|  |     // Check if the pull request branch is ahead of the base | ||||||
|  |     result.hasDiffWithBase = await isAhead(git, base, branch) | ||||||
|  |     if (result.hasDiffWithBase) { | ||||||
|  |       result.action = 'created' | ||||||
|  |       core.info(`Created branch '${branch}'`) | ||||||
|  |     } else { | ||||||
|  |       core.info( | ||||||
|  |         `Branch '${branch}' is not ahead of base '${base}' and will not be created` | ||||||
|  |       ) | ||||||
|  |     } | ||||||
|  |   } else { | ||||||
|  |     // The pull request branch exists | ||||||
|  |     core.info( | ||||||
|  |       `Pull request branch '${branch}' already exists as remote branch 'origin/${branch}'` | ||||||
|  |     ) | ||||||
|  |     // Checkout the pull request branch | ||||||
|  |     await git.checkout(branch) | ||||||
|  |  | ||||||
|  |     if (await hasDiff(git, branch, tempBranch)) { | ||||||
|  |       // If the branch differs from the recreated temp version then the branch is reset | ||||||
|  |       // For changes on base this action is similar to a rebase of the pull request branch | ||||||
|  |       core.info(`Resetting '${branch}'`) | ||||||
|  |       // Alternatively, git switch -C branch tempBranch | ||||||
|  |       await git.checkout(branch, tempBranch) | ||||||
|  |     } | ||||||
|  |  | ||||||
|  |     // Check if the pull request branch has been updated | ||||||
|  |     // If the branch was reset or updated it will be ahead | ||||||
|  |     // It may be behind if a reset now results in no diff with the base | ||||||
|  |     if (!(await isEven(git, `origin/${branch}`, branch))) { | ||||||
|  |       result.action = 'updated' | ||||||
|  |       core.info(`Updated branch '${branch}'`) | ||||||
|  |     } else { | ||||||
|  |       core.info( | ||||||
|  |         `Branch '${branch}' is even with its remote and will not be updated` | ||||||
|  |       ) | ||||||
|  |     } | ||||||
|  |  | ||||||
|  |     // Check if the pull request branch is ahead of the base | ||||||
|  |     result.hasDiffWithBase = await isAhead(git, base, branch) | ||||||
|  |   } | ||||||
|  |  | ||||||
|  |   // Delete the temporary branch | ||||||
|  |   await git.exec(['branch', '--delete', '--force', tempBranch]) | ||||||
|  |  | ||||||
|  |   return result | ||||||
|  | } | ||||||
|  |  | ||||||
|  | interface CreateOrUpdateBranchResult { | ||||||
|  |   action: string | ||||||
|  |   base: string | ||||||
|  |   hasDiffWithBase: boolean | ||||||
|  | } | ||||||
							
								
								
									
										232
									
								
								src/create-pull-request.ts
									
									
									
									
									
										Normal file
									
								
							
							
						
						
									
										232
									
								
								src/create-pull-request.ts
									
									
									
									
									
										Normal file
									
								
							| @@ -0,0 +1,232 @@ | |||||||
|  | import * as core from '@actions/core' | ||||||
|  | import {createOrUpdateBranch} from './create-or-update-branch' | ||||||
|  | import {GitHubHelper} from './github-helper' | ||||||
|  | import {GitCommandManager} from './git-command-manager' | ||||||
|  | import {ConfigOption, GitConfigHelper} from './git-config-helper' | ||||||
|  | import {GitIdentityHelper} from './git-identity-helper' | ||||||
|  | import * as utils from './utils' | ||||||
|  |  | ||||||
|  | const EXTRAHEADER_OPTION = 'http.https://github.com/.extraheader' | ||||||
|  | const EXTRAHEADER_VALUE_REGEX = '^AUTHORIZATION:' | ||||||
|  |  | ||||||
|  | const DEFAULT_COMMIT_MESSAGE = '[create-pull-request] automated change' | ||||||
|  | const DEFAULT_TITLE = 'Changes by create-pull-request action' | ||||||
|  | const DEFAULT_BODY = | ||||||
|  |   'Automated changes by [create-pull-request](https://github.com/peter-evans/create-pull-request) GitHub action' | ||||||
|  | const DEFAULT_BRANCH = 'create-pull-request/patch' | ||||||
|  |  | ||||||
|  | export interface Inputs { | ||||||
|  |   token: string | ||||||
|  |   path: string | ||||||
|  |   commitMessage: string | ||||||
|  |   committer: string | ||||||
|  |   author: string | ||||||
|  |   title: string | ||||||
|  |   body: string | ||||||
|  |   labels: string[] | ||||||
|  |   assignees: string[] | ||||||
|  |   reviewers: string[] | ||||||
|  |   teamReviewers: string[] | ||||||
|  |   milestone: number | ||||||
|  |   draft: boolean | ||||||
|  |   branch: string | ||||||
|  |   requestToParent: boolean | ||||||
|  |   base: string | ||||||
|  |   branchSuffix: string | ||||||
|  | } | ||||||
|  |  | ||||||
|  | export async function createPullRequest(inputs: Inputs): Promise<void> { | ||||||
|  |   let gitConfigHelper | ||||||
|  |   let extraHeaderOption = new ConfigOption() | ||||||
|  |   try { | ||||||
|  |     // Get the repository path | ||||||
|  |     const repoPath = utils.getRepoPath(inputs.path) | ||||||
|  |     // Create a git command manager | ||||||
|  |     const git = await GitCommandManager.create(repoPath) | ||||||
|  |     // Unset and save the extraheader config option if it exists | ||||||
|  |     gitConfigHelper = new GitConfigHelper(git) | ||||||
|  |     extraHeaderOption = await gitConfigHelper.getAndUnsetConfigOption( | ||||||
|  |       EXTRAHEADER_OPTION, | ||||||
|  |       EXTRAHEADER_VALUE_REGEX | ||||||
|  |     ) | ||||||
|  |  | ||||||
|  |     //github_token = inputs.token | ||||||
|  |     //path = repoPath | ||||||
|  |  | ||||||
|  |     // Set defaults | ||||||
|  |     inputs.commitMessage = inputs.commitMessage | ||||||
|  |       ? inputs.commitMessage | ||||||
|  |       : DEFAULT_COMMIT_MESSAGE | ||||||
|  |     inputs.title = inputs.title ? inputs.title : DEFAULT_TITLE | ||||||
|  |     inputs.body = inputs.body ? inputs.body : DEFAULT_BODY | ||||||
|  |     inputs.branch = inputs.branch ? inputs.branch : DEFAULT_BRANCH | ||||||
|  |  | ||||||
|  |     // Determine the GitHub repository from git config | ||||||
|  |     // This will be the target repository for the pull request branch | ||||||
|  |     const remoteOriginUrlConfig = await gitConfigHelper.getConfigOption( | ||||||
|  |       'remote.origin.url' | ||||||
|  |     ) | ||||||
|  |     const remote = await utils.getRemoteDetail(remoteOriginUrlConfig.value) | ||||||
|  |     core.info( | ||||||
|  |       `Pull request branch target repository set to ${remote.repository}` | ||||||
|  |     ) | ||||||
|  |  | ||||||
|  |     if (remote.protocol == 'HTTPS') { | ||||||
|  |       core.debug('Using HTTPS protocol') | ||||||
|  |       // Encode and configure the basic credential for HTTPS access | ||||||
|  |       const basicCredential = Buffer.from( | ||||||
|  |         `x-access-token:${inputs.token}`, | ||||||
|  |         'utf8' | ||||||
|  |       ).toString('base64') | ||||||
|  |       core.setSecret(basicCredential) | ||||||
|  |       git.setAuthGitOptions([ | ||||||
|  |         '-c', | ||||||
|  |         `http.https://github.com/.extraheader=AUTHORIZATION: basic ${basicCredential}` | ||||||
|  |       ]) | ||||||
|  |     } | ||||||
|  |  | ||||||
|  |     // Determine if the checked out ref is a valid base for a pull request | ||||||
|  |     // The action needs the checked out HEAD ref to be a branch | ||||||
|  |     // This check will fail in the following cases: | ||||||
|  |     // - HEAD is detached | ||||||
|  |     // - HEAD is a merge commit (pull_request events) | ||||||
|  |     // - HEAD is a tag | ||||||
|  |     const symbolicRefResult = await git.exec( | ||||||
|  |       ['symbolic-ref', 'HEAD', '--short'], | ||||||
|  |       true | ||||||
|  |     ) | ||||||
|  |     if (symbolicRefResult.exitCode != 0) { | ||||||
|  |       core.debug(`${symbolicRefResult.stderr}`) | ||||||
|  |       throw new Error( | ||||||
|  |         'The checked out ref is not a valid base for a pull request. Unable to continue.' | ||||||
|  |       ) | ||||||
|  |     } | ||||||
|  |     const workingBase = symbolicRefResult.stdout.trim() | ||||||
|  |  | ||||||
|  |     // Exit if the working base is a PR branch created by this action. | ||||||
|  |     // This may occur when using a PAT instead of GITHUB_TOKEN because | ||||||
|  |     // a PAT allows workflow actions to trigger further events. | ||||||
|  |     if (workingBase.startsWith(inputs.branch)) { | ||||||
|  |       throw new Error( | ||||||
|  |         `Working base branch '${workingBase}' was created by this action. Unable to continue.` | ||||||
|  |       ) | ||||||
|  |     } | ||||||
|  |  | ||||||
|  |     // 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.` | ||||||
|  |           ) | ||||||
|  |       } | ||||||
|  |     } | ||||||
|  |  | ||||||
|  |     // Output head branch | ||||||
|  |     core.info( | ||||||
|  |       `Pull request branch to create or update set to '${inputs.branch}'` | ||||||
|  |     ) | ||||||
|  |  | ||||||
|  |     // Determine the committer and author | ||||||
|  |     const gitIdentityHelper = new GitIdentityHelper(git) | ||||||
|  |     const identity = await gitIdentityHelper.getIdentity( | ||||||
|  |       inputs.author, | ||||||
|  |       inputs.committer | ||||||
|  |     ) | ||||||
|  |     git.setIdentityGitOptions([ | ||||||
|  |       '-c', | ||||||
|  |       `author.name=${identity.authorName}`, | ||||||
|  |       '-c', | ||||||
|  |       `author.email=${identity.authorEmail}`, | ||||||
|  |       '-c', | ||||||
|  |       `committer.name=${identity.committerName}`, | ||||||
|  |       '-c', | ||||||
|  |       `committer.email=${identity.committerEmail}` | ||||||
|  |     ]) | ||||||
|  |     core.info( | ||||||
|  |       `Configured git committer as '${identity.committerName} <${identity.committerEmail}>'` | ||||||
|  |     ) | ||||||
|  |     core.info( | ||||||
|  |       `Configured git author as '${identity.authorName} <${identity.authorEmail}>'` | ||||||
|  |     ) | ||||||
|  |  | ||||||
|  |     // Create or update the pull request branch | ||||||
|  |     const result = await createOrUpdateBranch( | ||||||
|  |       git, | ||||||
|  |       inputs.commitMessage, | ||||||
|  |       inputs.base, | ||||||
|  |       inputs.branch | ||||||
|  |     ) | ||||||
|  |  | ||||||
|  |     if (['created', 'updated'].includes(result.action)) { | ||||||
|  |       // The branch was created or updated | ||||||
|  |       core.info(`Pushing pull request branch to 'origin/${inputs.branch}'`) | ||||||
|  |       await git.push(['--force', 'origin', `HEAD:refs/heads/${inputs.branch}`]) | ||||||
|  |  | ||||||
|  |       // Set the base. It would have been '' if not specified as an input | ||||||
|  |       inputs.base = result.base | ||||||
|  |  | ||||||
|  |       if (result.hasDiffWithBase) { | ||||||
|  |         // Create or update the pull request | ||||||
|  |         const githubHelper = new GitHubHelper(inputs.token) | ||||||
|  |         await githubHelper.createOrUpdatePullRequest(inputs, remote.repository) | ||||||
|  |         // coupr.create_or_update_pull_request( | ||||||
|  |         //     github_token, | ||||||
|  |         //     github_repository, | ||||||
|  |         //     branch, | ||||||
|  |         //     base, | ||||||
|  |         //     title, | ||||||
|  |         //     body, | ||||||
|  |         //     os.environ.get("CPR_LABELS"), | ||||||
|  |         //     os.environ.get("CPR_ASSIGNEES"), | ||||||
|  |         //     os.environ.get("CPR_MILESTONE"), | ||||||
|  |         //     os.environ.get("CPR_REVIEWERS"), | ||||||
|  |         //     os.environ.get("CPR_TEAM_REVIEWERS"), | ||||||
|  |         //     os.environ.get("CPR_PROJECT_NAME"), | ||||||
|  |         //     os.environ.get("CPR_PROJECT_COLUMN_NAME"), | ||||||
|  |         //     os.environ.get("CPR_DRAFT"), | ||||||
|  |         //     os.environ.get("CPR_REQUEST_TO_PARENT"), | ||||||
|  |         // ) | ||||||
|  |       } else { | ||||||
|  |         // If there is no longer a diff with the base delete the branch | ||||||
|  |         core.info( | ||||||
|  |           `Branch '${inputs.branch}' no longer differs from base branch '${inputs.base}'` | ||||||
|  |         ) | ||||||
|  |         core.info(`Closing pull request and deleting branch '${inputs.branch}'`) | ||||||
|  |         await git.push([ | ||||||
|  |           '--delete', | ||||||
|  |           '--force', | ||||||
|  |           'origin', | ||||||
|  |           `refs/heads/${inputs.branch}` | ||||||
|  |         ]) | ||||||
|  |       } | ||||||
|  |     } | ||||||
|  |   } catch (error) { | ||||||
|  |     core.setFailed(error.message) | ||||||
|  |   } finally { | ||||||
|  |     // Restore the extraheader config option | ||||||
|  |     if (extraHeaderOption.value != '') { | ||||||
|  |       if ( | ||||||
|  |         await gitConfigHelper.addConfigOption( | ||||||
|  |           EXTRAHEADER_OPTION, | ||||||
|  |           extraHeaderOption.value | ||||||
|  |         ) | ||||||
|  |       ) | ||||||
|  |         core.debug(`Restored config option '${EXTRAHEADER_OPTION}'`) | ||||||
|  |     } | ||||||
|  |   } | ||||||
|  | } | ||||||
							
								
								
									
										258
									
								
								src/git-command-manager.ts
									
									
									
									
									
										Normal file
									
								
							
							
						
						
									
										258
									
								
								src/git-command-manager.ts
									
									
									
									
									
										Normal file
									
								
							| @@ -0,0 +1,258 @@ | |||||||
|  | import * as exec from '@actions/exec' | ||||||
|  | import * as io from '@actions/io' | ||||||
|  |  | ||||||
|  | const tagsRefSpec = '+refs/tags/*:refs/tags/*' | ||||||
|  |  | ||||||
|  | export class GitCommandManager { | ||||||
|  |   private gitPath: string | ||||||
|  |   private workingDirectory: string | ||||||
|  |   // Git options used when commands require auth | ||||||
|  |   private authGitOptions?: string[] | ||||||
|  |   // Git options used when commands require an identity | ||||||
|  |   private identityGitOptions?: string[] | ||||||
|  |  | ||||||
|  |   private constructor(workingDirectory: string, gitPath: string) { | ||||||
|  |     this.workingDirectory = workingDirectory | ||||||
|  |     this.gitPath = gitPath | ||||||
|  |   } | ||||||
|  |  | ||||||
|  |   static async create(workingDirectory: string): Promise<GitCommandManager> { | ||||||
|  |     const gitPath = await io.which('git', true) | ||||||
|  |     return new GitCommandManager(workingDirectory, gitPath) | ||||||
|  |   } | ||||||
|  |  | ||||||
|  |   setAuthGitOptions(authGitOptions: string[]): void { | ||||||
|  |     this.authGitOptions = authGitOptions | ||||||
|  |   } | ||||||
|  |  | ||||||
|  |   setIdentityGitOptions(identityGitOptions: string[]): void { | ||||||
|  |     this.identityGitOptions = identityGitOptions | ||||||
|  |   } | ||||||
|  |  | ||||||
|  |   async checkout(ref: string, startPoint?: string): Promise<void> { | ||||||
|  |     const args = ['checkout', '--progress'] | ||||||
|  |     if (startPoint) { | ||||||
|  |       args.push('-B', ref, startPoint) | ||||||
|  |     } else { | ||||||
|  |       args.push(ref) | ||||||
|  |     } | ||||||
|  |     await this.exec(args) | ||||||
|  |   } | ||||||
|  |  | ||||||
|  |   async cherryPick( | ||||||
|  |     options?: string[], | ||||||
|  |     allowAllExitCodes = false | ||||||
|  |   ): Promise<GitOutput> { | ||||||
|  |     const args = ['cherry-pick'] | ||||||
|  |     if (this.identityGitOptions) { | ||||||
|  |       args.unshift(...this.identityGitOptions) | ||||||
|  |     } | ||||||
|  |  | ||||||
|  |     if (options) { | ||||||
|  |       args.push(...options) | ||||||
|  |     } | ||||||
|  |  | ||||||
|  |     return await this.exec(args, allowAllExitCodes) | ||||||
|  |   } | ||||||
|  |  | ||||||
|  |   async commit(options?: string[]): Promise<void> { | ||||||
|  |     const args = ['commit'] | ||||||
|  |     if (this.identityGitOptions) { | ||||||
|  |       args.unshift(...this.identityGitOptions) | ||||||
|  |     } | ||||||
|  |  | ||||||
|  |     if (options) { | ||||||
|  |       args.push(...options) | ||||||
|  |     } | ||||||
|  |  | ||||||
|  |     await this.exec(args) | ||||||
|  |   } | ||||||
|  |  | ||||||
|  |   async diff(options?: string[]): Promise<string> { | ||||||
|  |     const args = ['-c', 'core.pager=cat', 'diff'] | ||||||
|  |     if (options) { | ||||||
|  |       args.push(...options) | ||||||
|  |     } | ||||||
|  |     const output = await this.exec(args) | ||||||
|  |     return output.stdout.trim() | ||||||
|  |   } | ||||||
|  |  | ||||||
|  |   async fetch( | ||||||
|  |     refSpec: string[], | ||||||
|  |     remoteName?: string, | ||||||
|  |     options?: string[] | ||||||
|  |   ): Promise<void> { | ||||||
|  |     const args = ['-c', 'protocol.version=2'] | ||||||
|  |     if (this.authGitOptions) { | ||||||
|  |       args.push(...this.authGitOptions) | ||||||
|  |     } | ||||||
|  |     args.push('fetch') | ||||||
|  |  | ||||||
|  |     if (!refSpec.some(x => x === tagsRefSpec)) { | ||||||
|  |       args.push('--no-tags') | ||||||
|  |     } | ||||||
|  |  | ||||||
|  |     args.push('--progress', '--no-recurse-submodules') | ||||||
|  |  | ||||||
|  |     if (options) { | ||||||
|  |       args.push(...options) | ||||||
|  |     } | ||||||
|  |  | ||||||
|  |     if (remoteName) { | ||||||
|  |       args.push(remoteName) | ||||||
|  |     } else { | ||||||
|  |       args.push('origin') | ||||||
|  |     } | ||||||
|  |     for (const arg of refSpec) { | ||||||
|  |       args.push(arg) | ||||||
|  |     } | ||||||
|  |  | ||||||
|  |     await this.exec(args) | ||||||
|  |   } | ||||||
|  |  | ||||||
|  |   getWorkingDirectory(): string { | ||||||
|  |     return this.workingDirectory | ||||||
|  |   } | ||||||
|  |  | ||||||
|  |   async isDirty(untracked: boolean): Promise<boolean> { | ||||||
|  |     const diffArgs = ['--abbrev=40', '--full-index', '--raw'] | ||||||
|  |     // Check staged changes | ||||||
|  |     if (await this.diff([...diffArgs, '--staged'])) { | ||||||
|  |       return true | ||||||
|  |     } | ||||||
|  |     // Check working index changes | ||||||
|  |     if (await this.diff(diffArgs)) { | ||||||
|  |       return true | ||||||
|  |     } | ||||||
|  |     // Check untracked changes | ||||||
|  |     if (untracked && (await this.status(['--porcelain', '-unormal']))) { | ||||||
|  |       return true | ||||||
|  |     } | ||||||
|  |     return false | ||||||
|  |   } | ||||||
|  |  | ||||||
|  |   async push(options?: string[]): Promise<void> { | ||||||
|  |     const args = ['push'] | ||||||
|  |     if (this.authGitOptions) { | ||||||
|  |       args.unshift(...this.authGitOptions) | ||||||
|  |     } | ||||||
|  |  | ||||||
|  |     if (options) { | ||||||
|  |       args.push(...options) | ||||||
|  |     } | ||||||
|  |  | ||||||
|  |     await this.exec(args) | ||||||
|  |   } | ||||||
|  |  | ||||||
|  |   async revList( | ||||||
|  |     commitExpression: string[], | ||||||
|  |     options?: string[] | ||||||
|  |   ): Promise<string> { | ||||||
|  |     const args = ['rev-list'] | ||||||
|  |     if (options) { | ||||||
|  |       args.push(...options) | ||||||
|  |     } | ||||||
|  |     args.push(...commitExpression) | ||||||
|  |     const output = await this.exec(args) | ||||||
|  |     return output.stdout.trim() | ||||||
|  |   } | ||||||
|  |  | ||||||
|  |   async revParse(ref: string, options?: string[]): Promise<string> { | ||||||
|  |     const args = ['rev-parse'] | ||||||
|  |     if (options) { | ||||||
|  |       args.push(...options) | ||||||
|  |     } | ||||||
|  |     args.push(ref) | ||||||
|  |     const output = await this.exec(args) | ||||||
|  |     return output.stdout.trim() | ||||||
|  |   } | ||||||
|  |  | ||||||
|  |   async status(options?: string[]): Promise<string> { | ||||||
|  |     const args = ['status'] | ||||||
|  |     if (options) { | ||||||
|  |       args.push(...options) | ||||||
|  |     } | ||||||
|  |     const output = await this.exec(args) | ||||||
|  |     return output.stdout.trim() | ||||||
|  |   } | ||||||
|  |  | ||||||
|  |   async symbolicRef(ref: string, options?: string[]): Promise<string> { | ||||||
|  |     const args = ['symbolic-ref', ref] | ||||||
|  |     if (options) { | ||||||
|  |       args.push(...options) | ||||||
|  |     } | ||||||
|  |     const output = await this.exec(args) | ||||||
|  |     return output.stdout.trim() | ||||||
|  |   } | ||||||
|  |  | ||||||
|  |   async tryConfigUnset( | ||||||
|  |     configKey: string, | ||||||
|  |     globalConfig?: boolean | ||||||
|  |   ): Promise<boolean> { | ||||||
|  |     const output = await this.exec( | ||||||
|  |       [ | ||||||
|  |         'config', | ||||||
|  |         globalConfig ? '--global' : '--local', | ||||||
|  |         '--unset-all', | ||||||
|  |         configKey | ||||||
|  |       ], | ||||||
|  |       true | ||||||
|  |     ) | ||||||
|  |     return output.exitCode === 0 | ||||||
|  |   } | ||||||
|  |  | ||||||
|  |   async tryGetFetchUrl(): Promise<string> { | ||||||
|  |     const output = await this.exec( | ||||||
|  |       ['config', '--local', '--get', 'remote.origin.url'], | ||||||
|  |       true | ||||||
|  |     ) | ||||||
|  |  | ||||||
|  |     if (output.exitCode !== 0) { | ||||||
|  |       return '' | ||||||
|  |     } | ||||||
|  |  | ||||||
|  |     const stdout = output.stdout.trim() | ||||||
|  |     if (stdout.includes('\n')) { | ||||||
|  |       return '' | ||||||
|  |     } | ||||||
|  |  | ||||||
|  |     return stdout | ||||||
|  |   } | ||||||
|  |  | ||||||
|  |   async exec(args: string[], allowAllExitCodes = false): Promise<GitOutput> { | ||||||
|  |     const result = new GitOutput() | ||||||
|  |  | ||||||
|  |     const env = {} | ||||||
|  |     for (const key of Object.keys(process.env)) { | ||||||
|  |       env[key] = process.env[key] | ||||||
|  |     } | ||||||
|  |  | ||||||
|  |     const stdout: string[] = [] | ||||||
|  |     const stderr: string[] = [] | ||||||
|  |  | ||||||
|  |     const options = { | ||||||
|  |       cwd: this.workingDirectory, | ||||||
|  |       env, | ||||||
|  |       ignoreReturnCode: allowAllExitCodes, | ||||||
|  |       listeners: { | ||||||
|  |         stdout: (data: Buffer) => { | ||||||
|  |           stdout.push(data.toString()) | ||||||
|  |         }, | ||||||
|  |         stderr: (data: Buffer) => { | ||||||
|  |           stderr.push(data.toString()) | ||||||
|  |         } | ||||||
|  |       } | ||||||
|  |     } | ||||||
|  |  | ||||||
|  |     result.exitCode = await exec.exec(`"${this.gitPath}"`, args, options) | ||||||
|  |     result.stdout = stdout.join('') | ||||||
|  |     result.stderr = stderr.join('') | ||||||
|  |     return result | ||||||
|  |   } | ||||||
|  | } | ||||||
|  |  | ||||||
|  | class GitOutput { | ||||||
|  |   stdout = '' | ||||||
|  |   stderr = '' | ||||||
|  |   exitCode = 0 | ||||||
|  | } | ||||||
							
								
								
									
										64
									
								
								src/git-config-helper.ts
									
									
									
									
									
										Normal file
									
								
							
							
						
						
									
										64
									
								
								src/git-config-helper.ts
									
									
									
									
									
										Normal file
									
								
							| @@ -0,0 +1,64 @@ | |||||||
|  | import * as core from '@actions/core' | ||||||
|  | import {GitCommandManager} from './git-command-manager' | ||||||
|  |  | ||||||
|  | export class ConfigOption { | ||||||
|  |   name = '' | ||||||
|  |   value = '' | ||||||
|  | } | ||||||
|  |  | ||||||
|  | export class GitConfigHelper { | ||||||
|  |   private git: GitCommandManager | ||||||
|  |  | ||||||
|  |   constructor(git: GitCommandManager) { | ||||||
|  |     this.git = git | ||||||
|  |   } | ||||||
|  |  | ||||||
|  |   async addConfigOption(name: string, value: string): Promise<boolean> { | ||||||
|  |     const result = await this.git.exec( | ||||||
|  |       ['config', '--local', '--add', name, value], | ||||||
|  |       true | ||||||
|  |     ) | ||||||
|  |     return result.exitCode === 0 | ||||||
|  |   } | ||||||
|  |  | ||||||
|  |   async unsetConfigOption(name: string, valueRegex = '.'): Promise<boolean> { | ||||||
|  |     const result = await this.git.exec( | ||||||
|  |       ['config', '--local', '--unset', name, valueRegex], | ||||||
|  |       true | ||||||
|  |     ) | ||||||
|  |     return result.exitCode === 0 | ||||||
|  |   } | ||||||
|  |  | ||||||
|  |   async configOptionExists(name: string, valueRegex = '.'): Promise<boolean> { | ||||||
|  |     const result = await this.git.exec( | ||||||
|  |       ['config', '--local', '--name-only', '--get-regexp', name, valueRegex], | ||||||
|  |       true | ||||||
|  |     ) | ||||||
|  |     return result.exitCode === 0 | ||||||
|  |   } | ||||||
|  |  | ||||||
|  |   async getConfigOption(name: string, valueRegex = '.'): Promise<ConfigOption> { | ||||||
|  |     const option = new ConfigOption() | ||||||
|  |     const result = await this.git.exec( | ||||||
|  |       ['config', '--local', '--get-regexp', name, valueRegex], | ||||||
|  |       true | ||||||
|  |     ) | ||||||
|  |     option.name = name | ||||||
|  |     option.value = result.stdout.trim().split(`${name} `)[1] | ||||||
|  |     return option | ||||||
|  |   } | ||||||
|  |  | ||||||
|  |   async getAndUnsetConfigOption( | ||||||
|  |     name: string, | ||||||
|  |     valueRegex = '.' | ||||||
|  |   ): Promise<ConfigOption> { | ||||||
|  |     if (await this.configOptionExists(name, valueRegex)) { | ||||||
|  |       const option = await this.getConfigOption(name, valueRegex) | ||||||
|  |       if (await this.unsetConfigOption(name, valueRegex)) { | ||||||
|  |         core.debug(`Unset config option '${name}'`) | ||||||
|  |         return option | ||||||
|  |       } | ||||||
|  |     } | ||||||
|  |     return new ConfigOption() | ||||||
|  |   } | ||||||
|  | } | ||||||
							
								
								
									
										105
									
								
								src/git-identity-helper.ts
									
									
									
									
									
										Normal file
									
								
							
							
						
						
									
										105
									
								
								src/git-identity-helper.ts
									
									
									
									
									
										Normal file
									
								
							| @@ -0,0 +1,105 @@ | |||||||
|  | import * as core from '@actions/core' | ||||||
|  | import {GitCommandManager} from './git-command-manager' | ||||||
|  | import {GitConfigHelper} from './git-config-helper' | ||||||
|  | import * as utils from './utils' | ||||||
|  |  | ||||||
|  | // Default the committer and author to the GitHub Actions bot | ||||||
|  | const DEFAULT_COMMITTER = 'GitHub <noreply@github.com>' | ||||||
|  | const DEFAULT_AUTHOR = | ||||||
|  |   'github-actions[bot] <41898282+github-actions[bot]@users.noreply.github.com>' | ||||||
|  |  | ||||||
|  | interface GitIdentity { | ||||||
|  |   authorName: string | ||||||
|  |   authorEmail: string | ||||||
|  |   committerName: string | ||||||
|  |   committerEmail: string | ||||||
|  | } | ||||||
|  |  | ||||||
|  | export class GitIdentityHelper { | ||||||
|  |   private git: GitCommandManager | ||||||
|  |  | ||||||
|  |   constructor(git: GitCommandManager) { | ||||||
|  |     this.git = git | ||||||
|  |   } | ||||||
|  |  | ||||||
|  |   private async getGitIdentityFromConfig(): Promise<GitIdentity | undefined> { | ||||||
|  |     const gitConfigHelper = new GitConfigHelper(this.git) | ||||||
|  |  | ||||||
|  |     if ( | ||||||
|  |       (await gitConfigHelper.configOptionExists('user.name')) && | ||||||
|  |       (await gitConfigHelper.configOptionExists('user.email')) | ||||||
|  |     ) { | ||||||
|  |       const userName = await gitConfigHelper.getConfigOption('user.name') | ||||||
|  |       const userEmail = await gitConfigHelper.getConfigOption('user.email') | ||||||
|  |       return { | ||||||
|  |         authorName: userName.value, | ||||||
|  |         authorEmail: userEmail.value, | ||||||
|  |         committerName: userName.value, | ||||||
|  |         committerEmail: userEmail.value | ||||||
|  |       } | ||||||
|  |     } | ||||||
|  |  | ||||||
|  |     if ( | ||||||
|  |       (await gitConfigHelper.configOptionExists('committer.name')) && | ||||||
|  |       (await gitConfigHelper.configOptionExists('committer.email')) && | ||||||
|  |       (await gitConfigHelper.configOptionExists('author.name')) && | ||||||
|  |       (await gitConfigHelper.configOptionExists('author.email')) | ||||||
|  |     ) { | ||||||
|  |       const committerName = await gitConfigHelper.getConfigOption( | ||||||
|  |         'committer.name' | ||||||
|  |       ) | ||||||
|  |       const committerEmail = await gitConfigHelper.getConfigOption( | ||||||
|  |         'committer.email' | ||||||
|  |       ) | ||||||
|  |       const authorName = await gitConfigHelper.getConfigOption('author.name') | ||||||
|  |       const authorEmail = await gitConfigHelper.getConfigOption('author.email') | ||||||
|  |       return { | ||||||
|  |         authorName: authorName.value, | ||||||
|  |         authorEmail: authorEmail.value, | ||||||
|  |         committerName: committerName.value, | ||||||
|  |         committerEmail: committerEmail.value | ||||||
|  |       } | ||||||
|  |     } | ||||||
|  |  | ||||||
|  |     return undefined | ||||||
|  |   } | ||||||
|  |  | ||||||
|  |   async getIdentity(author: string, committer: string): Promise<GitIdentity> { | ||||||
|  |     // If either committer or author is supplied they will be cross used | ||||||
|  |     if (!committer && author) { | ||||||
|  |       core.info('Supplied author will also be used as the committer.') | ||||||
|  |       committer = author | ||||||
|  |     } | ||||||
|  |     if (!author && committer) { | ||||||
|  |       core.info('Supplied committer will also be used as the author.') | ||||||
|  |       author = committer | ||||||
|  |     } | ||||||
|  |  | ||||||
|  |     // If no committer/author has been supplied, try and fetch identity | ||||||
|  |     // configuration already existing in git config. | ||||||
|  |     if (!committer && !author) { | ||||||
|  |       const identity = await this.getGitIdentityFromConfig() | ||||||
|  |       if (identity) { | ||||||
|  |         core.info('Retrieved a pre-configured git identity.') | ||||||
|  |         return identity | ||||||
|  |       } | ||||||
|  |     } | ||||||
|  |  | ||||||
|  |     // Set defaults if no committer/author has been supplied and no | ||||||
|  |     // existing identity configuration was found. | ||||||
|  |     if (!committer && !author) { | ||||||
|  |       core.info('Action defaults set for the author and committer.') | ||||||
|  |       committer = DEFAULT_COMMITTER | ||||||
|  |       author = DEFAULT_AUTHOR | ||||||
|  |     } | ||||||
|  |  | ||||||
|  |     const parsedAuthor = utils.parseDisplayNameEmail(author) | ||||||
|  |     const parsedCommitter = utils.parseDisplayNameEmail(committer) | ||||||
|  |     return { | ||||||
|  |       authorName: parsedAuthor.name, | ||||||
|  |       authorEmail: parsedAuthor.email, | ||||||
|  |       committerName: parsedCommitter.name, | ||||||
|  |       committerEmail: parsedCommitter.email | ||||||
|  |     } | ||||||
|  |   } | ||||||
|  | } | ||||||
							
								
								
									
										121
									
								
								src/git.ts
									
									
									
									
									
								
							
							
						
						
									
										121
									
								
								src/git.ts
									
									
									
									
									
								
							| @@ -1,121 +0,0 @@ | |||||||
| import * as core from '@actions/core' |  | ||||||
| import * as exec from '@actions/exec' |  | ||||||
| import * as path from 'path' |  | ||||||
|  |  | ||||||
| class GitOutput { |  | ||||||
|   stdout = '' |  | ||||||
|   exitCode = 0 |  | ||||||
| } |  | ||||||
|  |  | ||||||
| export class ConfigOption { |  | ||||||
|   name = '' |  | ||||||
|   value = '' |  | ||||||
| } |  | ||||||
|  |  | ||||||
| export function getRepoPath(relativePath?: string): string { |  | ||||||
|   let githubWorkspacePath = process.env['GITHUB_WORKSPACE'] |  | ||||||
|   if (!githubWorkspacePath) { |  | ||||||
|     throw new Error('GITHUB_WORKSPACE not defined') |  | ||||||
|   } |  | ||||||
|   githubWorkspacePath = path.resolve(githubWorkspacePath) |  | ||||||
|   core.debug(`githubWorkspacePath: ${githubWorkspacePath}`) |  | ||||||
|  |  | ||||||
|   let repoPath = githubWorkspacePath |  | ||||||
|   if (relativePath) repoPath = path.resolve(repoPath, relativePath) |  | ||||||
|  |  | ||||||
|   core.debug(`repoPath: ${repoPath}`) |  | ||||||
|   return repoPath |  | ||||||
| } |  | ||||||
|  |  | ||||||
| export async function execGit( |  | ||||||
|   repoPath: string, |  | ||||||
|   args: string[], |  | ||||||
|   ignoreReturnCode = false |  | ||||||
| ): Promise<GitOutput> { |  | ||||||
|   const result = new GitOutput() |  | ||||||
|  |  | ||||||
|   const stdout: string[] = [] |  | ||||||
|   const options = { |  | ||||||
|     cwd: repoPath, |  | ||||||
|     ignoreReturnCode: ignoreReturnCode, |  | ||||||
|     listeners: { |  | ||||||
|       stdout: (data: Buffer): void => { |  | ||||||
|         stdout.push(data.toString()) |  | ||||||
|       } |  | ||||||
|     } |  | ||||||
|   } |  | ||||||
|  |  | ||||||
|   result.exitCode = await exec.exec('git', args, options) |  | ||||||
|   result.stdout = stdout.join('') |  | ||||||
|   return result |  | ||||||
| } |  | ||||||
|  |  | ||||||
| export async function addConfigOption( |  | ||||||
|   repoPath: string, |  | ||||||
|   name: string, |  | ||||||
|   value: string |  | ||||||
| ): Promise<boolean> { |  | ||||||
|   const result = await execGit( |  | ||||||
|     repoPath, |  | ||||||
|     ['config', '--local', '--add', name, value], |  | ||||||
|     true |  | ||||||
|   ) |  | ||||||
|   return result.exitCode === 0 |  | ||||||
| } |  | ||||||
|  |  | ||||||
| export async function unsetConfigOption( |  | ||||||
|   repoPath: string, |  | ||||||
|   name: string, |  | ||||||
|   valueRegex = '.' |  | ||||||
| ): Promise<boolean> { |  | ||||||
|   const result = await execGit( |  | ||||||
|     repoPath, |  | ||||||
|     ['config', '--local', '--unset', name, valueRegex], |  | ||||||
|     true |  | ||||||
|   ) |  | ||||||
|   return result.exitCode === 0 |  | ||||||
| } |  | ||||||
|  |  | ||||||
| export async function configOptionExists( |  | ||||||
|   repoPath: string, |  | ||||||
|   name: string, |  | ||||||
|   valueRegex = '.' |  | ||||||
| ): Promise<boolean> { |  | ||||||
|   const result = await execGit( |  | ||||||
|     repoPath, |  | ||||||
|     ['config', '--local', '--name-only', '--get-regexp', name, valueRegex], |  | ||||||
|     true |  | ||||||
|   ) |  | ||||||
|   return result.exitCode === 0 |  | ||||||
| } |  | ||||||
|  |  | ||||||
| export async function getConfigOption( |  | ||||||
|   repoPath: string, |  | ||||||
|   name: string, |  | ||||||
|   valueRegex = '.' |  | ||||||
| ): Promise<ConfigOption> { |  | ||||||
|   const option = new ConfigOption() |  | ||||||
|   const result = await execGit( |  | ||||||
|     repoPath, |  | ||||||
|     ['config', '--local', '--get-regexp', name, valueRegex], |  | ||||||
|     true |  | ||||||
|   ) |  | ||||||
|   option.name = name |  | ||||||
|   option.value = result.stdout.trim().split(`${name} `)[1] |  | ||||||
|   return option |  | ||||||
| } |  | ||||||
|  |  | ||||||
| export async function getAndUnsetConfigOption( |  | ||||||
|   repoPath: string, |  | ||||||
|   name: string, |  | ||||||
|   valueRegex = '.' |  | ||||||
| ): Promise<ConfigOption> { |  | ||||||
|   if (await configOptionExists(repoPath, name, valueRegex)) { |  | ||||||
|     const option = await getConfigOption(repoPath, name, valueRegex) |  | ||||||
|     if (await unsetConfigOption(repoPath, name, valueRegex)) { |  | ||||||
|       core.debug(`Unset config option '${name}'`) |  | ||||||
|       return option |  | ||||||
|     } |  | ||||||
|   } |  | ||||||
|   return new ConfigOption() |  | ||||||
| } |  | ||||||
							
								
								
									
										157
									
								
								src/github-helper.ts
									
									
									
									
									
										Normal file
									
								
							
							
						
						
									
										157
									
								
								src/github-helper.ts
									
									
									
									
									
										Normal file
									
								
							| @@ -0,0 +1,157 @@ | |||||||
|  | import * as core from '@actions/core' | ||||||
|  | import {Inputs} from './create-pull-request' | ||||||
|  | import {Octokit, OctokitOptions} from './octokit-client' | ||||||
|  |  | ||||||
|  | const ERROR_PR_REVIEW_FROM_AUTHOR = | ||||||
|  |   'Review cannot be requested from pull request author' | ||||||
|  |  | ||||||
|  | interface Repository { | ||||||
|  |   owner: string | ||||||
|  |   repo: string | ||||||
|  | } | ||||||
|  |  | ||||||
|  | export class GitHubHelper { | ||||||
|  |   private octokit: InstanceType<typeof Octokit> | ||||||
|  |  | ||||||
|  |   constructor(token: string) { | ||||||
|  |     const options: OctokitOptions = {} | ||||||
|  |     if (token) { | ||||||
|  |       options.auth = `${token}` | ||||||
|  |     } | ||||||
|  |     this.octokit = new Octokit(options) | ||||||
|  |   } | ||||||
|  |  | ||||||
|  |   private parseRepository(repository: string): Repository { | ||||||
|  |     const [owner, repo] = repository.split('/') | ||||||
|  |     return { | ||||||
|  |       owner: owner, | ||||||
|  |       repo: repo | ||||||
|  |     } | ||||||
|  |   } | ||||||
|  |  | ||||||
|  |   private async createOrUpdate( | ||||||
|  |     inputs: Inputs, | ||||||
|  |     baseRepository: string, | ||||||
|  |     headBranch: string | ||||||
|  |   ): Promise<number> { | ||||||
|  |     // Try to create the pull request | ||||||
|  |     try { | ||||||
|  |       const {data: pull} = await this.octokit.pulls.create({ | ||||||
|  |         ...this.parseRepository(baseRepository), | ||||||
|  |         title: inputs.title, | ||||||
|  |         head: headBranch, | ||||||
|  |         base: inputs.base, | ||||||
|  |         body: inputs.body, | ||||||
|  |         draft: inputs.draft | ||||||
|  |       }) | ||||||
|  |       core.info( | ||||||
|  |         `Created pull request #${pull.number} (${headBranch} => ${inputs.base})` | ||||||
|  |       ) | ||||||
|  |       return pull.number | ||||||
|  |     } catch (e) { | ||||||
|  |       if ( | ||||||
|  |         !e.message || | ||||||
|  |         !e.message.includes(`A pull request already exists for ${headBranch}`) | ||||||
|  |       ) { | ||||||
|  |         throw e | ||||||
|  |       } | ||||||
|  |     } | ||||||
|  |  | ||||||
|  |     // Update the pull request that exists for this branch and base | ||||||
|  |     const {data: pulls} = await this.octokit.pulls.list({ | ||||||
|  |       ...this.parseRepository(baseRepository), | ||||||
|  |       state: 'open', | ||||||
|  |       head: headBranch, | ||||||
|  |       base: inputs.base | ||||||
|  |     }) | ||||||
|  |     const {data: pull} = await this.octokit.pulls.update({ | ||||||
|  |       ...this.parseRepository(baseRepository), | ||||||
|  |       pull_number: pulls[0].number, | ||||||
|  |       title: inputs.title, | ||||||
|  |       body: inputs.body, | ||||||
|  |       draft: inputs.draft | ||||||
|  |     }) | ||||||
|  |     core.info( | ||||||
|  |       `Updated pull request #${pull.number} (${headBranch} => ${inputs.base})` | ||||||
|  |     ) | ||||||
|  |     return pull.number | ||||||
|  |   } | ||||||
|  |  | ||||||
|  |   async createOrUpdatePullRequest( | ||||||
|  |     inputs: Inputs, | ||||||
|  |     headRepository: string | ||||||
|  |   ): Promise<void> { | ||||||
|  |     const {data: headRepo} = await this.octokit.repos.get({ | ||||||
|  |       ...this.parseRepository(headRepository) | ||||||
|  |     }) | ||||||
|  |  | ||||||
|  |     if (inputs.requestToParent && !headRepo.parent) { | ||||||
|  |       throw new Error( | ||||||
|  |         `The checked out repository is not a fork. Input 'request-to-parent' should be set to 'false'.` | ||||||
|  |       ) | ||||||
|  |     } | ||||||
|  |     const baseRepository = inputs.requestToParent | ||||||
|  |       ? headRepo.parent.full_name | ||||||
|  |       : headRepository | ||||||
|  |  | ||||||
|  |     const headBranch = `${headRepo.owner.login}:${inputs.branch}` | ||||||
|  |  | ||||||
|  |     // Create or update the pull request | ||||||
|  |     const pullNumber = await this.createOrUpdate( | ||||||
|  |       inputs, | ||||||
|  |       baseRepository, | ||||||
|  |       headBranch | ||||||
|  |     ) | ||||||
|  |  | ||||||
|  |     // Set output | ||||||
|  |     core.setOutput('pull-request-number', pullNumber) | ||||||
|  |  | ||||||
|  |     // Set milestone, labels and assignees | ||||||
|  |     const updateIssueParams = {} | ||||||
|  |     if (inputs.milestone) { | ||||||
|  |       updateIssueParams['milestone'] = inputs.milestone | ||||||
|  |       core.info(`Applying milestone '${inputs.milestone}'`) | ||||||
|  |     } | ||||||
|  |     if (inputs.labels.length > 0) { | ||||||
|  |       updateIssueParams['labels'] = inputs.labels | ||||||
|  |       core.info(`Applying labels '${inputs.labels}'`) | ||||||
|  |     } | ||||||
|  |     if (inputs.assignees.length > 0) { | ||||||
|  |       updateIssueParams['assignees'] = inputs.assignees | ||||||
|  |       core.info(`Applying assignees '${inputs.assignees}'`) | ||||||
|  |     } | ||||||
|  |     if (Object.keys(updateIssueParams).length > 0) { | ||||||
|  |       await this.octokit.issues.update({ | ||||||
|  |         ...this.parseRepository(baseRepository), | ||||||
|  |         issue_number: pullNumber, | ||||||
|  |         ...updateIssueParams | ||||||
|  |       }) | ||||||
|  |     } | ||||||
|  |  | ||||||
|  |     // Request reviewers and team reviewers | ||||||
|  |     const requestReviewersParams = {} | ||||||
|  |     if (inputs.reviewers.length > 0) { | ||||||
|  |       requestReviewersParams['reviewers'] = inputs.reviewers | ||||||
|  |       core.info(`Requesting reviewers '${inputs.reviewers}'`) | ||||||
|  |     } | ||||||
|  |     if (inputs.teamReviewers.length > 0) { | ||||||
|  |       requestReviewersParams['team_reviewers'] = inputs.teamReviewers | ||||||
|  |       core.info(`Requesting team reviewers '${inputs.teamReviewers}'`) | ||||||
|  |     } | ||||||
|  |     if (Object.keys(requestReviewersParams).length > 0) { | ||||||
|  |       try { | ||||||
|  |         await this.octokit.pulls.requestReviewers({ | ||||||
|  |           ...this.parseRepository(baseRepository), | ||||||
|  |           pull_number: pullNumber, | ||||||
|  |           ...requestReviewersParams | ||||||
|  |         }) | ||||||
|  |       } catch (e) { | ||||||
|  |         if (e.message && e.message.includes(ERROR_PR_REVIEW_FROM_AUTHOR)) { | ||||||
|  |           core.warning(ERROR_PR_REVIEW_FROM_AUTHOR) | ||||||
|  |         } else { | ||||||
|  |           throw e | ||||||
|  |         } | ||||||
|  |       } | ||||||
|  |     } | ||||||
|  |   } | ||||||
|  | } | ||||||
							
								
								
									
										116
									
								
								src/main.ts
									
									
									
									
									
								
							
							
						
						
									
										116
									
								
								src/main.ts
									
									
									
									
									
								
							| @@ -1,56 +1,11 @@ | |||||||
| import * as core from '@actions/core' | import * as core from '@actions/core' | ||||||
| import * as exec from '@actions/exec' | import {Inputs, createPullRequest} from './create-pull-request' | ||||||
| import {isDocker} from './isDocker' |  | ||||||
| import {setupPython} from './setupPython' |  | ||||||
| import { |  | ||||||
|   ConfigOption, |  | ||||||
|   getRepoPath, |  | ||||||
|   getAndUnsetConfigOption, |  | ||||||
|   addConfigOption |  | ||||||
| } from './git' |  | ||||||
| import {inspect} from 'util' | import {inspect} from 'util' | ||||||
|  | import * as utils from './utils' | ||||||
| const EXTRAHEADER_OPTION = 'http.https://github.com/.extraheader' |  | ||||||
| const EXTRAHEADER_VALUE_REGEX = '^AUTHORIZATION:' |  | ||||||
|  |  | ||||||
| async function run(): Promise<void> { | async function run(): Promise<void> { | ||||||
|   let repoPath |  | ||||||
|   let extraHeaderOption = new ConfigOption() |  | ||||||
|   try { |   try { | ||||||
|     // Python assets |     const inputs: Inputs = { | ||||||
|     const cpr = `${__dirname}/cpr` |  | ||||||
|     core.debug(`cpr: ${cpr}`) |  | ||||||
|  |  | ||||||
|     // Determine how to access python and pip |  | ||||||
|     const {pip, python} = (function (): {pip: string; python: string} { |  | ||||||
|       if (isDocker()) { |  | ||||||
|         core.info('Running inside a Docker container') |  | ||||||
|         // Python 3 assumed to be installed and on the PATH |  | ||||||
|         return { |  | ||||||
|           pip: 'pip3', |  | ||||||
|           python: 'python3' |  | ||||||
|         } |  | ||||||
|       } else { |  | ||||||
|         // Setup Python from the tool cache |  | ||||||
|         setupPython('3.x', 'x64') |  | ||||||
|         return { |  | ||||||
|           pip: 'pip', |  | ||||||
|           python: 'python' |  | ||||||
|         } |  | ||||||
|       } |  | ||||||
|     })() |  | ||||||
|  |  | ||||||
|     // Install requirements |  | ||||||
|     await exec.exec(pip, [ |  | ||||||
|       'install', |  | ||||||
|       '--requirement', |  | ||||||
|       `${cpr}/requirements.txt`, |  | ||||||
|       '--no-index', |  | ||||||
|       `--find-links=${__dirname}/vendor` |  | ||||||
|     ]) |  | ||||||
|  |  | ||||||
|     // Fetch action inputs |  | ||||||
|     const inputs = { |  | ||||||
|       token: core.getInput('token'), |       token: core.getInput('token'), | ||||||
|       path: core.getInput('path'), |       path: core.getInput('path'), | ||||||
|       commitMessage: core.getInput('commit-message'), |       commitMessage: core.getInput('commit-message'), | ||||||
| @@ -58,71 +13,22 @@ async function run(): Promise<void> { | |||||||
|       author: core.getInput('author'), |       author: core.getInput('author'), | ||||||
|       title: core.getInput('title'), |       title: core.getInput('title'), | ||||||
|       body: core.getInput('body'), |       body: core.getInput('body'), | ||||||
|       labels: core.getInput('labels'), |       labels: utils.getInputAsArray('labels'), | ||||||
|       assignees: core.getInput('assignees'), |       assignees: utils.getInputAsArray('assignees'), | ||||||
|       reviewers: core.getInput('reviewers'), |       reviewers: utils.getInputAsArray('reviewers'), | ||||||
|       teamReviewers: core.getInput('team-reviewers'), |       teamReviewers: utils.getInputAsArray('team-reviewers'), | ||||||
|       milestone: core.getInput('milestone'), |       milestone: Number(core.getInput('milestone')), | ||||||
|       project: core.getInput('project'), |       draft: core.getInput('draft') === 'true', | ||||||
|       projectColumn: core.getInput('project-column'), |  | ||||||
|       draft: core.getInput('draft'), |  | ||||||
|       branch: core.getInput('branch'), |       branch: core.getInput('branch'), | ||||||
|       requestToParent: core.getInput('request-to-parent'), |       requestToParent: core.getInput('request-to-parent') === 'true', | ||||||
|       base: core.getInput('base'), |       base: core.getInput('base'), | ||||||
|       branchSuffix: core.getInput('branch-suffix') |       branchSuffix: core.getInput('branch-suffix') | ||||||
|     } |     } | ||||||
|     core.debug(`Inputs: ${inspect(inputs)}`) |     core.debug(`Inputs: ${inspect(inputs)}`) | ||||||
|  |  | ||||||
|     // Set environment variables from inputs. |     await createPullRequest(inputs) | ||||||
|     if (inputs.token) process.env.GITHUB_TOKEN = inputs.token |  | ||||||
|     if (inputs.path) process.env.CPR_PATH = inputs.path |  | ||||||
|     if (inputs.commitMessage) |  | ||||||
|       process.env.CPR_COMMIT_MESSAGE = inputs.commitMessage |  | ||||||
|     if (inputs.committer) process.env.CPR_COMMITTER = inputs.committer |  | ||||||
|     if (inputs.author) process.env.CPR_AUTHOR = inputs.author |  | ||||||
|     if (inputs.title) process.env.CPR_TITLE = inputs.title |  | ||||||
|     if (inputs.body) process.env.CPR_BODY = inputs.body |  | ||||||
|     if (inputs.labels) process.env.CPR_LABELS = inputs.labels |  | ||||||
|     if (inputs.assignees) process.env.CPR_ASSIGNEES = inputs.assignees |  | ||||||
|     if (inputs.reviewers) process.env.CPR_REVIEWERS = inputs.reviewers |  | ||||||
|     if (inputs.teamReviewers) |  | ||||||
|       process.env.CPR_TEAM_REVIEWERS = inputs.teamReviewers |  | ||||||
|     if (inputs.milestone) process.env.CPR_MILESTONE = inputs.milestone |  | ||||||
|     if (inputs.project) process.env.CPR_PROJECT_NAME = inputs.project |  | ||||||
|     if (inputs.projectColumn) |  | ||||||
|       process.env.CPR_PROJECT_COLUMN_NAME = inputs.projectColumn |  | ||||||
|     if (inputs.draft) process.env.CPR_DRAFT = inputs.draft |  | ||||||
|     if (inputs.branch) process.env.CPR_BRANCH = inputs.branch |  | ||||||
|     if (inputs.requestToParent) |  | ||||||
|       process.env.CPR_REQUEST_TO_PARENT = inputs.requestToParent |  | ||||||
|     if (inputs.base) process.env.CPR_BASE = inputs.base |  | ||||||
|     if (inputs.branchSuffix) process.env.CPR_BRANCH_SUFFIX = inputs.branchSuffix |  | ||||||
|  |  | ||||||
|     // Get the repository path |  | ||||||
|     repoPath = getRepoPath(inputs.path) |  | ||||||
|     // Get the extraheader config option if it exists |  | ||||||
|     extraHeaderOption = await getAndUnsetConfigOption( |  | ||||||
|       repoPath, |  | ||||||
|       EXTRAHEADER_OPTION, |  | ||||||
|       EXTRAHEADER_VALUE_REGEX |  | ||||||
|     ) |  | ||||||
|  |  | ||||||
|     // Execute create pull request |  | ||||||
|     await exec.exec(python, [`${cpr}/create_pull_request.py`]) |  | ||||||
|   } catch (error) { |   } catch (error) { | ||||||
|     core.setFailed(error.message) |     core.setFailed(error.message) | ||||||
|   } finally { |  | ||||||
|     // Restore the extraheader config option |  | ||||||
|     if (extraHeaderOption.value != '') { |  | ||||||
|       if ( |  | ||||||
|         await addConfigOption( |  | ||||||
|           repoPath, |  | ||||||
|           EXTRAHEADER_OPTION, |  | ||||||
|           extraHeaderOption.value |  | ||||||
|         ) |  | ||||||
|       ) |  | ||||||
|         core.debug(`Restored config option '${EXTRAHEADER_OPTION}'`) |  | ||||||
|     } |  | ||||||
|   } |   } | ||||||
| } | } | ||||||
|  |  | ||||||
|   | |||||||
							
								
								
									
										7
									
								
								src/octokit-client.ts
									
									
									
									
									
										Normal file
									
								
							
							
						
						
									
										7
									
								
								src/octokit-client.ts
									
									
									
									
									
										Normal file
									
								
							| @@ -0,0 +1,7 @@ | |||||||
|  | import {Octokit as Core} from '@octokit/core' | ||||||
|  | import {paginateRest} from '@octokit/plugin-paginate-rest' | ||||||
|  | import {restEndpointMethods} from '@octokit/plugin-rest-endpoint-methods' | ||||||
|  | export {RestEndpointMethodTypes} from '@octokit/plugin-rest-endpoint-methods' | ||||||
|  | export {OctokitOptions} from '@octokit/core/dist-types/types' | ||||||
|  |  | ||||||
|  | export const Octokit = Core.plugin(paginateRest, restEndpointMethods) | ||||||
							
								
								
									
										107
									
								
								src/utils.ts
									
									
									
									
									
										Normal file
									
								
							
							
						
						
									
										107
									
								
								src/utils.ts
									
									
									
									
									
										Normal file
									
								
							| @@ -0,0 +1,107 @@ | |||||||
|  | import * as core from '@actions/core' | ||||||
|  | import * as path from 'path' | ||||||
|  |  | ||||||
|  | export function getInputAsArray( | ||||||
|  |   name: string, | ||||||
|  |   options?: core.InputOptions | ||||||
|  | ): string[] { | ||||||
|  |   return getStringAsArray(core.getInput(name, options)) | ||||||
|  | } | ||||||
|  |  | ||||||
|  | export function getStringAsArray(str: string): string[] { | ||||||
|  |   return str | ||||||
|  |     .split(/[\n,]+/) | ||||||
|  |     .map(s => s.trim()) | ||||||
|  |     .filter(x => x !== '') | ||||||
|  | } | ||||||
|  |  | ||||||
|  | export function getRepoPath(relativePath?: string): string { | ||||||
|  |   let githubWorkspacePath = process.env['GITHUB_WORKSPACE'] | ||||||
|  |   if (!githubWorkspacePath) { | ||||||
|  |     throw new Error('GITHUB_WORKSPACE not defined') | ||||||
|  |   } | ||||||
|  |   githubWorkspacePath = path.resolve(githubWorkspacePath) | ||||||
|  |   core.debug(`githubWorkspacePath: ${githubWorkspacePath}`) | ||||||
|  |  | ||||||
|  |   let repoPath = githubWorkspacePath | ||||||
|  |   if (relativePath) repoPath = path.resolve(repoPath, relativePath) | ||||||
|  |  | ||||||
|  |   core.debug(`repoPath: ${repoPath}`) | ||||||
|  |   return repoPath | ||||||
|  | } | ||||||
|  |  | ||||||
|  | interface RemoteDetail { | ||||||
|  |   protocol: string | ||||||
|  |   repository: string | ||||||
|  | } | ||||||
|  |  | ||||||
|  | export function getRemoteDetail(remoteUrl: string): RemoteDetail { | ||||||
|  |   // Parse the protocol and github repository from a URL | ||||||
|  |   // e.g. HTTPS, peter-evans/create-pull-request | ||||||
|  |   const httpsUrlPattern = /^https:\/\/.*@?github.com\/(.+\/.+)$/i | ||||||
|  |   const sshUrlPattern = /^git@github.com:(.+\/.+).git$/i | ||||||
|  |  | ||||||
|  |   const httpsMatch = remoteUrl.match(httpsUrlPattern) | ||||||
|  |   if (httpsMatch) { | ||||||
|  |     return { | ||||||
|  |       protocol: 'HTTPS', | ||||||
|  |       repository: httpsMatch[1] | ||||||
|  |     } | ||||||
|  |   } | ||||||
|  |  | ||||||
|  |   const sshMatch = remoteUrl.match(sshUrlPattern) | ||||||
|  |   if (sshMatch) { | ||||||
|  |     return { | ||||||
|  |       protocol: 'SSH', | ||||||
|  |       repository: sshMatch[1] | ||||||
|  |     } | ||||||
|  |   } | ||||||
|  |  | ||||||
|  |   throw new Error( | ||||||
|  |     `The format of '${remoteUrl}' is not a valid GitHub repository URL` | ||||||
|  |   ) | ||||||
|  | } | ||||||
|  |  | ||||||
|  | export function secondsSinceEpoch(): number { | ||||||
|  |   const now = new Date() | ||||||
|  |   return Math.round(now.getTime() / 1000) | ||||||
|  | } | ||||||
|  |  | ||||||
|  | export function randomString(): string { | ||||||
|  |   return Math.random().toString(36).substr(2, 7) | ||||||
|  | } | ||||||
|  |  | ||||||
|  | interface DisplayNameEmail { | ||||||
|  |   name: string | ||||||
|  |   email: string | ||||||
|  | } | ||||||
|  |  | ||||||
|  | export function parseDisplayNameEmail( | ||||||
|  |   displayNameEmail: string | ||||||
|  | ): DisplayNameEmail { | ||||||
|  |   // Parse the name and email address from a string in the following format | ||||||
|  |   // Display Name <email@address.com> | ||||||
|  |   const pattern = /^([^<]+)\s*<([^>]+)>$/i | ||||||
|  |  | ||||||
|  |   // Check we have a match | ||||||
|  |   const match = displayNameEmail.match(pattern) | ||||||
|  |   if (!match) { | ||||||
|  |     throw new Error( | ||||||
|  |       `The format of '${displayNameEmail}' is not a valid email address with display name` | ||||||
|  |     ) | ||||||
|  |   } | ||||||
|  |  | ||||||
|  |   // Check that name and email are not just whitespace | ||||||
|  |   const name = match[1].trim() | ||||||
|  |   const email = match[2].trim() | ||||||
|  |   if (!name || !email) { | ||||||
|  |     throw new Error( | ||||||
|  |       `The format of '${displayNameEmail}' is not a valid email address with display name` | ||||||
|  |     ) | ||||||
|  |   } | ||||||
|  |  | ||||||
|  |   return { | ||||||
|  |     name: name, | ||||||
|  |     email: email | ||||||
|  |   } | ||||||
|  | } | ||||||
		Reference in New Issue
	
	Block a user
	 Peter Evans
					Peter Evans