/commands/cherry_pick.go

https://gitlab.com/shengwenzhu/hub · Go · 90 lines · 64 code · 13 blank · 13 comment · 14 complexity · b1eb2fb49230bb5eea8cd7066d32d7dc MD5 · raw file

  1. package commands
  2. import (
  3. "regexp"
  4. "github.com/github/hub/github"
  5. "github.com/github/hub/utils"
  6. )
  7. var cmdCherryPick = &Command{
  8. Run: cherryPick,
  9. GitExtension: true,
  10. Usage: "cherry-pick GITHUB-REF",
  11. Short: "Apply the changes introduced by some existing commits",
  12. Long: `Cherry-pick a commit from a fork using either full URL to the commit
  13. or GitHub-flavored Markdown notation, which is user@sha. If the remote
  14. doesn't yet exist, it will be added. A git-fetch(1) user is issued
  15. prior to the cherry-pick attempt.
  16. `,
  17. }
  18. func init() {
  19. CmdRunner.Use(cmdCherryPick)
  20. }
  21. /*
  22. $ gh cherry-pick https://github.com/jingweno/gh/commit/a319d88#comments
  23. > git remote add -f jingweno git://github.com/jingweno/gh.git
  24. > git cherry-pick a319d88
  25. $ gh cherry-pick jingweno@a319d88
  26. > git remote add -f jingweno git://github.com/jingweno/gh.git
  27. > git cherry-pick a319d88
  28. $ gh cherry-pick jingweno@SHA
  29. > git fetch jingweno
  30. > git cherry-pick SHA
  31. */
  32. func cherryPick(command *Command, args *Args) {
  33. if args.IndexOfParam("-m") == -1 && args.IndexOfParam("--mainline") == -1 {
  34. transformCherryPickArgs(args)
  35. }
  36. }
  37. func transformCherryPickArgs(args *Args) {
  38. if args.IsParamsEmpty() {
  39. return
  40. }
  41. ref := args.LastParam()
  42. project, sha := parseCherryPickProjectAndSha(ref)
  43. if project != nil {
  44. args.ReplaceParam(args.IndexOfParam(ref), sha)
  45. remote := gitRemoteForProject(project)
  46. if remote != nil {
  47. args.Before("git", "fetch", remote.Name)
  48. } else {
  49. args.Before("git", "remote", "add", "-f", project.Owner, project.GitURL("", "", false))
  50. }
  51. }
  52. }
  53. func parseCherryPickProjectAndSha(ref string) (project *github.Project, sha string) {
  54. url, err := github.ParseURL(ref)
  55. if err == nil {
  56. commitRegex := regexp.MustCompile("^commit\\/([a-f0-9]{7,40})")
  57. projectPath := url.ProjectPath()
  58. if commitRegex.MatchString(projectPath) {
  59. sha = commitRegex.FindStringSubmatch(projectPath)[1]
  60. project = url.Project
  61. return
  62. }
  63. }
  64. ownerWithShaRegexp := regexp.MustCompile("^([a-zA-Z0-9][a-zA-Z0-9-]*)@([a-f0-9]{7,40})$")
  65. if ownerWithShaRegexp.MatchString(ref) {
  66. matches := ownerWithShaRegexp.FindStringSubmatch(ref)
  67. sha = matches[2]
  68. localRepo, err := github.LocalRepo()
  69. utils.Check(err)
  70. project, err = localRepo.CurrentProject()
  71. utils.Check(err)
  72. project.Owner = matches[1]
  73. }
  74. return
  75. }