summaryrefslogtreecommitdiff
path: root/IkiWiki/Rcs/git.pm
blob: d4d2ec7a943b7c2fd6639dc25555947e3b5ad467 (plain)
  1. #!/usr/bin/perl
  2. use warnings;
  3. use strict;
  4. use IkiWiki;
  5. use Encode;
  6. use open qw{:utf8 :std};
  7. package IkiWiki;
  8. my $sha1_pattern = qr/[0-9a-fA-F]{40}/; # pattern to validate Git sha1sums
  9. my $dummy_commit_msg = 'dummy commit'; # message to skip in recent changes
  10. sub _safe_git (&@) { #{{{
  11. # Start a child process safely without resorting /bin/sh.
  12. # Return command output or success state (in scalar context).
  13. my ($error_handler, @cmdline) = @_;
  14. my $pid = open my $OUT, "-|";
  15. error("Cannot fork: $!") if !defined $pid;
  16. if (!$pid) {
  17. # In child.
  18. # Git commands want to be in wc.
  19. chdir $config{srcdir}
  20. or error("Cannot chdir to $config{srcdir}: $!");
  21. exec @cmdline or error("Cannot exec '@cmdline': $!");
  22. }
  23. # In parent.
  24. my @lines;
  25. while (<$OUT>) {
  26. chomp;
  27. push @lines, $_;
  28. }
  29. close $OUT;
  30. $error_handler->("'@cmdline' failed: $!") if $? && $error_handler;
  31. return wantarray ? @lines : ($? == 0);
  32. }
  33. # Convenient wrappers.
  34. sub run_or_die ($@) { _safe_git(\&error, @_) }
  35. sub run_or_cry ($@) { _safe_git(sub { warn @_ }, @_) }
  36. sub run_or_non ($@) { _safe_git(undef, @_) }
  37. #}}}
  38. sub _merge_past ($$$) { #{{{
  39. # Unlike with Subversion, Git cannot make a 'svn merge -rN:M file'.
  40. # Git merge commands work with the committed changes, except in the
  41. # implicit case of '-m' of git checkout(1). So we should invent a
  42. # kludge here. In principle, we need to create a throw-away branch
  43. # in preparing for the merge itself. Since branches are cheap (and
  44. # branching is fast), this shouldn't cost high.
  45. #
  46. # The main problem is the presence of _uncommitted_ local changes. One
  47. # possible approach to get rid of this situation could be that we first
  48. # make a temporary commit in the master branch and later restore the
  49. # initial state (this is possible since Git has the ability to undo a
  50. # commit, i.e. 'git reset --soft HEAD^'). The method can be summarized
  51. # as follows:
  52. #
  53. # - create a diff of HEAD:current-sha1
  54. # - dummy commit
  55. # - create a dummy branch and switch to it
  56. # - rewind to past (reset --hard to the current-sha1)
  57. # - apply the diff and commit
  58. # - switch to master and do the merge with the dummy branch
  59. # - make a soft reset (undo the last commit of master)
  60. #
  61. # The above method has some drawbacks: (1) it needs a redundant commit
  62. # just to get rid of local changes, (2) somewhat slow because of the
  63. # required system forks. Until someone points a more straight method
  64. # (which I would be grateful) I have implemented an alternative method.
  65. # In this approach, we hide all the modified files from Git by renaming
  66. # them (using the 'rename' builtin) and later restore those files in
  67. # the throw-away branch (that is, we put the files themselves instead
  68. # of applying a patch).
  69. my ($sha1, $file, $message) = @_;
  70. my @undo; # undo stack for cleanup in case of an error
  71. my $conflict; # file content with conflict markers
  72. eval {
  73. # Hide local changes from Git by renaming the modified file.
  74. # Relative paths must be converted to absolute for renaming.
  75. my ($target, $hidden) = (
  76. "$config{srcdir}/${file}", "$config{srcdir}/${file}.${sha1}"
  77. );
  78. rename($target, $hidden)
  79. or error("rename '$target' to '$hidden' failed: $!");
  80. # Ensure to restore the renamed file on error.
  81. push @undo, sub {
  82. return if ! -e "$hidden"; # already renamed
  83. rename($hidden, $target)
  84. or warn "rename '$hidden' to '$target' failed: $!";
  85. };
  86. my $branch = "throw_away_${sha1}"; # supposed to be unique
  87. # Create a throw-away branch and rewind backward.
  88. push @undo, sub { run_or_cry('git', 'branch', '-D', $branch) };
  89. run_or_die('git', 'branch', $branch, $sha1);
  90. # Switch to throw-away branch for the merge operation.
  91. push @undo, sub {
  92. if (!run_or_cry('git', 'checkout', $config{gitmaster_branch})) {
  93. run_or_cry('git', 'checkout','-f',$config{gitmaster_branch});
  94. }
  95. };
  96. run_or_die('git', 'checkout', $branch);
  97. # Put the modified file in _this_ branch.
  98. rename($hidden, $target)
  99. or error("rename '$hidden' to '$target' failed: $!");
  100. # _Silently_ commit all modifications in the current branch.
  101. run_or_non('git', 'commit', '-m', $message, '-a');
  102. # ... and re-switch to master.
  103. run_or_die('git', 'checkout', $config{gitmaster_branch});
  104. # Attempt to merge without complaining.
  105. if (!run_or_non('git', 'pull', '--no-commit', '.', $branch)) {
  106. $conflict = readfile($target);
  107. run_or_die('git', 'reset', '--hard');
  108. }
  109. };
  110. my $failure = $@;
  111. # Process undo stack (in reverse order). By policy cleanup
  112. # actions should normally print a warning on failure.
  113. while (my $handle = pop @undo) {
  114. $handle->();
  115. }
  116. error("Git merge failed!\n$failure\n") if $failure;
  117. return $conflict;
  118. } #}}}
  119. sub _parse_diff_tree ($@) { #{{{
  120. # Parse the raw diff tree chunk and return the info hash.
  121. # See git-diff-tree(1) for the syntax.
  122. my ($prefix, $dt_ref) = @_;
  123. # End of stream?
  124. return if !defined @{ $dt_ref } ||
  125. !defined @{ $dt_ref }[0] || !length @{ $dt_ref }[0];
  126. my %ci;
  127. # Header line.
  128. while (my $line = shift @{ $dt_ref }) {
  129. return if $line !~ m/^(.+) ($sha1_pattern)/;
  130. my $sha1 = $2;
  131. $ci{'sha1'} = $sha1;
  132. last;
  133. }
  134. # Identification lines for the commit.
  135. while (my $line = shift @{ $dt_ref }) {
  136. # Regexps are semi-stolen from gitweb.cgi.
  137. if ($line =~ m/^tree ([0-9a-fA-F]{40})$/) {
  138. $ci{'tree'} = $1;
  139. }
  140. elsif ($line =~ m/^parent ([0-9a-fA-F]{40})$/) {
  141. # XXX: collecting in reverse order
  142. push @{ $ci{'parents'} }, $1;
  143. }
  144. elsif ($line =~ m/^(author|committer) (.*) ([0-9]+) (.*)$/) {
  145. my ($who, $name, $epoch, $tz) =
  146. ($1, $2, $3, $4 );
  147. $ci{ $who } = $name;
  148. $ci{ "${who}_epoch" } = $epoch;
  149. $ci{ "${who}_tz" } = $tz;
  150. if ($name =~ m/^([^<]+) <([^@>]+)/) {
  151. my ($fullname, $username) = ($1, $2);
  152. $ci{"${who}_fullname"} = $fullname;
  153. $ci{"${who}_username"} = $username;
  154. }
  155. else {
  156. $ci{"${who}_fullname"} =
  157. $ci{"${who}_username"} = $name;
  158. }
  159. }
  160. elsif ($line =~ m/^$/) {
  161. # Trailing empty line signals next section.
  162. last;
  163. }
  164. }
  165. debug("No 'tree' seen in diff-tree output") if !defined $ci{'tree'};
  166. if (defined $ci{'parents'}) {
  167. $ci{'parent'} = @{ $ci{'parents'} }[0];
  168. }
  169. else {
  170. $ci{'parent'} = 0 x 40;
  171. }
  172. # Commit message.
  173. while (my $line = shift @{ $dt_ref }) {
  174. if ($line =~ m/^$/) {
  175. # Trailing empty line signals next section.
  176. last;
  177. };
  178. $line =~ s/^ //;
  179. push @{ $ci{'comment'} }, $line;
  180. }
  181. # Modified files.
  182. while (my $line = shift @{ $dt_ref }) {
  183. if ($line =~ m{^:
  184. ([0-7]{6})[ ] # from mode
  185. ([0-7]{6})[ ] # to mode
  186. ($sha1_pattern)[ ] # from sha1
  187. ($sha1_pattern)[ ] # to sha1
  188. (.) # status
  189. ([0-9]{0,3})\t # similarity
  190. (.*) # file
  191. $}xo) {
  192. my ($sha1_from, $sha1_to, $file) =
  193. ($3, $4, $7 );
  194. if ($file =~ m/^"(.*)"$/) {
  195. ($file=$1) =~ s/\\([0-7]{1,3})/chr(oct($1))/eg;
  196. }
  197. $file =~ s/^\Q$prefix\E//;
  198. if (length $file) {
  199. push @{ $ci{'details'} }, {
  200. 'file' => decode_utf8($file),
  201. 'sha1_from' => $sha1_from,
  202. 'sha1_to' => $sha1_to,
  203. };
  204. }
  205. next;
  206. };
  207. last;
  208. }
  209. debug("No detail in diff-tree output") if !defined $ci{'details'};
  210. return \%ci;
  211. } #}}}
  212. sub git_commit_info ($;$) { #{{{
  213. # Return an array of commit info hashes of num commits (default: 1)
  214. # starting from the given sha1sum.
  215. my ($sha1, $num) = @_;
  216. $num ||= 1;
  217. my @raw_lines = run_or_die('git', 'log', "--max-count=$num",
  218. '--pretty=raw', '--raw', '--abbrev=40', '--always', '-c',
  219. '-r', $sha1, '--', '.');
  220. my ($prefix) = run_or_die('git', 'rev-parse', '--show-prefix');
  221. my @ci;
  222. while (my $parsed = _parse_diff_tree(($prefix or ""), \@raw_lines)) {
  223. push @ci, $parsed;
  224. }
  225. warn "Cannot parse commit info for '$sha1' commit" if !@ci;
  226. return wantarray ? @ci : $ci[0];
  227. } #}}}
  228. sub git_sha1 (;$) { #{{{
  229. # Return head sha1sum (of given file).
  230. my $file = shift || q{--};
  231. # Ignore error since a non-existing file might be given.
  232. my ($sha1) = run_or_non('git', 'rev-list', '--max-count=1', 'HEAD', $file);
  233. if ($sha1) {
  234. ($sha1) = $sha1 =~ m/($sha1_pattern)/; # sha1 is untainted now
  235. } else { debug("Empty sha1sum for '$file'.") }
  236. return defined $sha1 ? $sha1 : q{};
  237. } #}}}
  238. sub rcs_update () { #{{{
  239. # Update working directory.
  240. if (length $config{gitorigin_branch}) {
  241. run_or_cry('git', 'pull', $config{gitorigin_branch});
  242. }
  243. } #}}}
  244. sub rcs_prepedit ($) { #{{{
  245. # Return the commit sha1sum of the file when editing begins.
  246. # This will be later used in rcs_commit if a merge is required.
  247. my ($file) = @_;
  248. return git_sha1($file);
  249. } #}}}
  250. sub rcs_commit ($$$;$$) { #{{{
  251. # Try to commit the page; returns undef on _success_ and
  252. # a version of the page with the rcs's conflict markers on
  253. # failure.
  254. my ($file, $message, $rcstoken, $user, $ipaddr) = @_;
  255. if (defined $user) {
  256. $message = "web commit by $user" .
  257. (length $message ? ": $message" : "");
  258. }
  259. elsif (defined $ipaddr) {
  260. $message = "web commit from $ipaddr" .
  261. (length $message ? ": $message" : "");
  262. }
  263. # XXX: Wiki directory is in the unlocked state when starting this
  264. # action. But it takes time for a Git process to finish its job
  265. # (especially if a merge required), so we must re-lock to prevent
  266. # race conditions. Only when the time of the real commit action
  267. # (i.e. git push) comes, we'll unlock the directory.
  268. lockwiki();
  269. # Check to see if the page has been changed by someone else since
  270. # rcs_prepedit was called.
  271. my $cur = git_sha1($file);
  272. my ($prev) = $rcstoken =~ /^($sha1_pattern)$/; # untaint
  273. if (defined $cur && defined $prev && $cur ne $prev) {
  274. my $conflict = _merge_past($prev, $file, $dummy_commit_msg);
  275. return $conflict if defined $conflict;
  276. }
  277. # git commit returns non-zero if file has not been really changed.
  278. # so we should ignore its exit status (hence run_or_non).
  279. $message = possibly_foolish_untaint($message);
  280. if (run_or_non('git', 'commit', '-q', '-m', $message, '-i', $file)) {
  281. unlockwiki();
  282. if (length $config{gitorigin_branch}) {
  283. run_or_cry('git', 'push', $config{gitorigin_branch});
  284. }
  285. }
  286. return undef; # success
  287. } #}}}
  288. sub rcs_add ($) { # {{{
  289. # Add file to archive.
  290. my ($file) = @_;
  291. run_or_cry('git', 'add', $file);
  292. } #}}}
  293. sub rcs_recentchanges ($) { #{{{
  294. # List of recent changes.
  295. my ($num) = @_;
  296. eval q{use Date::Parse};
  297. error($@) if $@;
  298. my @rets;
  299. foreach my $ci (git_commit_info('HEAD', $num)) {
  300. # Skip redundant commits.
  301. next if (@{$ci->{'comment'}}[0] eq $dummy_commit_msg);
  302. my ($sha1, $when) = (
  303. $ci->{'sha1'},
  304. time - $ci->{'author_epoch'}
  305. );
  306. my (@pages, @messages);
  307. foreach my $detail (@{ $ci->{'details'} }) {
  308. my $file = $detail->{'file'};
  309. my $diffurl = $config{'diffurl'};
  310. $diffurl =~ s/\[\[file\]\]/$file/go;
  311. $diffurl =~ s/\[\[sha1_parent\]\]/$ci->{'parent'}/go;
  312. $diffurl =~ s/\[\[sha1_from\]\]/$detail->{'sha1_from'}/go;
  313. $diffurl =~ s/\[\[sha1_to\]\]/$detail->{'sha1_to'}/go;
  314. push @pages, {
  315. page => pagename($file),
  316. diffurl => $diffurl,
  317. };
  318. }
  319. push @messages, { line => $_ } foreach @{$ci->{'comment'}};
  320. my ($user, $type) = (q{}, "web");
  321. if (defined $messages[0] &&
  322. $messages[0]->{line} =~ m/$config{web_commit_regexp}/) {
  323. $user = defined $2 ? "$2" : "$3";
  324. $messages[0]->{line} = $4;
  325. }
  326. else {
  327. $type ="git";
  328. $user = $ci->{'author_username'};
  329. }
  330. push @rets, {
  331. rev => $sha1,
  332. user => $user,
  333. committype => $type,
  334. when => $when,
  335. message => [@messages],
  336. pages => [@pages],
  337. } if @pages;
  338. last if @rets >= $num;
  339. }
  340. return @rets;
  341. } #}}}
  342. sub rcs_notify () { #{{{
  343. # Send notification mail to subscribed users.
  344. #
  345. # In usual Git usage, hooks/update script is presumed to send
  346. # notification mails (see git-receive-pack(1)). But we prefer
  347. # hooks/post-update to support IkiWiki commits coming from a
  348. # cloned repository (through command line) because post-update
  349. # is called _after_ each ref in repository is updated (update
  350. # hook is called _before_ the repository is updated). Since
  351. # post-update hook does not accept command line arguments, we
  352. # don't have an $ENV variable in this function.
  353. #
  354. # Here, we rely on a simple fact: we can extract all parts of the
  355. # notification content by parsing the "HEAD" commit (which also
  356. # triggers a refresh of IkiWiki pages).
  357. my $ci = git_commit_info('HEAD');
  358. return if !defined $ci;
  359. my @changed_pages = map { $_->{'file'} } @{ $ci->{'details'} };
  360. my ($user, $message);
  361. if (@{ $ci->{'comment'} }[0] =~ m/$config{web_commit_regexp}/) {
  362. $user = defined $2 ? "$2" : "$3";
  363. $message = $4;
  364. }
  365. else {
  366. $user = $ci->{'author_username'};
  367. $message = join "\n", @{ $ci->{'comment'} };
  368. }
  369. my $sha1 = $ci->{'sha1'};
  370. require IkiWiki::UserInfo;
  371. send_commit_mails(
  372. sub {
  373. $message;
  374. },
  375. sub {
  376. join "\n", run_or_die('git', 'diff', "${sha1}^", $sha1);
  377. }, $user, @changed_pages
  378. );
  379. } #}}}
  380. sub rcs_getctime ($) { #{{{
  381. my $file=shift;
  382. # Remove srcdir prefix
  383. $file =~ s/^\Q$config{srcdir}\E\/?//;
  384. my $sha1 = git_sha1($file);
  385. my $ci = git_commit_info($sha1);
  386. my $ctime = $ci->{'author_epoch'};
  387. debug("ctime for '$file': ". localtime($ctime));
  388. return $ctime;
  389. } #}}}
  390. 1