Simplify the install goal and rename $(PROGS) to $(EXE)
[tig.git] / tig.c
bloba1b412b34d5ca1bbfc573c155ec62885f775ab30
1 /* Copyright (c) 2006-2013 Jonas Fonseca <fonseca@diku.dk>
3 * This program is free software; you can redistribute it and/or
4 * modify it under the terms of the GNU General Public License as
5 * published by the Free Software Foundation; either version 2 of
6 * the License, or (at your option) any later version.
8 * This program is distributed in the hope that it will be useful,
9 * but WITHOUT ANY WARRANTY; without even the implied warranty of
10 * MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the
11 * GNU General Public License for more details.
14 #define WARN_MISSING_CURSES_CONFIGURATION
16 #include "tig.h"
17 #include "io.h"
18 #include "refs.h"
19 #include "graph.h"
20 #include "git.h"
22 static void TIG_NORETURN die(const char *err, ...) PRINTF_LIKE(1, 2);
23 static void warn(const char *msg, ...) PRINTF_LIKE(1, 2);
24 static void report(const char *msg, ...) PRINTF_LIKE(1, 2);
25 #define report_clear() report("%s", "")
28 enum input_status {
29 INPUT_OK,
30 INPUT_SKIP,
31 INPUT_STOP,
32 INPUT_CANCEL
35 typedef enum input_status (*input_handler)(void *data, char *buf, int c);
37 static char *prompt_input(const char *prompt, input_handler handler, void *data);
38 static bool prompt_yesno(const char *prompt);
39 static char *read_prompt(const char *prompt);
41 struct menu_item {
42 int hotkey;
43 const char *text;
44 void *data;
47 static bool prompt_menu(const char *prompt, const struct menu_item *items, int *selected);
49 #define GRAPHIC_ENUM(_) \
50 _(GRAPHIC, ASCII), \
51 _(GRAPHIC, DEFAULT), \
52 _(GRAPHIC, UTF_8)
54 DEFINE_ENUM(graphic, GRAPHIC_ENUM);
56 #define DATE_ENUM(_) \
57 _(DATE, NO), \
58 _(DATE, DEFAULT), \
59 _(DATE, LOCAL), \
60 _(DATE, RELATIVE), \
61 _(DATE, SHORT)
63 DEFINE_ENUM(date, DATE_ENUM);
65 struct time {
66 time_t sec;
67 int tz;
70 static inline int timecmp(const struct time *t1, const struct time *t2)
72 return t1->sec - t2->sec;
75 static const char *
76 mkdate(const struct time *time, enum date date)
78 static char buf[DATE_WIDTH + 1];
79 static const struct enum_map reldate[] = {
80 { "second", 1, 60 * 2 },
81 { "minute", 60, 60 * 60 * 2 },
82 { "hour", 60 * 60, 60 * 60 * 24 * 2 },
83 { "day", 60 * 60 * 24, 60 * 60 * 24 * 7 * 2 },
84 { "week", 60 * 60 * 24 * 7, 60 * 60 * 24 * 7 * 5 },
85 { "month", 60 * 60 * 24 * 30, 60 * 60 * 24 * 365 },
86 { "year", 60 * 60 * 24 * 365, 0 },
88 struct tm tm;
90 if (!date || !time || !time->sec)
91 return "";
93 if (date == DATE_RELATIVE) {
94 struct timeval now;
95 time_t date = time->sec + time->tz;
96 time_t seconds;
97 int i;
99 gettimeofday(&now, NULL);
100 seconds = now.tv_sec < date ? date - now.tv_sec : now.tv_sec - date;
101 for (i = 0; i < ARRAY_SIZE(reldate); i++) {
102 if (seconds >= reldate[i].value && reldate[i].value)
103 continue;
105 seconds /= reldate[i].namelen;
106 if (!string_format(buf, "%ld %s%s %s",
107 seconds, reldate[i].name,
108 seconds > 1 ? "s" : "",
109 now.tv_sec >= date ? "ago" : "ahead"))
110 break;
111 return buf;
115 if (date == DATE_LOCAL) {
116 time_t date = time->sec + time->tz;
117 localtime_r(&date, &tm);
119 else {
120 gmtime_r(&time->sec, &tm);
122 return strftime(buf, sizeof(buf), DATE_FORMAT, &tm) ? buf : NULL;
125 #define FILE_SIZE_ENUM(_) \
126 _(FILE_SIZE, NO), \
127 _(FILE_SIZE, DEFAULT), \
128 _(FILE_SIZE, UNITS)
130 DEFINE_ENUM(file_size, FILE_SIZE_ENUM);
132 static const char *
133 mkfilesize(unsigned long size, enum file_size format)
135 static char buf[64 + 1];
136 static const char relsize[] = {
137 'B', 'K', 'M', 'G', 'T', 'P'
140 if (!format)
141 return "";
143 if (format == FILE_SIZE_UNITS) {
144 const char *fmt = "%.0f%c";
145 double rsize = size;
146 int i;
148 for (i = 0; i < ARRAY_SIZE(relsize); i++) {
149 if (rsize > 1024.0 && i + 1 < ARRAY_SIZE(relsize)) {
150 rsize /= 1024;
151 continue;
154 size = rsize * 10;
155 if (size % 10 > 0)
156 fmt = "%.1f%c";
158 return string_format(buf, fmt, rsize, relsize[i])
159 ? buf : NULL;
163 return string_format(buf, "%ld", size) ? buf : NULL;
166 #define AUTHOR_ENUM(_) \
167 _(AUTHOR, NO), \
168 _(AUTHOR, FULL), \
169 _(AUTHOR, ABBREVIATED), \
170 _(AUTHOR, EMAIL), \
171 _(AUTHOR, EMAIL_USER)
173 DEFINE_ENUM(author, AUTHOR_ENUM);
175 struct ident {
176 const char *name;
177 const char *email;
180 static const struct ident unknown_ident = { "Unknown", "unknown@localhost" };
182 static inline int
183 ident_compare(const struct ident *i1, const struct ident *i2)
185 if (!i1 || !i2)
186 return (!!i1) - (!!i2);
187 if (!i1->name || !i2->name)
188 return (!!i1->name) - (!!i2->name);
189 return strcmp(i1->name, i2->name);
192 static const char *
193 get_author_initials(const char *author)
195 static char initials[AUTHOR_WIDTH * 6 + 1];
196 size_t pos = 0;
197 const char *end = strchr(author, '\0');
199 #define is_initial_sep(c) (isspace(c) || ispunct(c) || (c) == '@' || (c) == '-')
201 memset(initials, 0, sizeof(initials));
202 while (author < end) {
203 unsigned char bytes;
204 size_t i;
206 while (author < end && is_initial_sep(*author))
207 author++;
209 bytes = utf8_char_length(author, end);
210 if (bytes >= sizeof(initials) - 1 - pos)
211 break;
212 while (bytes--) {
213 initials[pos++] = *author++;
216 i = pos;
217 while (author < end && !is_initial_sep(*author)) {
218 bytes = utf8_char_length(author, end);
219 if (bytes >= sizeof(initials) - 1 - i) {
220 while (author < end && !is_initial_sep(*author))
221 author++;
222 break;
224 while (bytes--) {
225 initials[i++] = *author++;
229 initials[i++] = 0;
232 return initials;
235 static const char *
236 get_email_user(const char *email)
238 static char user[AUTHOR_WIDTH * 6 + 1];
239 const char *end = strchr(email, '@');
240 int length = end ? end - email : strlen(email);
242 string_format(user, "%.*s%c", length, email, 0);
243 return user;
246 #define author_trim(cols) (cols == 0 || cols > 10)
248 static const char *
249 mkauthor(const struct ident *ident, int cols, enum author author)
251 bool trim = author_trim(cols);
252 bool abbreviate = author == AUTHOR_ABBREVIATED || !trim;
254 if (author == AUTHOR_NO || !ident)
255 return "";
256 if (author == AUTHOR_EMAIL && ident->email)
257 return ident->email;
258 if (author == AUTHOR_EMAIL_USER && ident->email)
259 return get_email_user(ident->email);
260 if (abbreviate && ident->name)
261 return get_author_initials(ident->name);
262 return ident->name;
265 static const char *
266 mkmode(mode_t mode)
268 if (S_ISDIR(mode))
269 return "drwxr-xr-x";
270 else if (S_ISLNK(mode))
271 return "lrwxrwxrwx";
272 else if (S_ISGITLINK(mode))
273 return "m---------";
274 else if (S_ISREG(mode) && mode & S_IXUSR)
275 return "-rwxr-xr-x";
276 else if (S_ISREG(mode))
277 return "-rw-r--r--";
278 else
279 return "----------";
282 static const char *
283 get_temp_dir(void)
285 static const char *tmp;
287 if (tmp)
288 return tmp;
290 if (!tmp)
291 tmp = getenv("TMPDIR");
292 if (!tmp)
293 tmp = getenv("TEMP");
294 if (!tmp)
295 tmp = getenv("TMP");
296 if (!tmp)
297 tmp = "/tmp";
299 return tmp;
302 #define FILENAME_ENUM(_) \
303 _(FILENAME, NO), \
304 _(FILENAME, ALWAYS), \
305 _(FILENAME, AUTO)
307 DEFINE_ENUM(filename, FILENAME_ENUM);
309 #define IGNORE_SPACE_ENUM(_) \
310 _(IGNORE_SPACE, NO), \
311 _(IGNORE_SPACE, ALL), \
312 _(IGNORE_SPACE, SOME), \
313 _(IGNORE_SPACE, AT_EOL)
315 DEFINE_ENUM(ignore_space, IGNORE_SPACE_ENUM);
317 #define COMMIT_ORDER_ENUM(_) \
318 _(COMMIT_ORDER, DEFAULT), \
319 _(COMMIT_ORDER, TOPO), \
320 _(COMMIT_ORDER, DATE), \
321 _(COMMIT_ORDER, REVERSE)
323 DEFINE_ENUM(commit_order, COMMIT_ORDER_ENUM);
325 #define VIEW_INFO(_) \
326 _(MAIN, main, ref_head), \
327 _(DIFF, diff, ref_commit), \
328 _(LOG, log, ref_head), \
329 _(TREE, tree, ref_commit), \
330 _(BLOB, blob, ref_blob), \
331 _(BLAME, blame, ref_commit), \
332 _(BRANCH, branch, ref_head), \
333 _(HELP, help, ""), \
334 _(PAGER, pager, ""), \
335 _(STATUS, status, "status"), \
336 _(STAGE, stage, ref_status), \
337 _(STASH, stash, ref_stash)
339 static struct encoding *
340 get_path_encoding(const char *path, struct encoding *default_encoding)
342 const char *check_attr_argv[] = {
343 "git", "check-attr", "encoding", "--", path, NULL
345 char buf[SIZEOF_STR];
346 char *encoding;
348 /* <path>: encoding: <encoding> */
350 if (!*path || !io_run_buf(check_attr_argv, buf, sizeof(buf))
351 || !(encoding = strstr(buf, ENCODING_SEP)))
352 return default_encoding;
354 encoding += STRING_SIZE(ENCODING_SEP);
355 if (!strcmp(encoding, ENCODING_UTF8)
356 || !strcmp(encoding, "unspecified")
357 || !strcmp(encoding, "set"))
358 return default_encoding;
360 return encoding_open(encoding);
364 * User requests
367 #define VIEW_REQ(id, name, ref) REQ_(VIEW_##id, "Show " #name " view")
369 #define REQ_INFO \
370 REQ_GROUP("View switching") \
371 VIEW_INFO(VIEW_REQ), \
373 REQ_GROUP("View manipulation") \
374 REQ_(ENTER, "Enter current line and scroll"), \
375 REQ_(NEXT, "Move to next"), \
376 REQ_(PREVIOUS, "Move to previous"), \
377 REQ_(PARENT, "Move to parent"), \
378 REQ_(VIEW_NEXT, "Move focus to next view"), \
379 REQ_(REFRESH, "Reload and refresh"), \
380 REQ_(MAXIMIZE, "Maximize the current view"), \
381 REQ_(VIEW_CLOSE, "Close the current view"), \
382 REQ_(QUIT, "Close all views and quit"), \
384 REQ_GROUP("View specific requests") \
385 REQ_(STATUS_UPDATE, "Update file status"), \
386 REQ_(STATUS_REVERT, "Revert file changes"), \
387 REQ_(STATUS_MERGE, "Merge file using external tool"), \
388 REQ_(STAGE_UPDATE_LINE, "Update single line"), \
389 REQ_(STAGE_NEXT, "Find next chunk to stage"), \
390 REQ_(DIFF_CONTEXT_DOWN, "Decrease the diff context"), \
391 REQ_(DIFF_CONTEXT_UP, "Increase the diff context"), \
393 REQ_GROUP("Cursor navigation") \
394 REQ_(MOVE_UP, "Move cursor one line up"), \
395 REQ_(MOVE_DOWN, "Move cursor one line down"), \
396 REQ_(MOVE_PAGE_DOWN, "Move cursor one page down"), \
397 REQ_(MOVE_PAGE_UP, "Move cursor one page up"), \
398 REQ_(MOVE_FIRST_LINE, "Move cursor to first line"), \
399 REQ_(MOVE_LAST_LINE, "Move cursor to last line"), \
401 REQ_GROUP("Scrolling") \
402 REQ_(SCROLL_FIRST_COL, "Scroll to the first line columns"), \
403 REQ_(SCROLL_LEFT, "Scroll two columns left"), \
404 REQ_(SCROLL_RIGHT, "Scroll two columns right"), \
405 REQ_(SCROLL_LINE_UP, "Scroll one line up"), \
406 REQ_(SCROLL_LINE_DOWN, "Scroll one line down"), \
407 REQ_(SCROLL_PAGE_UP, "Scroll one page up"), \
408 REQ_(SCROLL_PAGE_DOWN, "Scroll one page down"), \
410 REQ_GROUP("Searching") \
411 REQ_(SEARCH, "Search the view"), \
412 REQ_(SEARCH_BACK, "Search backwards in the view"), \
413 REQ_(FIND_NEXT, "Find next search match"), \
414 REQ_(FIND_PREV, "Find previous search match"), \
416 REQ_GROUP("Option manipulation") \
417 REQ_(OPTIONS, "Open option menu"), \
418 REQ_(TOGGLE_LINENO, "Toggle line numbers"), \
419 REQ_(TOGGLE_DATE, "Toggle date display"), \
420 REQ_(TOGGLE_AUTHOR, "Toggle author display"), \
421 REQ_(TOGGLE_REV_GRAPH, "Toggle revision graph visualization"), \
422 REQ_(TOGGLE_GRAPHIC, "Toggle (line) graphics mode"), \
423 REQ_(TOGGLE_FILENAME, "Toggle file name display"), \
424 REQ_(TOGGLE_REFS, "Toggle reference display (tags/branches)"), \
425 REQ_(TOGGLE_CHANGES, "Toggle local changes display in the main view"), \
426 REQ_(TOGGLE_SORT_ORDER, "Toggle ascending/descending sort order"), \
427 REQ_(TOGGLE_SORT_FIELD, "Toggle field to sort by"), \
428 REQ_(TOGGLE_IGNORE_SPACE, "Toggle ignoring whitespace in diffs"), \
429 REQ_(TOGGLE_COMMIT_ORDER, "Toggle commit ordering"), \
430 REQ_(TOGGLE_ID, "Toggle commit ID display"), \
431 REQ_(TOGGLE_FILES, "Toggle file filtering"), \
432 REQ_(TOGGLE_TITLE_OVERFLOW, "Toggle highlighting of commit title overflow"), \
433 REQ_(TOGGLE_FILE_SIZE, "Toggle file size format"), \
435 REQ_GROUP("Misc") \
436 REQ_(PROMPT, "Bring up the prompt"), \
437 REQ_(SCREEN_REDRAW, "Redraw the screen"), \
438 REQ_(SHOW_VERSION, "Show version information"), \
439 REQ_(STOP_LOADING, "Stop all loading views"), \
440 REQ_(EDIT, "Open in editor"), \
441 REQ_(NONE, "Do nothing")
444 /* User action requests. */
445 enum request {
446 #define REQ_GROUP(help)
447 #define REQ_(req, help) REQ_##req
449 /* Offset all requests to avoid conflicts with ncurses getch values. */
450 REQ_UNKNOWN = KEY_MAX + 1,
451 REQ_OFFSET,
452 REQ_INFO,
454 /* Internal requests. */
455 REQ_JUMP_COMMIT,
457 #undef REQ_GROUP
458 #undef REQ_
461 struct request_info {
462 enum request request;
463 const char *name;
464 int namelen;
465 const char *help;
468 static const struct request_info req_info[] = {
469 #define REQ_GROUP(help) { 0, NULL, 0, (help) },
470 #define REQ_(req, help) { REQ_##req, (#req), STRING_SIZE(#req), (help) }
471 REQ_INFO
472 #undef REQ_GROUP
473 #undef REQ_
476 static enum request
477 get_request(const char *name)
479 int namelen = strlen(name);
480 int i;
482 for (i = 0; i < ARRAY_SIZE(req_info); i++)
483 if (enum_equals(req_info[i], name, namelen))
484 return req_info[i].request;
486 return REQ_UNKNOWN;
491 * Options
494 /* Option and state variables. */
495 static enum graphic opt_line_graphics = GRAPHIC_DEFAULT;
496 static enum date opt_date = DATE_DEFAULT;
497 static enum author opt_author = AUTHOR_FULL;
498 static enum filename opt_filename = FILENAME_AUTO;
499 static enum file_size opt_file_size = FILE_SIZE_DEFAULT;
500 static bool opt_rev_graph = TRUE;
501 static bool opt_line_number = FALSE;
502 static bool opt_show_refs = TRUE;
503 static bool opt_show_changes = TRUE;
504 static bool opt_untracked_dirs_content = TRUE;
505 static bool opt_read_git_colors = TRUE;
506 static bool opt_wrap_lines = FALSE;
507 static bool opt_ignore_case = FALSE;
508 static bool opt_stdin = FALSE;
509 static bool opt_focus_child = TRUE;
510 static int opt_diff_context = 3;
511 static char opt_diff_context_arg[9] = "";
512 static enum ignore_space opt_ignore_space = IGNORE_SPACE_NO;
513 static char opt_ignore_space_arg[22] = "";
514 static enum commit_order opt_commit_order = COMMIT_ORDER_DEFAULT;
515 static char opt_commit_order_arg[22] = "";
516 static bool opt_notes = TRUE;
517 static char opt_notes_arg[SIZEOF_STR] = "--show-notes";
518 static int opt_num_interval = 5;
519 static double opt_hscroll = 0.50;
520 static double opt_scale_split_view = 2.0 / 3.0;
521 static double opt_scale_vsplit_view = 0.5;
522 static bool opt_vsplit = FALSE;
523 static int opt_tab_size = 8;
524 static int opt_author_width = AUTHOR_WIDTH;
525 static int opt_filename_width = FILENAME_WIDTH;
526 static char opt_path[SIZEOF_STR] = "";
527 static char opt_file[SIZEOF_STR] = "";
528 static char opt_ref[SIZEOF_REF] = "";
529 static unsigned long opt_goto_line = 0;
530 static char opt_head[SIZEOF_REF] = "";
531 static char opt_remote[SIZEOF_REF] = "";
532 static struct encoding *opt_encoding = NULL;
533 static char opt_encoding_arg[SIZEOF_STR] = ENCODING_ARG;
534 static iconv_t opt_iconv_out = ICONV_NONE;
535 static char opt_search[SIZEOF_STR] = "";
536 static char opt_cdup[SIZEOF_STR] = "";
537 static char opt_prefix[SIZEOF_STR] = "";
538 static char opt_git_dir[SIZEOF_STR] = "";
539 static signed char opt_is_inside_work_tree = -1; /* set to TRUE or FALSE */
540 static char opt_editor[SIZEOF_STR] = "";
541 static bool opt_editor_lineno = TRUE;
542 static FILE *opt_tty = NULL;
543 static const char **opt_diff_argv = NULL;
544 static const char **opt_rev_argv = NULL;
545 static const char **opt_file_argv = NULL;
546 static const char **opt_blame_argv = NULL;
547 static int opt_lineno = 0;
548 static bool opt_show_id = FALSE;
549 static int opt_id_cols = ID_WIDTH;
550 static bool opt_file_filter = TRUE;
551 static bool opt_show_title_overflow = FALSE;
552 static int opt_title_overflow = 50;
553 static char opt_env_lines[64] = "";
554 static char opt_env_columns[64] = "";
555 static char *opt_env[] = { opt_env_lines, opt_env_columns, NULL };
557 #define is_initial_commit() (!get_ref_head())
558 #define is_head_commit(rev) (!strcmp((rev), "HEAD") || (get_ref_head() && !strncmp(rev, get_ref_head()->id, SIZEOF_REV - 1)))
559 #define load_refs() reload_refs(opt_git_dir, opt_remote, opt_head, sizeof(opt_head))
561 static inline void
562 update_diff_context_arg(int diff_context)
564 if (!string_format(opt_diff_context_arg, "-U%u", diff_context))
565 string_ncopy(opt_diff_context_arg, "-U3", 3);
568 static inline void
569 update_ignore_space_arg()
571 if (opt_ignore_space == IGNORE_SPACE_ALL) {
572 string_copy(opt_ignore_space_arg, "--ignore-all-space");
573 } else if (opt_ignore_space == IGNORE_SPACE_SOME) {
574 string_copy(opt_ignore_space_arg, "--ignore-space-change");
575 } else if (opt_ignore_space == IGNORE_SPACE_AT_EOL) {
576 string_copy(opt_ignore_space_arg, "--ignore-space-at-eol");
577 } else {
578 string_copy(opt_ignore_space_arg, "");
582 static inline void
583 update_commit_order_arg()
585 if (opt_commit_order == COMMIT_ORDER_TOPO) {
586 string_copy(opt_commit_order_arg, "--topo-order");
587 } else if (opt_commit_order == COMMIT_ORDER_DATE) {
588 string_copy(opt_commit_order_arg, "--date-order");
589 } else if (opt_commit_order == COMMIT_ORDER_REVERSE) {
590 string_copy(opt_commit_order_arg, "--reverse");
591 } else {
592 string_copy(opt_commit_order_arg, "");
596 static inline void
597 update_notes_arg()
599 if (opt_notes) {
600 string_copy(opt_notes_arg, "--show-notes");
601 } else {
602 /* Notes are disabled by default when passing --pretty args. */
603 string_copy(opt_notes_arg, "");
608 * Line-oriented content detection.
611 #define LINE_INFO \
612 LINE(DIFF_HEADER, "diff --", COLOR_YELLOW, COLOR_DEFAULT, 0), \
613 LINE(DIFF_CHUNK, "@@", COLOR_MAGENTA, COLOR_DEFAULT, 0), \
614 LINE(DIFF_ADD, "+", COLOR_GREEN, COLOR_DEFAULT, 0), \
615 LINE(DIFF_ADD2, " +", COLOR_GREEN, COLOR_DEFAULT, 0), \
616 LINE(DIFF_DEL, "-", COLOR_RED, COLOR_DEFAULT, 0), \
617 LINE(DIFF_DEL2, " -", COLOR_RED, COLOR_DEFAULT, 0), \
618 LINE(DIFF_INDEX, "index ", COLOR_BLUE, COLOR_DEFAULT, 0), \
619 LINE(DIFF_OLDMODE, "old file mode ", COLOR_YELLOW, COLOR_DEFAULT, 0), \
620 LINE(DIFF_NEWMODE, "new file mode ", COLOR_YELLOW, COLOR_DEFAULT, 0), \
621 LINE(DIFF_DELETED_FILE_MODE, \
622 "deleted file mode ", COLOR_YELLOW, COLOR_DEFAULT, 0), \
623 LINE(DIFF_COPY_FROM, "copy from ", COLOR_YELLOW, COLOR_DEFAULT, 0), \
624 LINE(DIFF_COPY_TO, "copy to ", COLOR_YELLOW, COLOR_DEFAULT, 0), \
625 LINE(DIFF_RENAME_FROM, "rename from ", COLOR_YELLOW, COLOR_DEFAULT, 0), \
626 LINE(DIFF_RENAME_TO, "rename to ", COLOR_YELLOW, COLOR_DEFAULT, 0), \
627 LINE(DIFF_SIMILARITY, "similarity ", COLOR_YELLOW, COLOR_DEFAULT, 0), \
628 LINE(DIFF_DISSIMILARITY,"dissimilarity ", COLOR_YELLOW, COLOR_DEFAULT, 0), \
629 LINE(DIFF_TREE, "diff-tree ", COLOR_BLUE, COLOR_DEFAULT, 0), \
630 LINE(PP_AUTHOR, "Author: ", COLOR_CYAN, COLOR_DEFAULT, 0), \
631 LINE(PP_COMMIT, "Commit: ", COLOR_MAGENTA, COLOR_DEFAULT, 0), \
632 LINE(PP_MERGE, "Merge: ", COLOR_BLUE, COLOR_DEFAULT, 0), \
633 LINE(PP_DATE, "Date: ", COLOR_YELLOW, COLOR_DEFAULT, 0), \
634 LINE(PP_ADATE, "AuthorDate: ", COLOR_YELLOW, COLOR_DEFAULT, 0), \
635 LINE(PP_CDATE, "CommitDate: ", COLOR_YELLOW, COLOR_DEFAULT, 0), \
636 LINE(PP_REFS, "Refs: ", COLOR_RED, COLOR_DEFAULT, 0), \
637 LINE(PP_REFLOG, "Reflog: ", COLOR_RED, COLOR_DEFAULT, 0), \
638 LINE(PP_REFLOGMSG, "Reflog message: ", COLOR_YELLOW, COLOR_DEFAULT, 0), \
639 LINE(STASH, "stash@{", COLOR_MAGENTA, COLOR_DEFAULT, 0), \
640 LINE(COMMIT, "commit ", COLOR_GREEN, COLOR_DEFAULT, 0), \
641 LINE(PARENT, "parent ", COLOR_BLUE, COLOR_DEFAULT, 0), \
642 LINE(TREE, "tree ", COLOR_BLUE, COLOR_DEFAULT, 0), \
643 LINE(AUTHOR, "author ", COLOR_GREEN, COLOR_DEFAULT, 0), \
644 LINE(COMMITTER, "committer ", COLOR_MAGENTA, COLOR_DEFAULT, 0), \
645 LINE(SIGNOFF, " Signed-off-by", COLOR_YELLOW, COLOR_DEFAULT, 0), \
646 LINE(ACKED, " Acked-by", COLOR_YELLOW, COLOR_DEFAULT, 0), \
647 LINE(TESTED, " Tested-by", COLOR_YELLOW, COLOR_DEFAULT, 0), \
648 LINE(REVIEWED, " Reviewed-by", COLOR_YELLOW, COLOR_DEFAULT, 0), \
649 LINE(DEFAULT, "", COLOR_DEFAULT, COLOR_DEFAULT, A_NORMAL), \
650 LINE(CURSOR, "", COLOR_WHITE, COLOR_GREEN, A_BOLD), \
651 LINE(STATUS, "", COLOR_GREEN, COLOR_DEFAULT, 0), \
652 LINE(DELIMITER, "", COLOR_MAGENTA, COLOR_DEFAULT, 0), \
653 LINE(DATE, "", COLOR_BLUE, COLOR_DEFAULT, 0), \
654 LINE(MODE, "", COLOR_CYAN, COLOR_DEFAULT, 0), \
655 LINE(ID, "", COLOR_MAGENTA, COLOR_DEFAULT, 0), \
656 LINE(OVERFLOW, "", COLOR_RED, COLOR_DEFAULT, 0), \
657 LINE(FILENAME, "", COLOR_DEFAULT, COLOR_DEFAULT, 0), \
658 LINE(FILE_SIZE, "", COLOR_DEFAULT, COLOR_DEFAULT, 0), \
659 LINE(LINE_NUMBER, "", COLOR_CYAN, COLOR_DEFAULT, 0), \
660 LINE(TITLE_BLUR, "", COLOR_WHITE, COLOR_BLUE, 0), \
661 LINE(TITLE_FOCUS, "", COLOR_WHITE, COLOR_BLUE, A_BOLD), \
662 LINE(MAIN_COMMIT, "", COLOR_DEFAULT, COLOR_DEFAULT, 0), \
663 LINE(MAIN_TAG, "", COLOR_MAGENTA, COLOR_DEFAULT, A_BOLD), \
664 LINE(MAIN_LOCAL_TAG,"", COLOR_MAGENTA, COLOR_DEFAULT, 0), \
665 LINE(MAIN_REMOTE, "", COLOR_YELLOW, COLOR_DEFAULT, 0), \
666 LINE(MAIN_REPLACE, "", COLOR_CYAN, COLOR_DEFAULT, 0), \
667 LINE(MAIN_TRACKED, "", COLOR_YELLOW, COLOR_DEFAULT, A_BOLD), \
668 LINE(MAIN_REF, "", COLOR_CYAN, COLOR_DEFAULT, 0), \
669 LINE(MAIN_HEAD, "", COLOR_CYAN, COLOR_DEFAULT, A_BOLD), \
670 LINE(MAIN_REVGRAPH,"", COLOR_MAGENTA, COLOR_DEFAULT, 0), \
671 LINE(TREE_HEAD, "", COLOR_DEFAULT, COLOR_DEFAULT, A_BOLD), \
672 LINE(TREE_DIR, "", COLOR_YELLOW, COLOR_DEFAULT, A_NORMAL), \
673 LINE(TREE_FILE, "", COLOR_DEFAULT, COLOR_DEFAULT, A_NORMAL), \
674 LINE(STAT_HEAD, "", COLOR_YELLOW, COLOR_DEFAULT, 0), \
675 LINE(STAT_SECTION, "", COLOR_CYAN, COLOR_DEFAULT, 0), \
676 LINE(STAT_NONE, "", COLOR_DEFAULT, COLOR_DEFAULT, 0), \
677 LINE(STAT_STAGED, "", COLOR_MAGENTA, COLOR_DEFAULT, 0), \
678 LINE(STAT_UNSTAGED,"", COLOR_MAGENTA, COLOR_DEFAULT, 0), \
679 LINE(STAT_UNTRACKED,"", COLOR_MAGENTA, COLOR_DEFAULT, 0), \
680 LINE(HELP_KEYMAP, "", COLOR_CYAN, COLOR_DEFAULT, 0), \
681 LINE(HELP_GROUP, "", COLOR_BLUE, COLOR_DEFAULT, 0), \
682 LINE(DIFF_STAT, "", COLOR_BLUE, COLOR_DEFAULT, 0), \
683 LINE(PALETTE_0, "", COLOR_MAGENTA, COLOR_DEFAULT, 0), \
684 LINE(PALETTE_1, "", COLOR_YELLOW, COLOR_DEFAULT, 0), \
685 LINE(PALETTE_2, "", COLOR_CYAN, COLOR_DEFAULT, 0), \
686 LINE(PALETTE_3, "", COLOR_GREEN, COLOR_DEFAULT, 0), \
687 LINE(PALETTE_4, "", COLOR_DEFAULT, COLOR_DEFAULT, 0), \
688 LINE(PALETTE_5, "", COLOR_WHITE, COLOR_DEFAULT, 0), \
689 LINE(PALETTE_6, "", COLOR_RED, COLOR_DEFAULT, 0), \
690 LINE(GRAPH_COMMIT, "", COLOR_BLUE, COLOR_DEFAULT, 0)
692 enum line_type {
693 #define LINE(type, line, fg, bg, attr) \
694 LINE_##type
695 LINE_INFO,
696 LINE_NONE
697 #undef LINE
700 struct line_info {
701 const char *name; /* Option name. */
702 int namelen; /* Size of option name. */
703 const char *line; /* The start of line to match. */
704 int linelen; /* Size of string to match. */
705 int fg, bg, attr; /* Color and text attributes for the lines. */
706 int color_pair;
709 static struct line_info line_info[] = {
710 #define LINE(type, line, fg, bg, attr) \
711 { #type, STRING_SIZE(#type), (line), STRING_SIZE(line), (fg), (bg), (attr) }
712 LINE_INFO
713 #undef LINE
716 static struct line_info **color_pair;
717 static size_t color_pairs;
719 static struct line_info *custom_color;
720 static size_t custom_colors;
722 DEFINE_ALLOCATOR(realloc_custom_color, struct line_info, 8)
723 DEFINE_ALLOCATOR(realloc_color_pair, struct line_info *, 8)
725 #define TO_CUSTOM_COLOR_TYPE(type) (LINE_NONE + 1 + (type))
726 #define TO_CUSTOM_COLOR_OFFSET(type) ((type) - LINE_NONE - 1)
728 /* Color IDs must be 1 or higher. [GH #15] */
729 #define COLOR_ID(line_type) ((line_type) + 1)
731 static enum line_type
732 get_line_type(const char *line)
734 int linelen = strlen(line);
735 enum line_type type;
737 for (type = 0; type < custom_colors; type++)
738 /* Case insensitive search matches Signed-off-by lines better. */
739 if (linelen >= custom_color[type].linelen &&
740 !strncasecmp(custom_color[type].line, line, custom_color[type].linelen))
741 return TO_CUSTOM_COLOR_TYPE(type);
743 for (type = 0; type < ARRAY_SIZE(line_info); type++)
744 /* Case insensitive search matches Signed-off-by lines better. */
745 if (linelen >= line_info[type].linelen &&
746 !strncasecmp(line_info[type].line, line, line_info[type].linelen))
747 return type;
749 return LINE_DEFAULT;
752 static enum line_type
753 get_line_type_from_ref(const struct ref *ref)
755 if (ref->head)
756 return LINE_MAIN_HEAD;
757 else if (ref->ltag)
758 return LINE_MAIN_LOCAL_TAG;
759 else if (ref->tag)
760 return LINE_MAIN_TAG;
761 else if (ref->tracked)
762 return LINE_MAIN_TRACKED;
763 else if (ref->remote)
764 return LINE_MAIN_REMOTE;
765 else if (ref->replace)
766 return LINE_MAIN_REPLACE;
768 return LINE_MAIN_REF;
771 static inline struct line_info *
772 get_line(enum line_type type)
774 if (type > LINE_NONE) {
775 assert(TO_CUSTOM_COLOR_OFFSET(type) < custom_colors);
776 return &custom_color[TO_CUSTOM_COLOR_OFFSET(type)];
777 } else {
778 assert(type < ARRAY_SIZE(line_info));
779 return &line_info[type];
783 static inline int
784 get_line_color(enum line_type type)
786 return COLOR_ID(get_line(type)->color_pair);
789 static inline int
790 get_line_attr(enum line_type type)
792 struct line_info *info = get_line(type);
794 return COLOR_PAIR(COLOR_ID(info->color_pair)) | info->attr;
797 static struct line_info *
798 get_line_info(const char *name)
800 size_t namelen = strlen(name);
801 enum line_type type;
803 for (type = 0; type < ARRAY_SIZE(line_info); type++)
804 if (enum_equals(line_info[type], name, namelen))
805 return &line_info[type];
807 return NULL;
810 static struct line_info *
811 add_custom_color(const char *quoted_line)
813 struct line_info *info;
814 char *line;
815 size_t linelen;
817 if (!realloc_custom_color(&custom_color, custom_colors, 1))
818 die("Failed to alloc custom line info");
820 linelen = strlen(quoted_line) - 1;
821 line = malloc(linelen);
822 if (!line)
823 return NULL;
825 strncpy(line, quoted_line + 1, linelen);
826 line[linelen - 1] = 0;
828 info = &custom_color[custom_colors++];
829 info->name = info->line = line;
830 info->namelen = info->linelen = strlen(line);
832 return info;
835 static void
836 init_line_info_color_pair(struct line_info *info, enum line_type type,
837 int default_bg, int default_fg)
839 int bg = info->bg == COLOR_DEFAULT ? default_bg : info->bg;
840 int fg = info->fg == COLOR_DEFAULT ? default_fg : info->fg;
841 int i;
843 for (i = 0; i < color_pairs; i++) {
844 if (color_pair[i]->fg == info->fg && color_pair[i]->bg == info->bg) {
845 info->color_pair = i;
846 return;
850 if (!realloc_color_pair(&color_pair, color_pairs, 1))
851 die("Failed to alloc color pair");
853 color_pair[color_pairs] = info;
854 info->color_pair = color_pairs++;
855 init_pair(COLOR_ID(info->color_pair), fg, bg);
858 static void
859 init_colors(void)
861 int default_bg = line_info[LINE_DEFAULT].bg;
862 int default_fg = line_info[LINE_DEFAULT].fg;
863 enum line_type type;
865 start_color();
867 if (assume_default_colors(default_fg, default_bg) == ERR) {
868 default_bg = COLOR_BLACK;
869 default_fg = COLOR_WHITE;
872 for (type = 0; type < ARRAY_SIZE(line_info); type++) {
873 struct line_info *info = &line_info[type];
875 init_line_info_color_pair(info, type, default_bg, default_fg);
878 for (type = 0; type < custom_colors; type++) {
879 struct line_info *info = &custom_color[type];
881 init_line_info_color_pair(info, TO_CUSTOM_COLOR_TYPE(type),
882 default_bg, default_fg);
886 struct line {
887 enum line_type type;
888 unsigned int lineno:24;
890 /* State flags */
891 unsigned int selected:1;
892 unsigned int dirty:1;
893 unsigned int cleareol:1;
894 unsigned int wrapped:1;
896 unsigned int user_flags:6;
897 void *data; /* User data */
902 * Keys
905 struct keybinding {
906 int alias;
907 enum request request;
910 static struct keybinding default_keybindings[] = {
911 /* View switching */
912 { 'm', REQ_VIEW_MAIN },
913 { 'd', REQ_VIEW_DIFF },
914 { 'l', REQ_VIEW_LOG },
915 { 't', REQ_VIEW_TREE },
916 { 'f', REQ_VIEW_BLOB },
917 { 'B', REQ_VIEW_BLAME },
918 { 'H', REQ_VIEW_BRANCH },
919 { 'p', REQ_VIEW_PAGER },
920 { 'h', REQ_VIEW_HELP },
921 { 'S', REQ_VIEW_STATUS },
922 { 'c', REQ_VIEW_STAGE },
923 { 'y', REQ_VIEW_STASH },
925 /* View manipulation */
926 { 'q', REQ_VIEW_CLOSE },
927 { KEY_TAB, REQ_VIEW_NEXT },
928 { KEY_RETURN, REQ_ENTER },
929 { KEY_UP, REQ_PREVIOUS },
930 { KEY_CTL('P'), REQ_PREVIOUS },
931 { KEY_DOWN, REQ_NEXT },
932 { KEY_CTL('N'), REQ_NEXT },
933 { 'R', REQ_REFRESH },
934 { KEY_F(5), REQ_REFRESH },
935 { 'O', REQ_MAXIMIZE },
936 { ',', REQ_PARENT },
938 /* View specific */
939 { 'u', REQ_STATUS_UPDATE },
940 { '!', REQ_STATUS_REVERT },
941 { 'M', REQ_STATUS_MERGE },
942 { '1', REQ_STAGE_UPDATE_LINE },
943 { '@', REQ_STAGE_NEXT },
944 { '[', REQ_DIFF_CONTEXT_DOWN },
945 { ']', REQ_DIFF_CONTEXT_UP },
947 /* Cursor navigation */
948 { 'k', REQ_MOVE_UP },
949 { 'j', REQ_MOVE_DOWN },
950 { KEY_HOME, REQ_MOVE_FIRST_LINE },
951 { KEY_END, REQ_MOVE_LAST_LINE },
952 { KEY_NPAGE, REQ_MOVE_PAGE_DOWN },
953 { KEY_CTL('D'), REQ_MOVE_PAGE_DOWN },
954 { ' ', REQ_MOVE_PAGE_DOWN },
955 { KEY_PPAGE, REQ_MOVE_PAGE_UP },
956 { KEY_CTL('U'), REQ_MOVE_PAGE_UP },
957 { 'b', REQ_MOVE_PAGE_UP },
958 { '-', REQ_MOVE_PAGE_UP },
960 /* Scrolling */
961 { '|', REQ_SCROLL_FIRST_COL },
962 { KEY_LEFT, REQ_SCROLL_LEFT },
963 { KEY_RIGHT, REQ_SCROLL_RIGHT },
964 { KEY_IC, REQ_SCROLL_LINE_UP },
965 { KEY_CTL('Y'), REQ_SCROLL_LINE_UP },
966 { KEY_DC, REQ_SCROLL_LINE_DOWN },
967 { KEY_CTL('E'), REQ_SCROLL_LINE_DOWN },
968 { 'w', REQ_SCROLL_PAGE_UP },
969 { 's', REQ_SCROLL_PAGE_DOWN },
971 /* Searching */
972 { '/', REQ_SEARCH },
973 { '?', REQ_SEARCH_BACK },
974 { 'n', REQ_FIND_NEXT },
975 { 'N', REQ_FIND_PREV },
977 /* Misc */
978 { 'Q', REQ_QUIT },
979 { 'z', REQ_STOP_LOADING },
980 { 'v', REQ_SHOW_VERSION },
981 { 'r', REQ_SCREEN_REDRAW },
982 { KEY_CTL('L'), REQ_SCREEN_REDRAW },
983 { 'o', REQ_OPTIONS },
984 { '.', REQ_TOGGLE_LINENO },
985 { 'D', REQ_TOGGLE_DATE },
986 { 'A', REQ_TOGGLE_AUTHOR },
987 { 'g', REQ_TOGGLE_REV_GRAPH },
988 { '~', REQ_TOGGLE_GRAPHIC },
989 { '#', REQ_TOGGLE_FILENAME },
990 { 'F', REQ_TOGGLE_REFS },
991 { 'I', REQ_TOGGLE_SORT_ORDER },
992 { 'i', REQ_TOGGLE_SORT_FIELD },
993 { 'W', REQ_TOGGLE_IGNORE_SPACE },
994 { 'X', REQ_TOGGLE_ID },
995 { '%', REQ_TOGGLE_FILES },
996 { '$', REQ_TOGGLE_TITLE_OVERFLOW },
997 { ':', REQ_PROMPT },
998 { 'e', REQ_EDIT },
1001 struct keymap {
1002 const char *name;
1003 struct keymap *next;
1004 struct keybinding *data;
1005 size_t size;
1006 bool hidden;
1009 static struct keymap generic_keymap = { "generic" };
1010 #define is_generic_keymap(keymap) ((keymap) == &generic_keymap)
1012 static struct keymap *keymaps = &generic_keymap;
1014 static void
1015 add_keymap(struct keymap *keymap)
1017 keymap->next = keymaps;
1018 keymaps = keymap;
1021 static struct keymap *
1022 get_keymap(const char *name)
1024 struct keymap *keymap = keymaps;
1026 while (keymap) {
1027 if (!strcasecmp(keymap->name, name))
1028 return keymap;
1029 keymap = keymap->next;
1032 return NULL;
1036 static void
1037 add_keybinding(struct keymap *table, enum request request, int key)
1039 size_t i;
1041 for (i = 0; i < table->size; i++) {
1042 if (table->data[i].alias == key) {
1043 table->data[i].request = request;
1044 return;
1048 table->data = realloc(table->data, (table->size + 1) * sizeof(*table->data));
1049 if (!table->data)
1050 die("Failed to allocate keybinding");
1051 table->data[table->size].alias = key;
1052 table->data[table->size++].request = request;
1054 if (request == REQ_NONE && is_generic_keymap(table)) {
1055 int i;
1057 for (i = 0; i < ARRAY_SIZE(default_keybindings); i++)
1058 if (default_keybindings[i].alias == key)
1059 default_keybindings[i].request = REQ_NONE;
1063 /* Looks for a key binding first in the given map, then in the generic map, and
1064 * lastly in the default keybindings. */
1065 static enum request
1066 get_keybinding(struct keymap *keymap, int key)
1068 size_t i;
1070 for (i = 0; i < keymap->size; i++)
1071 if (keymap->data[i].alias == key)
1072 return keymap->data[i].request;
1074 for (i = 0; i < generic_keymap.size; i++)
1075 if (generic_keymap.data[i].alias == key)
1076 return generic_keymap.data[i].request;
1078 for (i = 0; i < ARRAY_SIZE(default_keybindings); i++)
1079 if (default_keybindings[i].alias == key)
1080 return default_keybindings[i].request;
1082 return (enum request) key;
1086 struct key {
1087 const char *name;
1088 int value;
1091 static const struct key key_table[] = {
1092 { "Enter", KEY_RETURN },
1093 { "Space", ' ' },
1094 { "Backspace", KEY_BACKSPACE },
1095 { "Tab", KEY_TAB },
1096 { "Escape", KEY_ESC },
1097 { "Left", KEY_LEFT },
1098 { "Right", KEY_RIGHT },
1099 { "Up", KEY_UP },
1100 { "Down", KEY_DOWN },
1101 { "Insert", KEY_IC },
1102 { "Delete", KEY_DC },
1103 { "Hash", '#' },
1104 { "Home", KEY_HOME },
1105 { "End", KEY_END },
1106 { "PageUp", KEY_PPAGE },
1107 { "PageDown", KEY_NPAGE },
1108 { "F1", KEY_F(1) },
1109 { "F2", KEY_F(2) },
1110 { "F3", KEY_F(3) },
1111 { "F4", KEY_F(4) },
1112 { "F5", KEY_F(5) },
1113 { "F6", KEY_F(6) },
1114 { "F7", KEY_F(7) },
1115 { "F8", KEY_F(8) },
1116 { "F9", KEY_F(9) },
1117 { "F10", KEY_F(10) },
1118 { "F11", KEY_F(11) },
1119 { "F12", KEY_F(12) },
1122 static int
1123 get_key_value(const char *name)
1125 int i;
1127 for (i = 0; i < ARRAY_SIZE(key_table); i++)
1128 if (!strcasecmp(key_table[i].name, name))
1129 return key_table[i].value;
1131 if (strlen(name) == 3 && name[0] == '^' && name[1] == '[' && isprint(*name))
1132 return (int)name[2] + 0x80;
1133 if (strlen(name) == 2 && name[0] == '^' && isprint(*name))
1134 return (int)name[1] & 0x1f;
1135 if (strlen(name) == 1 && isprint(*name))
1136 return (int) *name;
1137 return ERR;
1140 static const char *
1141 get_key_name(int key_value)
1143 static char key_char[] = "'X'\0";
1144 const char *seq = NULL;
1145 int key;
1147 for (key = 0; key < ARRAY_SIZE(key_table); key++)
1148 if (key_table[key].value == key_value)
1149 seq = key_table[key].name;
1151 if (seq == NULL && key_value < 0x7f) {
1152 char *s = key_char + 1;
1154 if (key_value >= 0x20) {
1155 *s++ = key_value;
1156 } else {
1157 *s++ = '^';
1158 *s++ = 0x40 | (key_value & 0x1f);
1160 *s++ = '\'';
1161 *s++ = '\0';
1162 seq = key_char;
1165 return seq ? seq : "(no key)";
1168 static bool
1169 append_key(char *buf, size_t *pos, const struct keybinding *keybinding)
1171 const char *sep = *pos > 0 ? ", " : "";
1172 const char *keyname = get_key_name(keybinding->alias);
1174 return string_nformat(buf, BUFSIZ, pos, "%s%s", sep, keyname);
1177 static bool
1178 append_keymap_request_keys(char *buf, size_t *pos, enum request request,
1179 struct keymap *keymap, bool all)
1181 int i;
1183 for (i = 0; i < keymap->size; i++) {
1184 if (keymap->data[i].request == request) {
1185 if (!append_key(buf, pos, &keymap->data[i]))
1186 return FALSE;
1187 if (!all)
1188 break;
1192 return TRUE;
1195 #define get_view_key(view, request) get_keys(&(view)->ops->keymap, request, FALSE)
1197 static const char *
1198 get_keys(struct keymap *keymap, enum request request, bool all)
1200 static char buf[BUFSIZ];
1201 size_t pos = 0;
1202 int i;
1204 buf[pos] = 0;
1206 if (!append_keymap_request_keys(buf, &pos, request, keymap, all))
1207 return "Too many keybindings!";
1208 if (pos > 0 && !all)
1209 return buf;
1211 if (!is_generic_keymap(keymap)) {
1212 /* Only the generic keymap includes the default keybindings when
1213 * listing all keys. */
1214 if (all)
1215 return buf;
1217 if (!append_keymap_request_keys(buf, &pos, request, &generic_keymap, all))
1218 return "Too many keybindings!";
1219 if (pos)
1220 return buf;
1223 for (i = 0; i < ARRAY_SIZE(default_keybindings); i++) {
1224 if (default_keybindings[i].request == request) {
1225 if (!append_key(buf, &pos, &default_keybindings[i]))
1226 return "Too many keybindings!";
1227 if (!all)
1228 return buf;
1232 return buf;
1235 enum run_request_flag {
1236 RUN_REQUEST_DEFAULT = 0,
1237 RUN_REQUEST_FORCE = 1,
1238 RUN_REQUEST_SILENT = 2,
1239 RUN_REQUEST_CONFIRM = 4,
1240 RUN_REQUEST_EXIT = 8,
1241 RUN_REQUEST_INTERNAL = 16,
1244 struct run_request {
1245 struct keymap *keymap;
1246 int key;
1247 const char **argv;
1248 bool silent;
1249 bool confirm;
1250 bool exit;
1251 bool internal;
1254 static struct run_request *run_request;
1255 static size_t run_requests;
1257 DEFINE_ALLOCATOR(realloc_run_requests, struct run_request, 8)
1259 static bool
1260 add_run_request(struct keymap *keymap, int key, const char **argv, enum run_request_flag flags)
1262 bool force = flags & RUN_REQUEST_FORCE;
1263 struct run_request *req;
1265 if (!force && get_keybinding(keymap, key) != key)
1266 return TRUE;
1268 if (!realloc_run_requests(&run_request, run_requests, 1))
1269 return FALSE;
1271 if (!argv_copy(&run_request[run_requests].argv, argv))
1272 return FALSE;
1274 req = &run_request[run_requests++];
1275 req->silent = flags & RUN_REQUEST_SILENT;
1276 req->confirm = flags & RUN_REQUEST_CONFIRM;
1277 req->exit = flags & RUN_REQUEST_EXIT;
1278 req->internal = flags & RUN_REQUEST_INTERNAL;
1279 req->keymap = keymap;
1280 req->key = key;
1282 add_keybinding(keymap, REQ_NONE + run_requests, key);
1283 return TRUE;
1286 static struct run_request *
1287 get_run_request(enum request request)
1289 if (request <= REQ_NONE || request > REQ_NONE + run_requests)
1290 return NULL;
1291 return &run_request[request - REQ_NONE - 1];
1294 static void
1295 add_builtin_run_requests(void)
1297 const char *cherry_pick[] = { "git", "cherry-pick", "%(commit)", NULL };
1298 const char *checkout[] = { "git", "checkout", "%(branch)", NULL };
1299 const char *commit[] = { "git", "commit", NULL };
1300 const char *gc[] = { "git", "gc", NULL };
1301 const char *stash_pop[] = { "git", "stash", "pop", "%(stash)", NULL };
1303 add_run_request(get_keymap("main"), 'C', cherry_pick, RUN_REQUEST_CONFIRM);
1304 add_run_request(get_keymap("status"), 'C', commit, RUN_REQUEST_DEFAULT);
1305 add_run_request(get_keymap("branch"), 'C', checkout, RUN_REQUEST_CONFIRM);
1306 add_run_request(get_keymap("generic"), 'G', gc, RUN_REQUEST_CONFIRM);
1307 add_run_request(get_keymap("stash"), 'P', stash_pop, RUN_REQUEST_CONFIRM);
1311 * User config file handling.
1314 #define OPT_ERR_INFO \
1315 OPT_ERR_(INTEGER_VALUE_OUT_OF_BOUND, "Integer value out of bound"), \
1316 OPT_ERR_(INVALID_STEP_VALUE, "Invalid step value"), \
1317 OPT_ERR_(NO_OPTION_VALUE, "No option value"), \
1318 OPT_ERR_(NO_VALUE_ASSIGNED, "No value assigned"), \
1319 OPT_ERR_(OBSOLETE_REQUEST_NAME, "Obsolete request name"), \
1320 OPT_ERR_(OUT_OF_MEMORY, "Out of memory"), \
1321 OPT_ERR_(TOO_MANY_OPTION_ARGUMENTS, "Too many option arguments"), \
1322 OPT_ERR_(FILE_DOES_NOT_EXIST, "File does not exist"), \
1323 OPT_ERR_(UNKNOWN_ATTRIBUTE, "Unknown attribute"), \
1324 OPT_ERR_(UNKNOWN_COLOR, "Unknown color"), \
1325 OPT_ERR_(UNKNOWN_COLOR_NAME, "Unknown color name"), \
1326 OPT_ERR_(UNKNOWN_KEY, "Unknown key"), \
1327 OPT_ERR_(UNKNOWN_KEY_MAP, "Unknown key map"), \
1328 OPT_ERR_(UNKNOWN_OPTION_COMMAND, "Unknown option command"), \
1329 OPT_ERR_(UNKNOWN_REQUEST_NAME, "Unknown request name"), \
1330 OPT_ERR_(UNKNOWN_VARIABLE_NAME, "Unknown variable name"), \
1331 OPT_ERR_(UNMATCHED_QUOTATION, "Unmatched quotation"), \
1332 OPT_ERR_(WRONG_NUMBER_OF_ARGUMENTS, "Wrong number of arguments"), \
1333 OPT_ERR_(HOME_UNRESOLVABLE, "HOME environment variable could not be resolved"),
1335 enum option_code {
1336 #define OPT_ERR_(name, msg) OPT_ERR_ ## name
1337 OPT_ERR_INFO
1338 #undef OPT_ERR_
1339 OPT_OK
1342 static const char *option_errors[] = {
1343 #define OPT_ERR_(name, msg) msg
1344 OPT_ERR_INFO
1345 #undef OPT_ERR_
1348 static const struct enum_map color_map[] = {
1349 #define COLOR_MAP(name) ENUM_MAP(#name, COLOR_##name)
1350 COLOR_MAP(DEFAULT),
1351 COLOR_MAP(BLACK),
1352 COLOR_MAP(BLUE),
1353 COLOR_MAP(CYAN),
1354 COLOR_MAP(GREEN),
1355 COLOR_MAP(MAGENTA),
1356 COLOR_MAP(RED),
1357 COLOR_MAP(WHITE),
1358 COLOR_MAP(YELLOW),
1361 static const struct enum_map attr_map[] = {
1362 #define ATTR_MAP(name) ENUM_MAP(#name, A_##name)
1363 ATTR_MAP(NORMAL),
1364 ATTR_MAP(BLINK),
1365 ATTR_MAP(BOLD),
1366 ATTR_MAP(DIM),
1367 ATTR_MAP(REVERSE),
1368 ATTR_MAP(STANDOUT),
1369 ATTR_MAP(UNDERLINE),
1372 #define set_attribute(attr, name) map_enum(attr, attr_map, name)
1374 static enum option_code
1375 parse_step(double *opt, const char *arg)
1377 *opt = atoi(arg);
1378 if (!strchr(arg, '%'))
1379 return OPT_OK;
1381 /* "Shift down" so 100% and 1 does not conflict. */
1382 *opt = (*opt - 1) / 100;
1383 if (*opt >= 1.0) {
1384 *opt = 0.99;
1385 return OPT_ERR_INVALID_STEP_VALUE;
1387 if (*opt < 0.0) {
1388 *opt = 1;
1389 return OPT_ERR_INVALID_STEP_VALUE;
1391 return OPT_OK;
1394 static enum option_code
1395 parse_int(int *opt, const char *arg, int min, int max)
1397 int value = atoi(arg);
1399 if (min <= value && value <= max) {
1400 *opt = value;
1401 return OPT_OK;
1404 return OPT_ERR_INTEGER_VALUE_OUT_OF_BOUND;
1407 #define parse_id(opt, arg) \
1408 parse_int(opt, arg, 4, SIZEOF_REV - 1)
1410 static bool
1411 set_color(int *color, const char *name)
1413 if (map_enum(color, color_map, name))
1414 return TRUE;
1415 if (!prefixcmp(name, "color"))
1416 return parse_int(color, name + 5, 0, 255) == OPT_OK;
1417 /* Used when reading git colors. Git expects a plain int w/o prefix. */
1418 return parse_int(color, name, 0, 255) == OPT_OK;
1421 /* Wants: object fgcolor bgcolor [attribute] */
1422 static enum option_code
1423 option_color_command(int argc, const char *argv[])
1425 struct line_info *info;
1427 if (argc < 3)
1428 return OPT_ERR_WRONG_NUMBER_OF_ARGUMENTS;
1430 if (*argv[0] == '"' || *argv[0] == '\'') {
1431 info = add_custom_color(argv[0]);
1432 } else {
1433 info = get_line_info(argv[0]);
1435 if (!info) {
1436 static const struct enum_map obsolete[] = {
1437 ENUM_MAP("main-delim", LINE_DELIMITER),
1438 ENUM_MAP("main-date", LINE_DATE),
1439 ENUM_MAP("main-author", LINE_AUTHOR),
1440 ENUM_MAP("blame-id", LINE_ID),
1442 int index;
1444 if (!map_enum(&index, obsolete, argv[0]))
1445 return OPT_ERR_UNKNOWN_COLOR_NAME;
1446 info = &line_info[index];
1449 if (!set_color(&info->fg, argv[1]) ||
1450 !set_color(&info->bg, argv[2]))
1451 return OPT_ERR_UNKNOWN_COLOR;
1453 info->attr = 0;
1454 while (argc-- > 3) {
1455 int attr;
1457 if (!set_attribute(&attr, argv[argc]))
1458 return OPT_ERR_UNKNOWN_ATTRIBUTE;
1459 info->attr |= attr;
1462 return OPT_OK;
1465 static enum option_code
1466 parse_bool_matched(bool *opt, const char *arg, bool *matched)
1468 *opt = (!strcmp(arg, "1") || !strcmp(arg, "true") || !strcmp(arg, "yes"))
1469 ? TRUE : FALSE;
1470 if (matched)
1471 *matched = *opt || (!strcmp(arg, "0") || !strcmp(arg, "false") || !strcmp(arg, "no"));
1472 return OPT_OK;
1475 #define parse_bool(opt, arg) parse_bool_matched(opt, arg, NULL)
1477 static enum option_code
1478 parse_enum_do(unsigned int *opt, const char *arg,
1479 const struct enum_map *map, size_t map_size)
1481 bool is_true;
1483 assert(map_size > 1);
1485 if (map_enum_do(map, map_size, (int *) opt, arg))
1486 return OPT_OK;
1488 parse_bool(&is_true, arg);
1489 *opt = is_true ? map[1].value : map[0].value;
1490 return OPT_OK;
1493 #define parse_enum(opt, arg, map) \
1494 parse_enum_do(opt, arg, map, ARRAY_SIZE(map))
1496 static enum option_code
1497 parse_string(char *opt, const char *arg, size_t optsize)
1499 int arglen = strlen(arg);
1501 switch (arg[0]) {
1502 case '\"':
1503 case '\'':
1504 if (arglen == 1 || arg[arglen - 1] != arg[0])
1505 return OPT_ERR_UNMATCHED_QUOTATION;
1506 arg += 1; arglen -= 2;
1507 default:
1508 string_ncopy_do(opt, optsize, arg, arglen);
1509 return OPT_OK;
1513 static enum option_code
1514 parse_encoding(struct encoding **encoding_ref, const char *arg, bool priority)
1516 char buf[SIZEOF_STR];
1517 enum option_code code = parse_string(buf, arg, sizeof(buf));
1519 if (code == OPT_OK) {
1520 struct encoding *encoding = *encoding_ref;
1522 if (encoding && !priority)
1523 return code;
1524 encoding = encoding_open(buf);
1525 if (encoding)
1526 *encoding_ref = encoding;
1529 return code;
1532 static enum option_code
1533 parse_args(const char ***args, const char *argv[])
1535 if (!argv_copy(args, argv))
1536 return OPT_ERR_OUT_OF_MEMORY;
1537 return OPT_OK;
1540 /* Wants: name = value */
1541 static enum option_code
1542 option_set_command(int argc, const char *argv[])
1544 if (argc < 3)
1545 return OPT_ERR_WRONG_NUMBER_OF_ARGUMENTS;
1547 if (strcmp(argv[1], "="))
1548 return OPT_ERR_NO_VALUE_ASSIGNED;
1550 if (!strcmp(argv[0], "blame-options"))
1551 return parse_args(&opt_blame_argv, argv + 2);
1553 if (!strcmp(argv[0], "diff-options"))
1554 return parse_args(&opt_diff_argv, argv + 2);
1556 if (argc != 3)
1557 return OPT_ERR_WRONG_NUMBER_OF_ARGUMENTS;
1559 if (!strcmp(argv[0], "show-author"))
1560 return parse_enum(&opt_author, argv[2], author_map);
1562 if (!strcmp(argv[0], "show-date"))
1563 return parse_enum(&opt_date, argv[2], date_map);
1565 if (!strcmp(argv[0], "show-rev-graph"))
1566 return parse_bool(&opt_rev_graph, argv[2]);
1568 if (!strcmp(argv[0], "show-refs"))
1569 return parse_bool(&opt_show_refs, argv[2]);
1571 if (!strcmp(argv[0], "show-changes"))
1572 return parse_bool(&opt_show_changes, argv[2]);
1574 if (!strcmp(argv[0], "show-notes")) {
1575 bool matched = FALSE;
1576 enum option_code res = parse_bool_matched(&opt_notes, argv[2], &matched);
1578 if (res == OPT_OK && matched) {
1579 update_notes_arg();
1580 return res;
1583 opt_notes = TRUE;
1584 strcpy(opt_notes_arg, "--show-notes=");
1585 res = parse_string(opt_notes_arg + 8, argv[2],
1586 sizeof(opt_notes_arg) - 8);
1587 if (res == OPT_OK && opt_notes_arg[8] == '\0')
1588 opt_notes_arg[7] = '\0';
1589 return res;
1592 if (!strcmp(argv[0], "show-line-numbers"))
1593 return parse_bool(&opt_line_number, argv[2]);
1595 if (!strcmp(argv[0], "line-graphics"))
1596 return parse_enum(&opt_line_graphics, argv[2], graphic_map);
1598 if (!strcmp(argv[0], "line-number-interval"))
1599 return parse_int(&opt_num_interval, argv[2], 1, 1024);
1601 if (!strcmp(argv[0], "author-width"))
1602 return parse_int(&opt_author_width, argv[2], 0, 1024);
1604 if (!strcmp(argv[0], "filename-width"))
1605 return parse_int(&opt_filename_width, argv[2], 0, 1024);
1607 if (!strcmp(argv[0], "show-filename"))
1608 return parse_enum(&opt_filename, argv[2], filename_map);
1610 if (!strcmp(argv[0], "show-file-size"))
1611 return parse_enum(&opt_file_size, argv[2], file_size_map);
1613 if (!strcmp(argv[0], "horizontal-scroll"))
1614 return parse_step(&opt_hscroll, argv[2]);
1616 if (!strcmp(argv[0], "split-view-height"))
1617 return parse_step(&opt_scale_split_view, argv[2]);
1619 if (!strcmp(argv[0], "vertical-split"))
1620 return parse_bool(&opt_vsplit, argv[2]);
1622 if (!strcmp(argv[0], "tab-size"))
1623 return parse_int(&opt_tab_size, argv[2], 1, 1024);
1625 if (!strcmp(argv[0], "diff-context")) {
1626 enum option_code code = parse_int(&opt_diff_context, argv[2], 0, 999999);
1628 if (code == OPT_OK)
1629 update_diff_context_arg(opt_diff_context);
1630 return code;
1633 if (!strcmp(argv[0], "ignore-space")) {
1634 enum option_code code = parse_enum(&opt_ignore_space, argv[2], ignore_space_map);
1636 if (code == OPT_OK)
1637 update_ignore_space_arg();
1638 return code;
1641 if (!strcmp(argv[0], "commit-order")) {
1642 enum option_code code = parse_enum(&opt_commit_order, argv[2], commit_order_map);
1644 if (code == OPT_OK)
1645 update_commit_order_arg();
1646 return code;
1649 if (!strcmp(argv[0], "status-untracked-dirs"))
1650 return parse_bool(&opt_untracked_dirs_content, argv[2]);
1652 if (!strcmp(argv[0], "read-git-colors"))
1653 return parse_bool(&opt_read_git_colors, argv[2]);
1655 if (!strcmp(argv[0], "ignore-case"))
1656 return parse_bool(&opt_ignore_case, argv[2]);
1658 if (!strcmp(argv[0], "focus-child"))
1659 return parse_bool(&opt_focus_child, argv[2]);
1661 if (!strcmp(argv[0], "wrap-lines"))
1662 return parse_bool(&opt_wrap_lines, argv[2]);
1664 if (!strcmp(argv[0], "show-id"))
1665 return parse_bool(&opt_show_id, argv[2]);
1667 if (!strcmp(argv[0], "id-width"))
1668 return parse_id(&opt_id_cols, argv[2]);
1670 if (!strcmp(argv[0], "title-overflow")) {
1671 bool matched;
1672 enum option_code code;
1675 * "title-overflow" is considered a boolint.
1676 * We try to parse it as a boolean (and set the value to 50 if true),
1677 * otherwise we parse it as an integer and use the given value.
1679 code = parse_bool_matched(&opt_show_title_overflow, argv[2], &matched);
1680 if (code == OPT_OK && matched) {
1681 if (opt_show_title_overflow)
1682 opt_title_overflow = 50;
1683 } else {
1684 code = parse_int(&opt_title_overflow, argv[2], 2, 1024);
1685 if (code == OPT_OK)
1686 opt_show_title_overflow = TRUE;
1689 return code;
1692 if (!strcmp(argv[0], "editor-line-number"))
1693 return parse_bool(&opt_editor_lineno, argv[2]);
1695 return OPT_ERR_UNKNOWN_VARIABLE_NAME;
1698 /* Wants: mode request key */
1699 static enum option_code
1700 option_bind_command(int argc, const char *argv[])
1702 enum request request;
1703 struct keymap *keymap;
1704 int key;
1706 if (argc < 3)
1707 return OPT_ERR_WRONG_NUMBER_OF_ARGUMENTS;
1709 if (!(keymap = get_keymap(argv[0])))
1710 return OPT_ERR_UNKNOWN_KEY_MAP;
1712 key = get_key_value(argv[1]);
1713 if (key == ERR)
1714 return OPT_ERR_UNKNOWN_KEY;
1716 request = get_request(argv[2]);
1717 if (request == REQ_UNKNOWN) {
1718 static const struct enum_map obsolete[] = {
1719 ENUM_MAP("cherry-pick", REQ_NONE),
1720 ENUM_MAP("screen-resize", REQ_NONE),
1721 ENUM_MAP("tree-parent", REQ_PARENT),
1723 int alias;
1725 if (map_enum(&alias, obsolete, argv[2])) {
1726 if (alias != REQ_NONE)
1727 add_keybinding(keymap, alias, key);
1728 return OPT_ERR_OBSOLETE_REQUEST_NAME;
1732 if (request == REQ_UNKNOWN) {
1733 char first = *argv[2]++;
1735 if (first == '!') {
1736 enum run_request_flag flags = RUN_REQUEST_FORCE;
1738 while (*argv[2]) {
1739 if (*argv[2] == '@') {
1740 flags |= RUN_REQUEST_SILENT;
1741 } else if (*argv[2] == '?') {
1742 flags |= RUN_REQUEST_CONFIRM;
1743 } else if (*argv[2] == '<') {
1744 flags |= RUN_REQUEST_EXIT;
1745 } else {
1746 break;
1748 argv[2]++;
1751 return add_run_request(keymap, key, argv + 2, flags)
1752 ? OPT_OK : OPT_ERR_OUT_OF_MEMORY;
1753 } else if (first == ':') {
1754 return add_run_request(keymap, key, argv + 2, RUN_REQUEST_FORCE | RUN_REQUEST_INTERNAL)
1755 ? OPT_OK : OPT_ERR_OUT_OF_MEMORY;
1756 } else {
1757 return OPT_ERR_UNKNOWN_REQUEST_NAME;
1761 add_keybinding(keymap, request, key);
1763 return OPT_OK;
1767 static enum option_code load_option_file(const char *path);
1769 static enum option_code
1770 option_source_command(int argc, const char *argv[])
1772 if (argc < 1)
1773 return OPT_ERR_WRONG_NUMBER_OF_ARGUMENTS;
1775 return load_option_file(argv[0]);
1778 static enum option_code
1779 set_option(const char *opt, char *value)
1781 const char *argv[SIZEOF_ARG];
1782 int argc = 0;
1784 if (!argv_from_string(argv, &argc, value))
1785 return OPT_ERR_TOO_MANY_OPTION_ARGUMENTS;
1787 if (!strcmp(opt, "color"))
1788 return option_color_command(argc, argv);
1790 if (!strcmp(opt, "set"))
1791 return option_set_command(argc, argv);
1793 if (!strcmp(opt, "bind"))
1794 return option_bind_command(argc, argv);
1796 if (!strcmp(opt, "source"))
1797 return option_source_command(argc, argv);
1799 return OPT_ERR_UNKNOWN_OPTION_COMMAND;
1802 struct config_state {
1803 const char *path;
1804 int lineno;
1805 bool errors;
1808 static int
1809 read_option(char *opt, size_t optlen, char *value, size_t valuelen, void *data)
1811 struct config_state *config = data;
1812 enum option_code status = OPT_ERR_NO_OPTION_VALUE;
1814 config->lineno++;
1816 /* Check for comment markers, since read_properties() will
1817 * only ensure opt and value are split at first " \t". */
1818 optlen = strcspn(opt, "#");
1819 if (optlen == 0)
1820 return OK;
1822 if (opt[optlen] == 0) {
1823 /* Look for comment endings in the value. */
1824 size_t len = strcspn(value, "#");
1826 if (len < valuelen) {
1827 valuelen = len;
1828 value[valuelen] = 0;
1831 status = set_option(opt, value);
1834 if (status != OPT_OK) {
1835 warn("%s line %d: %s near '%.*s'", config->path, config->lineno,
1836 option_errors[status], (int) optlen, opt);
1837 config->errors = TRUE;
1840 /* Always keep going if errors are encountered. */
1841 return OK;
1844 static enum option_code
1845 load_option_file(const char *path)
1847 struct config_state config = { path, 0, FALSE };
1848 struct io io;
1849 char buf[SIZEOF_STR];
1851 /* Do not read configuration from stdin if set to "" */
1852 if (!path || !strlen(path))
1853 return OPT_OK;
1855 if (!prefixcmp(path, "~/")) {
1856 const char *home = getenv("HOME");
1858 if (!home || !string_format(buf, "%s/%s", home, path + 2))
1859 return OPT_ERR_HOME_UNRESOLVABLE;
1860 path = buf;
1863 /* It's OK that the file doesn't exist. */
1864 if (!io_open(&io, "%s", path))
1865 return OPT_ERR_FILE_DOES_NOT_EXIST;
1867 if (io_load(&io, " \t", read_option, &config) == ERR ||
1868 config.errors == TRUE)
1869 warn("Errors while loading %s.", path);
1870 return OPT_OK;
1873 static int
1874 load_options(void)
1876 const char *tigrc_user = getenv("TIGRC_USER");
1877 const char *tigrc_system = getenv("TIGRC_SYSTEM");
1878 const char *tig_diff_opts = getenv("TIG_DIFF_OPTS");
1879 const bool diff_opts_from_args = !!opt_diff_argv;
1881 if (!tigrc_system)
1882 tigrc_system = SYSCONFDIR "/tigrc";
1883 load_option_file(tigrc_system);
1885 if (!tigrc_user)
1886 tigrc_user = "~/.tigrc";
1887 load_option_file(tigrc_user);
1889 /* Add _after_ loading config files to avoid adding run requests
1890 * that conflict with keybindings. */
1891 add_builtin_run_requests();
1893 if (!diff_opts_from_args && tig_diff_opts && *tig_diff_opts) {
1894 static const char *diff_opts[SIZEOF_ARG] = { NULL };
1895 char buf[SIZEOF_STR];
1896 int argc = 0;
1898 if (!string_format(buf, "%s", tig_diff_opts) ||
1899 !argv_from_string(diff_opts, &argc, buf))
1900 die("TIG_DIFF_OPTS contains too many arguments");
1901 else if (!argv_copy(&opt_diff_argv, diff_opts))
1902 die("Failed to format TIG_DIFF_OPTS arguments");
1905 return OK;
1910 * The viewer
1913 struct view;
1914 struct view_ops;
1916 /* The display array of active views and the index of the current view. */
1917 static struct view *display[2];
1918 static WINDOW *display_win[2];
1919 static WINDOW *display_title[2];
1920 static WINDOW *display_sep;
1922 static unsigned int current_view;
1924 #define foreach_displayed_view(view, i) \
1925 for (i = 0; i < ARRAY_SIZE(display) && (view = display[i]); i++)
1927 #define displayed_views() (display[1] != NULL ? 2 : 1)
1929 /* Current head and commit ID */
1930 static char ref_blob[SIZEOF_REF] = "";
1931 static char ref_commit[SIZEOF_REF] = "HEAD";
1932 static char ref_head[SIZEOF_REF] = "HEAD";
1933 static char ref_branch[SIZEOF_REF] = "";
1934 static char ref_status[SIZEOF_STR] = "";
1935 static char ref_stash[SIZEOF_REF] = "";
1937 enum view_flag {
1938 VIEW_NO_FLAGS = 0,
1939 VIEW_ALWAYS_LINENO = 1 << 0,
1940 VIEW_CUSTOM_STATUS = 1 << 1,
1941 VIEW_ADD_DESCRIBE_REF = 1 << 2,
1942 VIEW_ADD_PAGER_REFS = 1 << 3,
1943 VIEW_OPEN_DIFF = 1 << 4,
1944 VIEW_NO_REF = 1 << 5,
1945 VIEW_NO_GIT_DIR = 1 << 6,
1946 VIEW_DIFF_LIKE = 1 << 7,
1947 VIEW_STDIN = 1 << 8,
1948 VIEW_SEND_CHILD_ENTER = 1 << 9,
1949 VIEW_FILE_FILTER = 1 << 10,
1952 #define view_has_flags(view, flag) ((view)->ops->flags & (flag))
1954 struct position {
1955 unsigned long offset; /* Offset of the window top */
1956 unsigned long col; /* Offset from the window side. */
1957 unsigned long lineno; /* Current line number */
1960 struct view {
1961 const char *name; /* View name */
1962 const char *id; /* Points to either of ref_{head,commit,blob} */
1964 struct view_ops *ops; /* View operations */
1966 char ref[SIZEOF_REF]; /* Hovered commit reference */
1967 char vid[SIZEOF_REF]; /* View ID. Set to id member when updating. */
1969 int height, width; /* The width and height of the main window */
1970 WINDOW *win; /* The main window */
1972 /* Navigation */
1973 struct position pos; /* Current position. */
1974 struct position prev_pos; /* Previous position. */
1976 /* Searching */
1977 char grep[SIZEOF_STR]; /* Search string */
1978 regex_t *regex; /* Pre-compiled regexp */
1980 /* If non-NULL, points to the view that opened this view. If this view
1981 * is closed tig will switch back to the parent view. */
1982 struct view *parent;
1983 struct view *prev;
1985 /* Buffering */
1986 size_t lines; /* Total number of lines */
1987 struct line *line; /* Line index */
1988 unsigned int digits; /* Number of digits in the lines member. */
1990 /* Number of lines with custom status, not to be counted in the
1991 * view title. */
1992 unsigned int custom_lines;
1994 /* Drawing */
1995 struct line *curline; /* Line currently being drawn. */
1996 enum line_type curtype; /* Attribute currently used for drawing. */
1997 unsigned long col; /* Column when drawing. */
1998 bool has_scrolled; /* View was scrolled. */
1999 bool force_redraw; /* Whether to force a redraw after reading. */
2001 /* Loading */
2002 const char **argv; /* Shell command arguments. */
2003 const char *dir; /* Directory from which to execute. */
2004 struct io io;
2005 struct io *pipe;
2006 time_t start_time;
2007 time_t update_secs;
2008 struct encoding *encoding;
2009 bool unrefreshable;
2011 /* Private data */
2012 void *private;
2015 enum open_flags {
2016 OPEN_DEFAULT = 0, /* Use default view switching. */
2017 OPEN_SPLIT = 1, /* Split current view. */
2018 OPEN_RELOAD = 4, /* Reload view even if it is the current. */
2019 OPEN_REFRESH = 16, /* Refresh view using previous command. */
2020 OPEN_PREPARED = 32, /* Open already prepared command. */
2021 OPEN_EXTRA = 64, /* Open extra data from command. */
2024 struct view_ops {
2025 /* What type of content being displayed. Used in the title bar. */
2026 const char *type;
2027 /* What keymap does this view have */
2028 struct keymap keymap;
2029 /* Flags to control the view behavior. */
2030 enum view_flag flags;
2031 /* Size of private data. */
2032 size_t private_size;
2033 /* Open and reads in all view content. */
2034 bool (*open)(struct view *view, enum open_flags flags);
2035 /* Read one line; updates view->line. */
2036 bool (*read)(struct view *view, char *data);
2037 /* Draw one line; @lineno must be < view->height. */
2038 bool (*draw)(struct view *view, struct line *line, unsigned int lineno);
2039 /* Depending on view handle a special requests. */
2040 enum request (*request)(struct view *view, enum request request, struct line *line);
2041 /* Search for regexp in a line. */
2042 bool (*grep)(struct view *view, struct line *line);
2043 /* Select line */
2044 void (*select)(struct view *view, struct line *line);
2045 /* Release resources when reloading the view */
2046 void (*done)(struct view *view);
2049 #define VIEW_OPS(id, name, ref) name##_ops
2050 static struct view_ops VIEW_INFO(VIEW_OPS);
2052 static struct view views[] = {
2053 #define VIEW_DATA(id, name, ref) \
2054 { #name, ref, &name##_ops }
2055 VIEW_INFO(VIEW_DATA)
2058 #define VIEW(req) (&views[(req) - REQ_OFFSET - 1])
2060 #define foreach_view(view, i) \
2061 for (i = 0; i < ARRAY_SIZE(views) && (view = &views[i]); i++)
2063 #define view_is_displayed(view) \
2064 (view == display[0] || view == display[1])
2066 #define view_has_line(view, line_) \
2067 ((view)->line <= (line_) && (line_) < (view)->line + (view)->lines)
2069 static bool
2070 forward_request_to_child(struct view *child, enum request request)
2072 return displayed_views() == 2 && view_is_displayed(child) &&
2073 !strcmp(child->vid, child->id);
2076 static enum request
2077 view_request(struct view *view, enum request request)
2079 if (!view || !view->lines)
2080 return request;
2082 if (request == REQ_ENTER && !opt_focus_child &&
2083 view_has_flags(view, VIEW_SEND_CHILD_ENTER)) {
2084 struct view *child = display[1];
2086 if (forward_request_to_child(child, request)) {
2087 view_request(child, request);
2088 return REQ_NONE;
2092 if (request == REQ_REFRESH && view->unrefreshable) {
2093 report("This view can not be refreshed");
2094 return REQ_NONE;
2097 return view->ops->request(view, request, &view->line[view->pos.lineno]);
2101 * View drawing.
2104 static inline void
2105 set_view_attr(struct view *view, enum line_type type)
2107 if (!view->curline->selected && view->curtype != type) {
2108 (void) wattrset(view->win, get_line_attr(type));
2109 wchgat(view->win, -1, 0, get_line_color(type), NULL);
2110 view->curtype = type;
2114 #define VIEW_MAX_LEN(view) ((view)->width + (view)->pos.col - (view)->col)
2116 static bool
2117 draw_chars(struct view *view, enum line_type type, const char *string,
2118 int max_len, bool use_tilde)
2120 int len = 0;
2121 int col = 0;
2122 int trimmed = FALSE;
2123 size_t skip = view->pos.col > view->col ? view->pos.col - view->col : 0;
2125 if (max_len <= 0)
2126 return VIEW_MAX_LEN(view) <= 0;
2128 if (opt_iconv_out != ICONV_NONE) {
2129 string = encoding_iconv(opt_iconv_out, string);
2130 if (!string)
2131 return VIEW_MAX_LEN(view) <= 0;
2134 len = utf8_length(&string, skip, &col, max_len, &trimmed, use_tilde, opt_tab_size);
2136 set_view_attr(view, type);
2137 if (len > 0) {
2138 waddnstr(view->win, string, len);
2140 if (trimmed && use_tilde) {
2141 set_view_attr(view, LINE_DELIMITER);
2142 waddch(view->win, '~');
2143 col++;
2147 view->col += col;
2148 return VIEW_MAX_LEN(view) <= 0;
2151 static bool
2152 draw_space(struct view *view, enum line_type type, int max, int spaces)
2154 static char space[] = " ";
2156 spaces = MIN(max, spaces);
2158 while (spaces > 0) {
2159 int len = MIN(spaces, sizeof(space) - 1);
2161 if (draw_chars(view, type, space, len, FALSE))
2162 return TRUE;
2163 spaces -= len;
2166 return VIEW_MAX_LEN(view) <= 0;
2169 static bool
2170 draw_text_expanded(struct view *view, enum line_type type, const char *string, int max_len, bool use_tilde)
2172 static char text[SIZEOF_STR];
2174 do {
2175 size_t pos = string_expand(text, sizeof(text), string, opt_tab_size);
2177 if (draw_chars(view, type, text, max_len, use_tilde))
2178 return TRUE;
2179 string += pos;
2180 } while (*string);
2182 return VIEW_MAX_LEN(view) <= 0;
2185 static bool
2186 draw_text(struct view *view, enum line_type type, const char *string)
2188 return draw_text_expanded(view, type, string, VIEW_MAX_LEN(view), TRUE);
2191 static bool
2192 draw_text_overflow(struct view *view, const char *text, bool on, int overflow, enum line_type type)
2194 if (on) {
2195 int max = MIN(VIEW_MAX_LEN(view), overflow);
2196 int len = strlen(text);
2198 if (draw_text_expanded(view, type, text, max, max < overflow))
2199 return TRUE;
2201 text = len > overflow ? text + overflow : "";
2202 type = LINE_OVERFLOW;
2205 if (*text && draw_text(view, type, text))
2206 return TRUE;
2208 return VIEW_MAX_LEN(view) <= 0;
2211 #define draw_commit_title(view, text, offset) \
2212 draw_text_overflow(view, text, opt_show_title_overflow, opt_title_overflow + offset, LINE_DEFAULT)
2214 static bool PRINTF_LIKE(3, 4)
2215 draw_formatted(struct view *view, enum line_type type, const char *format, ...)
2217 char text[SIZEOF_STR];
2218 int retval;
2220 FORMAT_BUFFER(text, sizeof(text), format, retval, TRUE);
2221 return retval >= 0 ? draw_text(view, type, text) : VIEW_MAX_LEN(view) <= 0;
2224 static bool
2225 draw_graphic(struct view *view, enum line_type type, const chtype graphic[], size_t size, bool separator)
2227 size_t skip = view->pos.col > view->col ? view->pos.col - view->col : 0;
2228 int max = VIEW_MAX_LEN(view);
2229 int i;
2231 if (max < size)
2232 size = max;
2234 set_view_attr(view, type);
2235 /* Using waddch() instead of waddnstr() ensures that
2236 * they'll be rendered correctly for the cursor line. */
2237 for (i = skip; i < size; i++)
2238 waddch(view->win, graphic[i]);
2240 view->col += size;
2241 if (separator) {
2242 if (size < max && skip <= size)
2243 waddch(view->win, ' ');
2244 view->col++;
2247 return VIEW_MAX_LEN(view) <= 0;
2250 enum align {
2251 ALIGN_LEFT,
2252 ALIGN_RIGHT
2255 static bool
2256 draw_field(struct view *view, enum line_type type, const char *text, int width, enum align align, bool trim)
2258 int max = MIN(VIEW_MAX_LEN(view), width + 1);
2259 int col = view->col;
2261 if (!text)
2262 return draw_space(view, type, max, max);
2264 if (align == ALIGN_RIGHT) {
2265 int textlen = strlen(text);
2266 int leftpad = max - textlen - 1;
2268 if (leftpad > 0) {
2269 if (draw_space(view, type, leftpad, leftpad))
2270 return TRUE;
2271 max -= leftpad;
2272 col += leftpad;;
2276 return draw_chars(view, type, text, max - 1, trim)
2277 || draw_space(view, LINE_DEFAULT, max - (view->col - col), max);
2280 static bool
2281 draw_date(struct view *view, struct time *time)
2283 const char *date = mkdate(time, opt_date);
2284 int cols = opt_date == DATE_SHORT ? DATE_SHORT_WIDTH : DATE_WIDTH;
2286 if (opt_date == DATE_NO)
2287 return FALSE;
2289 return draw_field(view, LINE_DATE, date, cols, ALIGN_LEFT, FALSE);
2292 static bool
2293 draw_author(struct view *view, const struct ident *author)
2295 bool trim = author_trim(opt_author_width);
2296 const char *text = mkauthor(author, opt_author_width, opt_author);
2298 if (opt_author == AUTHOR_NO)
2299 return FALSE;
2301 return draw_field(view, LINE_AUTHOR, text, opt_author_width, ALIGN_LEFT, trim);
2304 static bool
2305 draw_id_custom(struct view *view, enum line_type type, const char *id, int width)
2307 return draw_field(view, type, id, width, ALIGN_LEFT, FALSE);
2310 static bool
2311 draw_id(struct view *view, const char *id)
2313 if (!opt_show_id)
2314 return FALSE;
2316 return draw_id_custom(view, LINE_ID, id, opt_id_cols);
2319 static bool
2320 draw_filename(struct view *view, const char *filename, bool auto_enabled)
2322 bool trim = filename && strlen(filename) >= opt_filename_width;
2324 if (opt_filename == FILENAME_NO)
2325 return FALSE;
2327 if (opt_filename == FILENAME_AUTO && !auto_enabled)
2328 return FALSE;
2330 return draw_field(view, LINE_FILENAME, filename, opt_filename_width, ALIGN_LEFT, trim);
2333 static bool
2334 draw_file_size(struct view *view, unsigned long size, int width, bool pad)
2336 const char *str = pad ? NULL : mkfilesize(size, opt_file_size);
2338 if (!width || opt_file_size == FILE_SIZE_NO)
2339 return FALSE;
2341 return draw_field(view, LINE_FILE_SIZE, str, width, ALIGN_RIGHT, FALSE);
2344 static bool
2345 draw_mode(struct view *view, mode_t mode)
2347 const char *str = mkmode(mode);
2349 return draw_field(view, LINE_MODE, str, STRING_SIZE("-rw-r--r--"), ALIGN_LEFT, FALSE);
2352 static bool
2353 draw_lineno(struct view *view, unsigned int lineno)
2355 char number[10];
2356 int digits3 = view->digits < 3 ? 3 : view->digits;
2357 int max = MIN(VIEW_MAX_LEN(view), digits3);
2358 char *text = NULL;
2359 chtype separator = opt_line_graphics ? ACS_VLINE : '|';
2361 if (!opt_line_number)
2362 return FALSE;
2364 lineno += view->pos.offset + 1;
2365 if (lineno == 1 || (lineno % opt_num_interval) == 0) {
2366 static char fmt[] = "%1ld";
2368 fmt[1] = '0' + (view->digits <= 9 ? digits3 : 1);
2369 if (string_format(number, fmt, lineno))
2370 text = number;
2372 if (text)
2373 draw_chars(view, LINE_LINE_NUMBER, text, max, TRUE);
2374 else
2375 draw_space(view, LINE_LINE_NUMBER, max, digits3);
2376 return draw_graphic(view, LINE_DEFAULT, &separator, 1, TRUE);
2379 static bool
2380 draw_refs(struct view *view, struct ref_list *refs)
2382 size_t i;
2384 if (!opt_show_refs || !refs)
2385 return FALSE;
2387 for (i = 0; i < refs->size; i++) {
2388 struct ref *ref = refs->refs[i];
2389 enum line_type type = get_line_type_from_ref(ref);
2391 if (draw_formatted(view, type, "[%s]", ref->name))
2392 return TRUE;
2394 if (draw_text(view, LINE_DEFAULT, " "))
2395 return TRUE;
2398 return FALSE;
2401 static bool
2402 draw_view_line(struct view *view, unsigned int lineno)
2404 struct line *line;
2405 bool selected = (view->pos.offset + lineno == view->pos.lineno);
2407 assert(view_is_displayed(view));
2409 if (view->pos.offset + lineno >= view->lines)
2410 return FALSE;
2412 line = &view->line[view->pos.offset + lineno];
2414 wmove(view->win, lineno, 0);
2415 if (line->cleareol)
2416 wclrtoeol(view->win);
2417 view->col = 0;
2418 view->curline = line;
2419 view->curtype = LINE_NONE;
2420 line->selected = FALSE;
2421 line->dirty = line->cleareol = 0;
2423 if (selected) {
2424 set_view_attr(view, LINE_CURSOR);
2425 line->selected = TRUE;
2426 view->ops->select(view, line);
2429 return view->ops->draw(view, line, lineno);
2432 static void
2433 redraw_view_dirty(struct view *view)
2435 bool dirty = FALSE;
2436 int lineno;
2438 for (lineno = 0; lineno < view->height; lineno++) {
2439 if (view->pos.offset + lineno >= view->lines)
2440 break;
2441 if (!view->line[view->pos.offset + lineno].dirty)
2442 continue;
2443 dirty = TRUE;
2444 if (!draw_view_line(view, lineno))
2445 break;
2448 if (!dirty)
2449 return;
2450 wnoutrefresh(view->win);
2453 static void
2454 redraw_view_from(struct view *view, int lineno)
2456 assert(0 <= lineno && lineno < view->height);
2458 for (; lineno < view->height; lineno++) {
2459 if (!draw_view_line(view, lineno))
2460 break;
2463 wnoutrefresh(view->win);
2466 static void
2467 redraw_view(struct view *view)
2469 werase(view->win);
2470 redraw_view_from(view, 0);
2474 static void
2475 update_view_title(struct view *view)
2477 char buf[SIZEOF_STR];
2478 char state[SIZEOF_STR];
2479 size_t bufpos = 0, statelen = 0;
2480 WINDOW *window = display[0] == view ? display_title[0] : display_title[1];
2481 struct line *line = &view->line[view->pos.lineno];
2483 assert(view_is_displayed(view));
2485 if (!view_has_flags(view, VIEW_CUSTOM_STATUS) && view_has_line(view, line) &&
2486 line->lineno) {
2487 unsigned int view_lines = view->pos.offset + view->height;
2488 unsigned int lines = view->lines
2489 ? MIN(view_lines, view->lines) * 100 / view->lines
2490 : 0;
2492 string_format_from(state, &statelen, " - %s %d of %zd (%d%%)",
2493 view->ops->type,
2494 line->lineno,
2495 view->lines - view->custom_lines,
2496 lines);
2500 if (view->pipe) {
2501 time_t secs = time(NULL) - view->start_time;
2503 /* Three git seconds are a long time ... */
2504 if (secs > 2)
2505 string_format_from(state, &statelen, " loading %lds", secs);
2508 string_format_from(buf, &bufpos, "[%s]", view->name);
2509 if (*view->ref && bufpos < view->width) {
2510 size_t refsize = strlen(view->ref);
2511 size_t minsize = bufpos + 1 + /* abbrev= */ 7 + 1 + statelen;
2513 if (minsize < view->width)
2514 refsize = view->width - minsize + 7;
2515 string_format_from(buf, &bufpos, " %.*s", (int) refsize, view->ref);
2518 if (statelen && bufpos < view->width) {
2519 string_format_from(buf, &bufpos, "%s", state);
2522 if (view == display[current_view])
2523 wbkgdset(window, get_line_attr(LINE_TITLE_FOCUS));
2524 else
2525 wbkgdset(window, get_line_attr(LINE_TITLE_BLUR));
2527 mvwaddnstr(window, 0, 0, buf, bufpos);
2528 wclrtoeol(window);
2529 wnoutrefresh(window);
2532 static int
2533 apply_step(double step, int value)
2535 if (step >= 1)
2536 return (int) step;
2537 value *= step + 0.01;
2538 return value ? value : 1;
2541 static void
2542 apply_horizontal_split(struct view *base, struct view *view)
2544 view->width = base->width;
2545 view->height = apply_step(opt_scale_split_view, base->height);
2546 view->height = MAX(view->height, MIN_VIEW_HEIGHT);
2547 view->height = MIN(view->height, base->height - MIN_VIEW_HEIGHT);
2548 base->height -= view->height;
2551 static void
2552 apply_vertical_split(struct view *base, struct view *view)
2554 view->height = base->height;
2555 view->width = apply_step(opt_scale_vsplit_view, base->width);
2556 view->width = MAX(view->width, MIN_VIEW_WIDTH);
2557 view->width = MIN(view->width, base->width - MIN_VIEW_WIDTH);
2558 base->width -= view->width;
2561 static void
2562 redraw_display_separator(bool clear)
2564 if (displayed_views() > 1 && opt_vsplit) {
2565 chtype separator = opt_line_graphics ? ACS_VLINE : '|';
2567 if (clear)
2568 wclear(display_sep);
2569 wbkgd(display_sep, separator + get_line_attr(LINE_TITLE_BLUR));
2570 wnoutrefresh(display_sep);
2574 static void
2575 resize_display(void)
2577 int x, y, i;
2578 struct view *base = display[0];
2579 struct view *view = display[1] ? display[1] : display[0];
2581 /* Setup window dimensions */
2583 getmaxyx(stdscr, base->height, base->width);
2584 string_format(opt_env_columns, "COLUMNS=%d", base->width);
2585 string_format(opt_env_lines, "LINES=%d", base->height);
2587 /* Make room for the status window. */
2588 base->height -= 1;
2590 if (view != base) {
2591 if (opt_vsplit) {
2592 apply_vertical_split(base, view);
2594 /* Make room for the separator bar. */
2595 view->width -= 1;
2596 } else {
2597 apply_horizontal_split(base, view);
2600 /* Make room for the title bar. */
2601 view->height -= 1;
2604 /* Make room for the title bar. */
2605 base->height -= 1;
2607 x = y = 0;
2609 foreach_displayed_view (view, i) {
2610 if (!display_win[i]) {
2611 display_win[i] = newwin(view->height, view->width, y, x);
2612 if (!display_win[i])
2613 die("Failed to create %s view", view->name);
2615 scrollok(display_win[i], FALSE);
2617 display_title[i] = newwin(1, view->width, y + view->height, x);
2618 if (!display_title[i])
2619 die("Failed to create title window");
2621 } else {
2622 wresize(display_win[i], view->height, view->width);
2623 mvwin(display_win[i], y, x);
2624 wresize(display_title[i], 1, view->width);
2625 mvwin(display_title[i], y + view->height, x);
2628 if (i > 0 && opt_vsplit) {
2629 if (!display_sep) {
2630 display_sep = newwin(view->height, 1, 0, x - 1);
2631 if (!display_sep)
2632 die("Failed to create separator window");
2634 } else {
2635 wresize(display_sep, view->height, 1);
2636 mvwin(display_sep, 0, x - 1);
2640 view->win = display_win[i];
2642 if (opt_vsplit)
2643 x += view->width + 1;
2644 else
2645 y += view->height + 1;
2648 redraw_display_separator(FALSE);
2651 static void
2652 redraw_display(bool clear)
2654 struct view *view;
2655 int i;
2657 foreach_displayed_view (view, i) {
2658 if (clear)
2659 wclear(view->win);
2660 redraw_view(view);
2661 update_view_title(view);
2664 redraw_display_separator(clear);
2668 * Option management
2671 #define TOGGLE_MENU \
2672 TOGGLE_(LINENO, '.', "line numbers", &opt_line_number, NULL) \
2673 TOGGLE_(DATE, 'D', "dates", &opt_date, date_map) \
2674 TOGGLE_(AUTHOR, 'A', "author", &opt_author, author_map) \
2675 TOGGLE_(GRAPHIC, '~', "graphics", &opt_line_graphics, graphic_map) \
2676 TOGGLE_(REV_GRAPH, 'g', "revision graph", &opt_rev_graph, NULL) \
2677 TOGGLE_(FILENAME, '#', "file names", &opt_filename, filename_map) \
2678 TOGGLE_(FILE_SIZE, '*', "file sizes", &opt_file_size, file_size_map) \
2679 TOGGLE_(IGNORE_SPACE, 'W', "space changes", &opt_ignore_space, ignore_space_map) \
2680 TOGGLE_(COMMIT_ORDER, 'l', "commit order", &opt_commit_order, commit_order_map) \
2681 TOGGLE_(REFS, 'F', "reference display", &opt_show_refs, NULL) \
2682 TOGGLE_(CHANGES, 'C', "local change display", &opt_show_changes, NULL) \
2683 TOGGLE_(ID, 'X', "commit ID display", &opt_show_id, NULL) \
2684 TOGGLE_(FILES, '%', "file filtering", &opt_file_filter, NULL) \
2685 TOGGLE_(TITLE_OVERFLOW, '$', "commit title overflow display", &opt_show_title_overflow, NULL) \
2687 static bool
2688 toggle_option(struct view *view, enum request request, char msg[SIZEOF_STR])
2690 const struct {
2691 enum request request;
2692 const struct enum_map *map;
2693 size_t map_size;
2694 } data[] = {
2695 #define TOGGLE_(id, key, help, value, map) { REQ_TOGGLE_ ## id, map, (map != NULL ? ARRAY_SIZE(map) : 0) },
2696 TOGGLE_MENU
2697 #undef TOGGLE_
2699 const struct menu_item menu[] = {
2700 #define TOGGLE_(id, key, help, value, map) { key, help, value },
2701 TOGGLE_MENU
2702 #undef TOGGLE_
2703 { 0 }
2705 int i = 0;
2707 if (request == REQ_OPTIONS) {
2708 if (!prompt_menu("Toggle option", menu, &i))
2709 return FALSE;
2710 } else {
2711 while (i < ARRAY_SIZE(data) && data[i].request != request)
2712 i++;
2713 if (i >= ARRAY_SIZE(data))
2714 die("Invalid request (%d)", request);
2717 if (data[i].map != NULL) {
2718 unsigned int *opt = menu[i].data;
2720 *opt = (*opt + 1) % data[i].map_size;
2721 if (data[i].map == ignore_space_map) {
2722 update_ignore_space_arg();
2723 string_format_size(msg, SIZEOF_STR,
2724 "Ignoring %s %s", enum_name(data[i].map[*opt]), menu[i].text);
2725 return TRUE;
2727 } else if (data[i].map == commit_order_map) {
2728 update_commit_order_arg();
2729 string_format_size(msg, SIZEOF_STR,
2730 "Using %s %s", enum_name(data[i].map[*opt]), menu[i].text);
2731 return TRUE;
2734 string_format_size(msg, SIZEOF_STR,
2735 "Displaying %s %s", enum_name(data[i].map[*opt]), menu[i].text);
2737 } else {
2738 bool *option = menu[i].data;
2740 *option = !*option;
2741 string_format_size(msg, SIZEOF_STR,
2742 "%sabling %s", *option ? "En" : "Dis", menu[i].text);
2744 if (option == &opt_file_filter || option == &opt_rev_graph)
2745 return TRUE;
2748 return FALSE;
2753 * Navigation
2756 static bool
2757 goto_view_line(struct view *view, unsigned long offset, unsigned long lineno)
2759 if (lineno >= view->lines)
2760 lineno = view->lines > 0 ? view->lines - 1 : 0;
2762 if (offset > lineno || offset + view->height <= lineno) {
2763 unsigned long half = view->height / 2;
2765 if (lineno > half)
2766 offset = lineno - half;
2767 else
2768 offset = 0;
2771 if (offset != view->pos.offset || lineno != view->pos.lineno) {
2772 view->pos.offset = offset;
2773 view->pos.lineno = lineno;
2774 return TRUE;
2777 return FALSE;
2780 /* Scrolling backend */
2781 static void
2782 do_scroll_view(struct view *view, int lines)
2784 bool redraw_current_line = FALSE;
2786 /* The rendering expects the new offset. */
2787 view->pos.offset += lines;
2789 assert(0 <= view->pos.offset && view->pos.offset < view->lines);
2790 assert(lines);
2792 /* Move current line into the view. */
2793 if (view->pos.lineno < view->pos.offset) {
2794 view->pos.lineno = view->pos.offset;
2795 redraw_current_line = TRUE;
2796 } else if (view->pos.lineno >= view->pos.offset + view->height) {
2797 view->pos.lineno = view->pos.offset + view->height - 1;
2798 redraw_current_line = TRUE;
2801 assert(view->pos.offset <= view->pos.lineno && view->pos.lineno < view->lines);
2803 /* Redraw the whole screen if scrolling is pointless. */
2804 if (view->height < ABS(lines)) {
2805 redraw_view(view);
2807 } else {
2808 int line = lines > 0 ? view->height - lines : 0;
2809 int end = line + ABS(lines);
2811 scrollok(view->win, TRUE);
2812 wscrl(view->win, lines);
2813 scrollok(view->win, FALSE);
2815 while (line < end && draw_view_line(view, line))
2816 line++;
2818 if (redraw_current_line)
2819 draw_view_line(view, view->pos.lineno - view->pos.offset);
2820 wnoutrefresh(view->win);
2823 view->has_scrolled = TRUE;
2824 report_clear();
2827 /* Scroll frontend */
2828 static void
2829 scroll_view(struct view *view, enum request request)
2831 int lines = 1;
2833 assert(view_is_displayed(view));
2835 switch (request) {
2836 case REQ_SCROLL_FIRST_COL:
2837 view->pos.col = 0;
2838 redraw_view_from(view, 0);
2839 report_clear();
2840 return;
2841 case REQ_SCROLL_LEFT:
2842 if (view->pos.col == 0) {
2843 report("Cannot scroll beyond the first column");
2844 return;
2846 if (view->pos.col <= apply_step(opt_hscroll, view->width))
2847 view->pos.col = 0;
2848 else
2849 view->pos.col -= apply_step(opt_hscroll, view->width);
2850 redraw_view_from(view, 0);
2851 report_clear();
2852 return;
2853 case REQ_SCROLL_RIGHT:
2854 view->pos.col += apply_step(opt_hscroll, view->width);
2855 redraw_view(view);
2856 report_clear();
2857 return;
2858 case REQ_SCROLL_PAGE_DOWN:
2859 lines = view->height;
2860 case REQ_SCROLL_LINE_DOWN:
2861 if (view->pos.offset + lines > view->lines)
2862 lines = view->lines - view->pos.offset;
2864 if (lines == 0 || view->pos.offset + view->height >= view->lines) {
2865 report("Cannot scroll beyond the last line");
2866 return;
2868 break;
2870 case REQ_SCROLL_PAGE_UP:
2871 lines = view->height;
2872 case REQ_SCROLL_LINE_UP:
2873 if (lines > view->pos.offset)
2874 lines = view->pos.offset;
2876 if (lines == 0) {
2877 report("Cannot scroll beyond the first line");
2878 return;
2881 lines = -lines;
2882 break;
2884 default:
2885 die("request %d not handled in switch", request);
2888 do_scroll_view(view, lines);
2891 /* Cursor moving */
2892 static void
2893 move_view(struct view *view, enum request request)
2895 int scroll_steps = 0;
2896 int steps;
2898 switch (request) {
2899 case REQ_MOVE_FIRST_LINE:
2900 steps = -view->pos.lineno;
2901 break;
2903 case REQ_MOVE_LAST_LINE:
2904 steps = view->lines - view->pos.lineno - 1;
2905 break;
2907 case REQ_MOVE_PAGE_UP:
2908 steps = view->height > view->pos.lineno
2909 ? -view->pos.lineno : -view->height;
2910 break;
2912 case REQ_MOVE_PAGE_DOWN:
2913 steps = view->pos.lineno + view->height >= view->lines
2914 ? view->lines - view->pos.lineno - 1 : view->height;
2915 break;
2917 case REQ_MOVE_UP:
2918 case REQ_PREVIOUS:
2919 steps = -1;
2920 break;
2922 case REQ_MOVE_DOWN:
2923 case REQ_NEXT:
2924 steps = 1;
2925 break;
2927 default:
2928 die("request %d not handled in switch", request);
2931 if (steps <= 0 && view->pos.lineno == 0) {
2932 report("Cannot move beyond the first line");
2933 return;
2935 } else if (steps >= 0 && view->pos.lineno + 1 >= view->lines) {
2936 report("Cannot move beyond the last line");
2937 return;
2940 /* Move the current line */
2941 view->pos.lineno += steps;
2942 assert(0 <= view->pos.lineno && view->pos.lineno < view->lines);
2944 /* Check whether the view needs to be scrolled */
2945 if (view->pos.lineno < view->pos.offset ||
2946 view->pos.lineno >= view->pos.offset + view->height) {
2947 scroll_steps = steps;
2948 if (steps < 0 && -steps > view->pos.offset) {
2949 scroll_steps = -view->pos.offset;
2951 } else if (steps > 0) {
2952 if (view->pos.lineno == view->lines - 1 &&
2953 view->lines > view->height) {
2954 scroll_steps = view->lines - view->pos.offset - 1;
2955 if (scroll_steps >= view->height)
2956 scroll_steps -= view->height - 1;
2961 if (!view_is_displayed(view)) {
2962 view->pos.offset += scroll_steps;
2963 assert(0 <= view->pos.offset && view->pos.offset < view->lines);
2964 view->ops->select(view, &view->line[view->pos.lineno]);
2965 return;
2968 /* Repaint the old "current" line if we be scrolling */
2969 if (ABS(steps) < view->height)
2970 draw_view_line(view, view->pos.lineno - steps - view->pos.offset);
2972 if (scroll_steps) {
2973 do_scroll_view(view, scroll_steps);
2974 return;
2977 /* Draw the current line */
2978 draw_view_line(view, view->pos.lineno - view->pos.offset);
2980 wnoutrefresh(view->win);
2981 report_clear();
2986 * Searching
2989 static void search_view(struct view *view, enum request request);
2991 static bool
2992 grep_text(struct view *view, const char *text[])
2994 regmatch_t pmatch;
2995 size_t i;
2997 for (i = 0; text[i]; i++)
2998 if (*text[i] && !regexec(view->regex, text[i], 1, &pmatch, 0))
2999 return TRUE;
3000 return FALSE;
3003 static void
3004 select_view_line(struct view *view, unsigned long lineno)
3006 struct position old = view->pos;
3008 if (goto_view_line(view, view->pos.offset, lineno)) {
3009 if (view_is_displayed(view)) {
3010 if (old.offset != view->pos.offset) {
3011 redraw_view(view);
3012 } else {
3013 draw_view_line(view, old.lineno - view->pos.offset);
3014 draw_view_line(view, view->pos.lineno - view->pos.offset);
3015 wnoutrefresh(view->win);
3017 } else {
3018 view->ops->select(view, &view->line[view->pos.lineno]);
3023 static void
3024 find_next(struct view *view, enum request request)
3026 unsigned long lineno = view->pos.lineno;
3027 int direction;
3029 if (!*view->grep) {
3030 if (!*opt_search)
3031 report("No previous search");
3032 else
3033 search_view(view, request);
3034 return;
3037 switch (request) {
3038 case REQ_SEARCH:
3039 case REQ_FIND_NEXT:
3040 direction = 1;
3041 break;
3043 case REQ_SEARCH_BACK:
3044 case REQ_FIND_PREV:
3045 direction = -1;
3046 break;
3048 default:
3049 return;
3052 if (request == REQ_FIND_NEXT || request == REQ_FIND_PREV)
3053 lineno += direction;
3055 /* Note, lineno is unsigned long so will wrap around in which case it
3056 * will become bigger than view->lines. */
3057 for (; lineno < view->lines; lineno += direction) {
3058 if (view->ops->grep(view, &view->line[lineno])) {
3059 select_view_line(view, lineno);
3060 report("Line %ld matches '%s'", lineno + 1, view->grep);
3061 return;
3065 report("No match found for '%s'", view->grep);
3068 static void
3069 search_view(struct view *view, enum request request)
3071 int regex_err;
3072 int regex_flags = opt_ignore_case ? REG_ICASE : 0;
3074 if (view->regex) {
3075 regfree(view->regex);
3076 *view->grep = 0;
3077 } else {
3078 view->regex = calloc(1, sizeof(*view->regex));
3079 if (!view->regex)
3080 return;
3083 regex_err = regcomp(view->regex, opt_search, REG_EXTENDED | regex_flags);
3084 if (regex_err != 0) {
3085 char buf[SIZEOF_STR] = "unknown error";
3087 regerror(regex_err, view->regex, buf, sizeof(buf));
3088 report("Search failed: %s", buf);
3089 return;
3092 string_copy(view->grep, opt_search);
3094 find_next(view, request);
3098 * Incremental updating
3101 static inline bool
3102 check_position(struct position *pos)
3104 return pos->lineno || pos->col || pos->offset;
3107 static inline void
3108 clear_position(struct position *pos)
3110 memset(pos, 0, sizeof(*pos));
3113 static void
3114 reset_view(struct view *view)
3116 int i;
3118 if (view->ops->done)
3119 view->ops->done(view);
3121 for (i = 0; i < view->lines; i++)
3122 free(view->line[i].data);
3123 free(view->line);
3125 view->prev_pos = view->pos;
3126 clear_position(&view->pos);
3128 view->line = NULL;
3129 view->lines = 0;
3130 view->vid[0] = 0;
3131 view->custom_lines = 0;
3132 view->update_secs = 0;
3135 struct format_context {
3136 struct view *view;
3137 char buf[SIZEOF_STR];
3138 size_t bufpos;
3139 bool file_filter;
3142 static bool
3143 format_expand_arg(struct format_context *format, const char *name)
3145 static struct {
3146 const char *name;
3147 size_t namelen;
3148 const char *value;
3149 const char *value_if_empty;
3150 } vars[] = {
3151 #define FORMAT_VAR(name, value, value_if_empty) \
3152 { name, STRING_SIZE(name), value, value_if_empty }
3153 FORMAT_VAR("%(directory)", opt_path, "."),
3154 FORMAT_VAR("%(file)", opt_file, ""),
3155 FORMAT_VAR("%(ref)", opt_ref, "HEAD"),
3156 FORMAT_VAR("%(head)", ref_head, ""),
3157 FORMAT_VAR("%(commit)", ref_commit, ""),
3158 FORMAT_VAR("%(blob)", ref_blob, ""),
3159 FORMAT_VAR("%(branch)", ref_branch, ""),
3160 FORMAT_VAR("%(stash)", ref_stash, ""),
3162 int i;
3164 if (!prefixcmp(name, "%(prompt)")) {
3165 const char *value = read_prompt("Command argument: ");
3167 return string_format_from(format->buf, &format->bufpos, "%s", value);
3170 for (i = 0; i < ARRAY_SIZE(vars); i++) {
3171 const char *value;
3173 if (strncmp(name, vars[i].name, vars[i].namelen))
3174 continue;
3176 if (vars[i].value == opt_file && !format->file_filter)
3177 return TRUE;
3179 value = *vars[i].value ? vars[i].value : vars[i].value_if_empty;
3180 if (!*value)
3181 return TRUE;
3183 return string_format_from(format->buf, &format->bufpos, "%s", value);
3186 report("Unknown replacement: `%s`", name);
3187 return NULL;
3190 static bool
3191 format_append_arg(struct format_context *format, const char ***dst_argv, const char *arg)
3193 int i;
3195 for (i = 0; i < sizeof(format->buf); i++)
3196 format->buf[i] = 0;
3197 format->bufpos = 0;
3199 while (arg) {
3200 char *next = strstr(arg, "%(");
3201 int len = next ? next - arg : strlen(arg);
3203 if (len && !string_format_from(format->buf, &format->bufpos, "%.*s", len, arg))
3204 return FALSE;
3206 if (next && !format_expand_arg(format, next))
3207 return FALSE;
3209 arg = next ? strchr(next, ')') + 1 : NULL;
3212 return argv_append(dst_argv, format->buf);
3215 static bool
3216 format_append_argv(struct format_context *format, const char ***dst_argv, const char *src_argv[])
3218 int argc;
3220 if (!src_argv)
3221 return TRUE;
3223 for (argc = 0; src_argv[argc]; argc++)
3224 if (!format_append_arg(format, dst_argv, src_argv[argc]))
3225 return FALSE;
3227 return src_argv[argc] == NULL;
3230 static bool
3231 format_argv(struct view *view, const char ***dst_argv, const char *src_argv[], bool first, bool file_filter)
3233 struct format_context format = { view, "", 0, file_filter };
3234 int argc;
3236 argv_free(*dst_argv);
3238 for (argc = 0; src_argv[argc]; argc++) {
3239 const char *arg = src_argv[argc];
3241 if (!strcmp(arg, "%(fileargs)")) {
3242 if (file_filter && !argv_append_array(dst_argv, opt_file_argv))
3243 break;
3245 } else if (!strcmp(arg, "%(diffargs)")) {
3246 if (!format_append_argv(&format, dst_argv, opt_diff_argv))
3247 break;
3249 } else if (!strcmp(arg, "%(blameargs)")) {
3250 if (!format_append_argv(&format, dst_argv, opt_blame_argv))
3251 break;
3253 } else if (!strcmp(arg, "%(revargs)") ||
3254 (first && !strcmp(arg, "%(commit)"))) {
3255 if (!argv_append_array(dst_argv, opt_rev_argv))
3256 break;
3258 } else if (!format_append_arg(&format, dst_argv, arg)) {
3259 break;
3263 return src_argv[argc] == NULL;
3266 static bool
3267 restore_view_position(struct view *view)
3269 /* A view without a previous view is the first view */
3270 if (!view->prev && opt_lineno && opt_lineno <= view->lines) {
3271 select_view_line(view, opt_lineno - 1);
3272 opt_lineno = 0;
3275 /* Ensure that the view position is in a valid state. */
3276 if (!check_position(&view->prev_pos) ||
3277 (view->pipe && view->lines <= view->prev_pos.lineno))
3278 return goto_view_line(view, view->pos.offset, view->pos.lineno);
3280 /* Changing the view position cancels the restoring. */
3281 /* FIXME: Changing back to the first line is not detected. */
3282 if (check_position(&view->pos)) {
3283 clear_position(&view->prev_pos);
3284 return FALSE;
3287 if (goto_view_line(view, view->prev_pos.offset, view->prev_pos.lineno) &&
3288 view_is_displayed(view))
3289 werase(view->win);
3291 view->pos.col = view->prev_pos.col;
3292 clear_position(&view->prev_pos);
3294 return TRUE;
3297 static void
3298 end_update(struct view *view, bool force)
3300 if (!view->pipe)
3301 return;
3302 while (!view->ops->read(view, NULL))
3303 if (!force)
3304 return;
3305 if (force)
3306 io_kill(view->pipe);
3307 io_done(view->pipe);
3308 view->pipe = NULL;
3311 static void
3312 setup_update(struct view *view, const char *vid)
3314 reset_view(view);
3315 /* XXX: Do not use string_copy_rev(), it copies until first space. */
3316 string_ncopy(view->vid, vid, strlen(vid));
3317 view->pipe = &view->io;
3318 view->start_time = time(NULL);
3321 static bool
3322 begin_update(struct view *view, const char *dir, const char **argv, enum open_flags flags)
3324 bool use_stdin = view_has_flags(view, VIEW_STDIN) && opt_stdin;
3325 bool extra = !!(flags & (OPEN_EXTRA));
3326 bool reload = !!(flags & (OPEN_RELOAD | OPEN_REFRESH | OPEN_PREPARED | OPEN_EXTRA));
3327 bool refresh = flags & (OPEN_REFRESH | OPEN_PREPARED);
3328 enum io_type io_type = use_stdin ? IO_RD_STDIN : IO_RD;
3330 opt_stdin = FALSE;
3332 if ((!reload && !strcmp(view->vid, view->id)) ||
3333 ((flags & OPEN_REFRESH) && view->unrefreshable))
3334 return TRUE;
3336 if (view->pipe) {
3337 if (extra)
3338 io_done(view->pipe);
3339 else
3340 end_update(view, TRUE);
3343 view->unrefreshable = use_stdin;
3345 if (!refresh && argv) {
3346 bool file_filter = !view_has_flags(view, VIEW_FILE_FILTER) || opt_file_filter;
3348 view->dir = dir;
3349 if (!format_argv(view, &view->argv, argv, !view->prev, file_filter)) {
3350 report("Failed to format %s arguments", view->name);
3351 return FALSE;
3354 /* Put the current ref_* value to the view title ref
3355 * member. This is needed by the blob view. Most other
3356 * views sets it automatically after loading because the
3357 * first line is a commit line. */
3358 string_copy_rev(view->ref, view->id);
3361 if (view->argv && view->argv[0] &&
3362 !io_run(&view->io, io_type, view->dir, opt_env, view->argv)) {
3363 report("Failed to open %s view", view->name);
3364 return FALSE;
3367 if (!extra)
3368 setup_update(view, view->id);
3370 return TRUE;
3373 static bool
3374 update_view(struct view *view)
3376 char *line;
3377 /* Clear the view and redraw everything since the tree sorting
3378 * might have rearranged things. */
3379 bool redraw = view->lines == 0;
3380 bool can_read = TRUE;
3381 struct encoding *encoding = view->encoding ? view->encoding : opt_encoding;
3383 if (!view->pipe)
3384 return TRUE;
3386 if (!io_can_read(view->pipe, FALSE)) {
3387 if (view->lines == 0 && view_is_displayed(view)) {
3388 time_t secs = time(NULL) - view->start_time;
3390 if (secs > 1 && secs > view->update_secs) {
3391 if (view->update_secs == 0)
3392 redraw_view(view);
3393 update_view_title(view);
3394 view->update_secs = secs;
3397 return TRUE;
3400 for (; (line = io_get(view->pipe, '\n', can_read)); can_read = FALSE) {
3401 if (encoding) {
3402 line = encoding_convert(encoding, line);
3405 if (!view->ops->read(view, line)) {
3406 report("Allocation failure");
3407 end_update(view, TRUE);
3408 return FALSE;
3413 unsigned long lines = view->lines;
3414 int digits;
3416 for (digits = 0; lines; digits++)
3417 lines /= 10;
3419 /* Keep the displayed view in sync with line number scaling. */
3420 if (digits != view->digits) {
3421 view->digits = digits;
3422 if (opt_line_number || view_has_flags(view, VIEW_ALWAYS_LINENO))
3423 redraw = TRUE;
3427 if (io_error(view->pipe)) {
3428 report("Failed to read: %s", io_strerror(view->pipe));
3429 end_update(view, TRUE);
3431 } else if (io_eof(view->pipe)) {
3432 end_update(view, FALSE);
3435 if (restore_view_position(view))
3436 redraw = TRUE;
3438 if (!view_is_displayed(view))
3439 return TRUE;
3441 if (redraw || view->force_redraw)
3442 redraw_view_from(view, 0);
3443 else
3444 redraw_view_dirty(view);
3445 view->force_redraw = FALSE;
3447 /* Update the title _after_ the redraw so that if the redraw picks up a
3448 * commit reference in view->ref it'll be available here. */
3449 update_view_title(view);
3450 return TRUE;
3453 DEFINE_ALLOCATOR(realloc_lines, struct line, 256)
3455 static struct line *
3456 add_line(struct view *view, const void *data, enum line_type type, size_t data_size, bool custom)
3458 struct line *line;
3460 if (!realloc_lines(&view->line, view->lines, 1))
3461 return NULL;
3463 if (data_size) {
3464 void *alloc_data = calloc(1, data_size);
3466 if (!alloc_data)
3467 return NULL;
3469 if (data)
3470 memcpy(alloc_data, data, data_size);
3471 data = alloc_data;
3474 line = &view->line[view->lines++];
3475 memset(line, 0, sizeof(*line));
3476 line->type = type;
3477 line->data = (void *) data;
3478 line->dirty = 1;
3480 if (custom)
3481 view->custom_lines++;
3482 else
3483 line->lineno = view->lines - view->custom_lines;
3485 return line;
3488 static struct line *
3489 add_line_alloc_(struct view *view, void **ptr, enum line_type type, size_t data_size, bool custom)
3491 struct line *line = add_line(view, NULL, type, data_size, custom);
3493 if (line)
3494 *ptr = line->data;
3495 return line;
3498 #define add_line_alloc(view, data_ptr, type, extra_size, custom) \
3499 add_line_alloc_(view, (void **) data_ptr, type, sizeof(**data_ptr) + extra_size, custom)
3501 static struct line *
3502 add_line_nodata(struct view *view, enum line_type type)
3504 return add_line(view, NULL, type, 0, FALSE);
3507 static struct line *
3508 add_line_text(struct view *view, const char *text, enum line_type type)
3510 return add_line(view, text, type, strlen(text) + 1, FALSE);
3513 static struct line * PRINTF_LIKE(3, 4)
3514 add_line_format(struct view *view, enum line_type type, const char *fmt, ...)
3516 char buf[SIZEOF_STR];
3517 int retval;
3519 FORMAT_BUFFER(buf, sizeof(buf), fmt, retval, FALSE);
3520 return retval >= 0 ? add_line_text(view, buf, type) : NULL;
3524 * View opening
3527 static void
3528 split_view(struct view *prev, struct view *view)
3530 display[1] = view;
3531 current_view = opt_focus_child ? 1 : 0;
3532 view->parent = prev;
3533 resize_display();
3535 if (prev->pos.lineno - prev->pos.offset >= prev->height) {
3536 /* Take the title line into account. */
3537 int lines = prev->pos.lineno - prev->pos.offset - prev->height + 1;
3539 /* Scroll the view that was split if the current line is
3540 * outside the new limited view. */
3541 do_scroll_view(prev, lines);
3544 if (view != prev && view_is_displayed(prev)) {
3545 /* "Blur" the previous view. */
3546 update_view_title(prev);
3550 static void
3551 maximize_view(struct view *view, bool redraw)
3553 memset(display, 0, sizeof(display));
3554 current_view = 0;
3555 display[current_view] = view;
3556 resize_display();
3557 if (redraw) {
3558 redraw_display(FALSE);
3559 report_clear();
3563 static void
3564 load_view(struct view *view, struct view *prev, enum open_flags flags)
3566 if (view->pipe)
3567 end_update(view, TRUE);
3568 if (view->ops->private_size) {
3569 if (!view->private)
3570 view->private = calloc(1, view->ops->private_size);
3571 else
3572 memset(view->private, 0, view->ops->private_size);
3575 /* When prev == view it means this is the first loaded view. */
3576 if (prev && view != prev) {
3577 view->prev = prev;
3580 if (!view->ops->open(view, flags))
3581 return;
3583 if (prev) {
3584 bool split = !!(flags & OPEN_SPLIT);
3586 if (split) {
3587 split_view(prev, view);
3588 } else {
3589 maximize_view(view, FALSE);
3593 restore_view_position(view);
3595 if (view->pipe && view->lines == 0) {
3596 /* Clear the old view and let the incremental updating refill
3597 * the screen. */
3598 werase(view->win);
3599 if (!(flags & (OPEN_RELOAD | OPEN_REFRESH)))
3600 clear_position(&view->prev_pos);
3601 report_clear();
3602 } else if (view_is_displayed(view)) {
3603 redraw_view(view);
3604 report_clear();
3608 #define refresh_view(view) load_view(view, NULL, OPEN_REFRESH)
3609 #define reload_view(view) load_view(view, NULL, OPEN_RELOAD)
3611 static void
3612 open_view(struct view *prev, enum request request, enum open_flags flags)
3614 bool reload = !!(flags & (OPEN_RELOAD | OPEN_PREPARED));
3615 struct view *view = VIEW(request);
3616 int nviews = displayed_views();
3618 assert(flags ^ OPEN_REFRESH);
3620 if (view == prev && nviews == 1 && !reload) {
3621 report("Already in %s view", view->name);
3622 return;
3625 if (!view_has_flags(view, VIEW_NO_GIT_DIR) && !opt_git_dir[0]) {
3626 report("The %s view is disabled in pager view", view->name);
3627 return;
3630 load_view(view, prev ? prev : view, flags);
3633 static void
3634 open_argv(struct view *prev, struct view *view, const char *argv[], const char *dir, enum open_flags flags)
3636 enum request request = view - views + REQ_OFFSET + 1;
3638 if (view->pipe)
3639 end_update(view, TRUE);
3640 view->dir = dir;
3642 if (!argv_copy(&view->argv, argv)) {
3643 report("Failed to open %s view: %s", view->name, io_strerror(&view->io));
3644 } else {
3645 open_view(prev, request, flags | OPEN_PREPARED);
3649 static bool
3650 open_external_viewer(const char *argv[], const char *dir, bool confirm, const char *notice)
3652 bool ok;
3654 def_prog_mode(); /* save current tty modes */
3655 endwin(); /* restore original tty modes */
3656 ok = io_run_fg(argv, dir);
3657 if (confirm) {
3658 if (!ok && *notice)
3659 fprintf(stderr, "%s", notice);
3660 fprintf(stderr, "Press Enter to continue");
3661 getc(opt_tty);
3663 reset_prog_mode();
3664 redraw_display(TRUE);
3665 return ok;
3668 static void
3669 open_mergetool(const char *file)
3671 const char *mergetool_argv[] = { "git", "mergetool", file, NULL };
3673 open_external_viewer(mergetool_argv, opt_cdup, TRUE, "");
3676 #define EDITOR_LINENO_MSG \
3677 "*** Your editor reported an error while opening the file.\n" \
3678 "*** This is probably because it doesn't support the line\n" \
3679 "*** number argument added automatically. The line number\n" \
3680 "*** has been disabled for now. You can permanently disable\n" \
3681 "*** it by adding the following line to ~/.tigrc\n" \
3682 "*** set editor-line-number = no\n"
3684 static void
3685 open_editor(const char *file, unsigned int lineno)
3687 const char *editor_argv[SIZEOF_ARG + 3] = { "vi", file, NULL };
3688 char editor_cmd[SIZEOF_STR];
3689 char lineno_cmd[SIZEOF_STR];
3690 const char *editor;
3691 int argc = 0;
3693 editor = getenv("GIT_EDITOR");
3694 if (!editor && *opt_editor)
3695 editor = opt_editor;
3696 if (!editor)
3697 editor = getenv("VISUAL");
3698 if (!editor)
3699 editor = getenv("EDITOR");
3700 if (!editor)
3701 editor = "vi";
3703 string_ncopy(editor_cmd, editor, strlen(editor));
3704 if (!argv_from_string_no_quotes(editor_argv, &argc, editor_cmd)) {
3705 report("Failed to read editor command");
3706 return;
3709 if (lineno && opt_editor_lineno && string_format(lineno_cmd, "+%u", lineno))
3710 editor_argv[argc++] = lineno_cmd;
3711 editor_argv[argc] = file;
3712 if (!open_external_viewer(editor_argv, opt_cdup, TRUE, EDITOR_LINENO_MSG))
3713 opt_editor_lineno = FALSE;
3716 static enum request run_prompt_command(struct view *view, char *cmd);
3718 static enum request
3719 open_run_request(struct view *view, enum request request)
3721 struct run_request *req = get_run_request(request);
3722 const char **argv = NULL;
3723 bool confirmed = FALSE;
3725 request = REQ_NONE;
3727 if (!req) {
3728 report("Unknown run request");
3729 return request;
3732 if (format_argv(view, &argv, req->argv, FALSE, TRUE)) {
3733 if (req->internal) {
3734 char cmd[SIZEOF_STR];
3736 if (argv_to_string(argv, cmd, sizeof(cmd), " ")) {
3737 request = run_prompt_command(view, cmd);
3740 else {
3741 confirmed = !req->confirm;
3743 if (req->confirm) {
3744 char cmd[SIZEOF_STR], prompt[SIZEOF_STR];
3746 if (argv_to_string(argv, cmd, sizeof(cmd), " ") &&
3747 string_format(prompt, "Run `%s`?", cmd) &&
3748 prompt_yesno(prompt)) {
3749 confirmed = TRUE;
3753 if (confirmed && argv_remove_quotes(argv)) {
3754 if (req->silent)
3755 io_run_bg(argv);
3756 else
3757 open_external_viewer(argv, NULL, !req->exit, "");
3762 if (argv)
3763 argv_free(argv);
3764 free(argv);
3766 if (request == REQ_NONE) {
3767 if (req->confirm && !confirmed)
3768 request = REQ_NONE;
3770 else if (req->exit)
3771 request = REQ_QUIT;
3773 else if (!view->unrefreshable)
3774 request = REQ_REFRESH;
3776 return request;
3780 * User request switch noodle
3783 static int
3784 view_driver(struct view *view, enum request request)
3786 int i;
3788 if (request == REQ_NONE)
3789 return TRUE;
3791 if (request > REQ_NONE) {
3792 request = open_run_request(view, request);
3794 // exit quickly rather than going through view_request and back
3795 if (request == REQ_QUIT)
3796 return FALSE;
3799 request = view_request(view, request);
3800 if (request == REQ_NONE)
3801 return TRUE;
3803 switch (request) {
3804 case REQ_MOVE_UP:
3805 case REQ_MOVE_DOWN:
3806 case REQ_MOVE_PAGE_UP:
3807 case REQ_MOVE_PAGE_DOWN:
3808 case REQ_MOVE_FIRST_LINE:
3809 case REQ_MOVE_LAST_LINE:
3810 move_view(view, request);
3811 break;
3813 case REQ_SCROLL_FIRST_COL:
3814 case REQ_SCROLL_LEFT:
3815 case REQ_SCROLL_RIGHT:
3816 case REQ_SCROLL_LINE_DOWN:
3817 case REQ_SCROLL_LINE_UP:
3818 case REQ_SCROLL_PAGE_DOWN:
3819 case REQ_SCROLL_PAGE_UP:
3820 scroll_view(view, request);
3821 break;
3823 case REQ_VIEW_MAIN:
3824 case REQ_VIEW_DIFF:
3825 case REQ_VIEW_LOG:
3826 case REQ_VIEW_TREE:
3827 case REQ_VIEW_HELP:
3828 case REQ_VIEW_BRANCH:
3829 case REQ_VIEW_BLAME:
3830 case REQ_VIEW_BLOB:
3831 case REQ_VIEW_STATUS:
3832 case REQ_VIEW_STAGE:
3833 case REQ_VIEW_PAGER:
3834 case REQ_VIEW_STASH:
3835 open_view(view, request, OPEN_DEFAULT);
3836 break;
3838 case REQ_NEXT:
3839 case REQ_PREVIOUS:
3840 if (view->parent) {
3841 int line;
3843 view = view->parent;
3844 line = view->pos.lineno;
3845 view_request(view, request);
3846 move_view(view, request);
3847 if (view_is_displayed(view))
3848 update_view_title(view);
3849 if (line != view->pos.lineno)
3850 view_request(view, REQ_ENTER);
3851 } else {
3852 move_view(view, request);
3854 break;
3856 case REQ_VIEW_NEXT:
3858 int nviews = displayed_views();
3859 int next_view = (current_view + 1) % nviews;
3861 if (next_view == current_view) {
3862 report("Only one view is displayed");
3863 break;
3866 current_view = next_view;
3867 /* Blur out the title of the previous view. */
3868 update_view_title(view);
3869 report_clear();
3870 break;
3872 case REQ_REFRESH:
3873 report("Refreshing is not yet supported for the %s view", view->name);
3874 break;
3876 case REQ_MAXIMIZE:
3877 if (displayed_views() == 2)
3878 maximize_view(view, TRUE);
3879 break;
3881 case REQ_OPTIONS:
3882 case REQ_TOGGLE_LINENO:
3883 case REQ_TOGGLE_DATE:
3884 case REQ_TOGGLE_AUTHOR:
3885 case REQ_TOGGLE_FILENAME:
3886 case REQ_TOGGLE_GRAPHIC:
3887 case REQ_TOGGLE_REV_GRAPH:
3888 case REQ_TOGGLE_REFS:
3889 case REQ_TOGGLE_CHANGES:
3890 case REQ_TOGGLE_IGNORE_SPACE:
3891 case REQ_TOGGLE_ID:
3892 case REQ_TOGGLE_FILES:
3893 case REQ_TOGGLE_TITLE_OVERFLOW:
3895 char action[SIZEOF_STR] = "";
3896 bool reload = toggle_option(view, request, action);
3898 if (reload && (view_has_flags(view, VIEW_DIFF_LIKE) || view->ops == &main_ops))
3899 reload_view(view);
3900 else
3901 redraw_display(FALSE);
3903 if (*action)
3904 report("%s", action);
3906 break;
3908 case REQ_TOGGLE_SORT_FIELD:
3909 case REQ_TOGGLE_SORT_ORDER:
3910 report("Sorting is not yet supported for the %s view", view->name);
3911 break;
3913 case REQ_DIFF_CONTEXT_UP:
3914 case REQ_DIFF_CONTEXT_DOWN:
3915 report("Changing the diff context is not yet supported for the %s view", view->name);
3916 break;
3918 case REQ_SEARCH:
3919 case REQ_SEARCH_BACK:
3920 search_view(view, request);
3921 break;
3923 case REQ_FIND_NEXT:
3924 case REQ_FIND_PREV:
3925 find_next(view, request);
3926 break;
3928 case REQ_STOP_LOADING:
3929 foreach_view(view, i) {
3930 if (view->pipe)
3931 report("Stopped loading the %s view", view->name),
3932 end_update(view, TRUE);
3934 break;
3936 case REQ_SHOW_VERSION:
3937 report("tig-%s (built %s)", TIG_VERSION, __DATE__);
3938 return TRUE;
3940 case REQ_SCREEN_REDRAW:
3941 redraw_display(TRUE);
3942 break;
3944 case REQ_EDIT:
3945 report("Nothing to edit");
3946 break;
3948 case REQ_ENTER:
3949 report("Nothing to enter");
3950 break;
3952 case REQ_VIEW_CLOSE:
3953 /* XXX: Mark closed views by letting view->prev point to the
3954 * view itself. Parents to closed view should never be
3955 * followed. */
3956 if (view->prev && view->prev != view) {
3957 maximize_view(view->prev, TRUE);
3958 view->prev = view;
3959 break;
3961 /* Fall-through */
3962 case REQ_QUIT:
3963 return FALSE;
3965 default:
3966 report("Unknown key, press %s for help",
3967 get_view_key(view, REQ_VIEW_HELP));
3968 return TRUE;
3971 return TRUE;
3976 * View backend utilities
3979 enum sort_field {
3980 ORDERBY_NAME,
3981 ORDERBY_DATE,
3982 ORDERBY_AUTHOR,
3985 struct sort_state {
3986 const enum sort_field *fields;
3987 size_t size, current;
3988 bool reverse;
3991 #define SORT_STATE(fields) { fields, ARRAY_SIZE(fields), 0 }
3992 #define get_sort_field(state) ((state).fields[(state).current])
3993 #define sort_order(state, result) ((state).reverse ? -(result) : (result))
3995 static void
3996 sort_view(struct view *view, enum request request, struct sort_state *state,
3997 int (*compare)(const void *, const void *))
3999 switch (request) {
4000 case REQ_TOGGLE_SORT_FIELD:
4001 state->current = (state->current + 1) % state->size;
4002 break;
4004 case REQ_TOGGLE_SORT_ORDER:
4005 state->reverse = !state->reverse;
4006 break;
4007 default:
4008 die("Not a sort request");
4011 qsort(view->line, view->lines, sizeof(*view->line), compare);
4012 redraw_view(view);
4015 static bool
4016 update_diff_context(enum request request)
4018 int diff_context = opt_diff_context;
4020 switch (request) {
4021 case REQ_DIFF_CONTEXT_UP:
4022 opt_diff_context += 1;
4023 update_diff_context_arg(opt_diff_context);
4024 break;
4026 case REQ_DIFF_CONTEXT_DOWN:
4027 if (opt_diff_context == 0) {
4028 report("Diff context cannot be less than zero");
4029 break;
4031 opt_diff_context -= 1;
4032 update_diff_context_arg(opt_diff_context);
4033 break;
4035 default:
4036 die("Not a diff context request");
4039 return diff_context != opt_diff_context;
4042 DEFINE_ALLOCATOR(realloc_authors, struct ident *, 256)
4044 /* Small author cache to reduce memory consumption. It uses binary
4045 * search to lookup or find place to position new entries. No entries
4046 * are ever freed. */
4047 static struct ident *
4048 get_author(const char *name, const char *email)
4050 static struct ident **authors;
4051 static size_t authors_size;
4052 int from = 0, to = authors_size - 1;
4053 struct ident *ident;
4055 while (from <= to) {
4056 size_t pos = (to + from) / 2;
4057 int cmp = strcmp(name, authors[pos]->name);
4059 if (!cmp)
4060 return authors[pos];
4062 if (cmp < 0)
4063 to = pos - 1;
4064 else
4065 from = pos + 1;
4068 if (!realloc_authors(&authors, authors_size, 1))
4069 return NULL;
4070 ident = calloc(1, sizeof(*ident));
4071 if (!ident)
4072 return NULL;
4073 ident->name = strdup(name);
4074 ident->email = strdup(email);
4075 if (!ident->name || !ident->email) {
4076 free((void *) ident->name);
4077 free(ident);
4078 return NULL;
4081 memmove(authors + from + 1, authors + from, (authors_size - from) * sizeof(*authors));
4082 authors[from] = ident;
4083 authors_size++;
4085 return ident;
4088 static void
4089 parse_timesec(struct time *time, const char *sec)
4091 time->sec = (time_t) atol(sec);
4094 static void
4095 parse_timezone(struct time *time, const char *zone)
4097 long tz;
4099 tz = ('0' - zone[1]) * 60 * 60 * 10;
4100 tz += ('0' - zone[2]) * 60 * 60;
4101 tz += ('0' - zone[3]) * 60 * 10;
4102 tz += ('0' - zone[4]) * 60;
4104 if (zone[0] == '-')
4105 tz = -tz;
4107 time->tz = tz;
4108 time->sec -= tz;
4111 /* Parse author lines where the name may be empty:
4112 * author <email@address.tld> 1138474660 +0100
4114 static void
4115 parse_author_line(char *ident, const struct ident **author, struct time *time)
4117 char *nameend = strchr(ident, '<');
4118 char *emailend = strchr(ident, '>');
4119 const char *name, *email = "";
4121 if (nameend && emailend)
4122 *nameend = *emailend = 0;
4123 name = chomp_string(ident);
4124 if (nameend)
4125 email = chomp_string(nameend + 1);
4126 if (!*name)
4127 name = *email ? email : unknown_ident.name;
4128 if (!*email)
4129 email = *name ? name : unknown_ident.email;
4131 *author = get_author(name, email);
4133 /* Parse epoch and timezone */
4134 if (time && emailend && emailend[1] == ' ') {
4135 char *secs = emailend + 2;
4136 char *zone = strchr(secs, ' ');
4138 parse_timesec(time, secs);
4140 if (zone && strlen(zone) == STRING_SIZE(" +0700"))
4141 parse_timezone(time, zone + 1);
4145 static struct line *
4146 find_line_by_type(struct view *view, struct line *line, enum line_type type, int direction)
4148 for (; view_has_line(view, line); line += direction)
4149 if (line->type == type)
4150 return line;
4152 return NULL;
4155 #define find_prev_line_by_type(view, line, type) \
4156 find_line_by_type(view, line, type, -1)
4158 #define find_next_line_by_type(view, line, type) \
4159 find_line_by_type(view, line, type, 1)
4162 * Blame
4165 struct blame_commit {
4166 char id[SIZEOF_REV]; /* SHA1 ID. */
4167 char title[128]; /* First line of the commit message. */
4168 const struct ident *author; /* Author of the commit. */
4169 struct time time; /* Date from the author ident. */
4170 char filename[128]; /* Name of file. */
4171 char parent_id[SIZEOF_REV]; /* Parent/previous SHA1 ID. */
4172 char parent_filename[128]; /* Parent/previous name of file. */
4175 struct blame_header {
4176 char id[SIZEOF_REV]; /* SHA1 ID. */
4177 size_t orig_lineno;
4178 size_t lineno;
4179 size_t group;
4182 static bool
4183 parse_number(const char **posref, size_t *number, size_t min, size_t max)
4185 const char *pos = *posref;
4187 *posref = NULL;
4188 pos = strchr(pos + 1, ' ');
4189 if (!pos || !isdigit(pos[1]))
4190 return FALSE;
4191 *number = atoi(pos + 1);
4192 if (*number < min || *number > max)
4193 return FALSE;
4195 *posref = pos;
4196 return TRUE;
4199 static bool
4200 parse_blame_header(struct blame_header *header, const char *text, size_t max_lineno)
4202 const char *pos = text + SIZEOF_REV - 2;
4204 if (strlen(text) <= SIZEOF_REV || pos[1] != ' ')
4205 return FALSE;
4207 string_ncopy(header->id, text, SIZEOF_REV);
4209 if (!parse_number(&pos, &header->orig_lineno, 1, 9999999) ||
4210 !parse_number(&pos, &header->lineno, 1, max_lineno) ||
4211 !parse_number(&pos, &header->group, 1, max_lineno - header->lineno + 1))
4212 return FALSE;
4214 return TRUE;
4217 static bool
4218 match_blame_header(const char *name, char **line)
4220 size_t namelen = strlen(name);
4221 bool matched = !strncmp(name, *line, namelen);
4223 if (matched)
4224 *line += namelen;
4226 return matched;
4229 static bool
4230 parse_blame_info(struct blame_commit *commit, char *line)
4232 if (match_blame_header("author ", &line)) {
4233 parse_author_line(line, &commit->author, NULL);
4235 } else if (match_blame_header("author-time ", &line)) {
4236 parse_timesec(&commit->time, line);
4238 } else if (match_blame_header("author-tz ", &line)) {
4239 parse_timezone(&commit->time, line);
4241 } else if (match_blame_header("summary ", &line)) {
4242 string_ncopy(commit->title, line, strlen(line));
4244 } else if (match_blame_header("previous ", &line)) {
4245 if (strlen(line) <= SIZEOF_REV)
4246 return FALSE;
4247 string_copy_rev(commit->parent_id, line);
4248 line += SIZEOF_REV;
4249 string_ncopy(commit->parent_filename, line, strlen(line));
4251 } else if (match_blame_header("filename ", &line)) {
4252 string_ncopy(commit->filename, line, strlen(line));
4253 return TRUE;
4256 return FALSE;
4260 * Pager backend
4263 static bool
4264 pager_draw(struct view *view, struct line *line, unsigned int lineno)
4266 if (draw_lineno(view, lineno))
4267 return TRUE;
4269 if (line->wrapped && draw_text(view, LINE_DELIMITER, "+"))
4270 return TRUE;
4272 draw_text(view, line->type, line->data);
4273 return TRUE;
4276 static bool
4277 add_describe_ref(char *buf, size_t *bufpos, const char *commit_id, const char *sep)
4279 const char *describe_argv[] = { "git", "describe", commit_id, NULL };
4280 char ref[SIZEOF_STR];
4282 if (!io_run_buf(describe_argv, ref, sizeof(ref)) || !*ref)
4283 return TRUE;
4285 /* This is the only fatal call, since it can "corrupt" the buffer. */
4286 if (!string_nformat(buf, SIZEOF_STR, bufpos, "%s%s", sep, ref))
4287 return FALSE;
4289 return TRUE;
4292 static void
4293 add_pager_refs(struct view *view, const char *commit_id)
4295 char buf[SIZEOF_STR];
4296 struct ref_list *list;
4297 size_t bufpos = 0, i;
4298 const char *sep = "Refs: ";
4299 bool is_tag = FALSE;
4301 list = get_ref_list(commit_id);
4302 if (!list) {
4303 if (view_has_flags(view, VIEW_ADD_DESCRIBE_REF))
4304 goto try_add_describe_ref;
4305 return;
4308 for (i = 0; i < list->size; i++) {
4309 struct ref *ref = list->refs[i];
4310 const char *fmt = ref->tag ? "%s[%s]" :
4311 ref->remote ? "%s<%s>" : "%s%s";
4313 if (!string_format_from(buf, &bufpos, fmt, sep, ref->name))
4314 return;
4315 sep = ", ";
4316 if (ref->tag)
4317 is_tag = TRUE;
4320 if (!is_tag && view_has_flags(view, VIEW_ADD_DESCRIBE_REF)) {
4321 try_add_describe_ref:
4322 /* Add <tag>-g<commit_id> "fake" reference. */
4323 if (!add_describe_ref(buf, &bufpos, commit_id, sep))
4324 return;
4327 if (bufpos == 0)
4328 return;
4330 add_line_text(view, buf, LINE_PP_REFS);
4333 static struct line *
4334 pager_wrap_line(struct view *view, const char *data, enum line_type type)
4336 size_t first_line = 0;
4337 bool has_first_line = FALSE;
4338 size_t datalen = strlen(data);
4339 size_t lineno = 0;
4341 while (datalen > 0 || !has_first_line) {
4342 bool wrapped = !!first_line;
4343 size_t linelen = string_expanded_length(data, datalen, opt_tab_size, view->width - !!wrapped);
4344 struct line *line;
4345 char *text;
4347 line = add_line(view, NULL, type, linelen + 1, wrapped);
4348 if (!line)
4349 break;
4350 if (!has_first_line) {
4351 first_line = view->lines - 1;
4352 has_first_line = TRUE;
4355 if (!wrapped)
4356 lineno = line->lineno;
4358 line->wrapped = wrapped;
4359 line->lineno = lineno;
4360 text = line->data;
4361 if (linelen)
4362 strncpy(text, data, linelen);
4363 text[linelen] = 0;
4365 datalen -= linelen;
4366 data += linelen;
4369 return has_first_line ? &view->line[first_line] : NULL;
4372 static bool
4373 pager_common_read(struct view *view, const char *data, enum line_type type)
4375 struct line *line;
4377 if (!data)
4378 return TRUE;
4380 if (opt_wrap_lines) {
4381 line = pager_wrap_line(view, data, type);
4382 } else {
4383 line = add_line_text(view, data, type);
4386 if (!line)
4387 return FALSE;
4389 if (line->type == LINE_COMMIT && view_has_flags(view, VIEW_ADD_PAGER_REFS))
4390 add_pager_refs(view, data + STRING_SIZE("commit "));
4392 return TRUE;
4395 static bool
4396 pager_read(struct view *view, char *data)
4398 if (!data)
4399 return TRUE;
4401 return pager_common_read(view, data, get_line_type(data));
4404 static enum request
4405 pager_request(struct view *view, enum request request, struct line *line)
4407 int split = 0;
4409 if (request != REQ_ENTER)
4410 return request;
4412 if (line->type == LINE_COMMIT && view_has_flags(view, VIEW_OPEN_DIFF)) {
4413 open_view(view, REQ_VIEW_DIFF, OPEN_SPLIT);
4414 split = 1;
4417 /* Always scroll the view even if it was split. That way
4418 * you can use Enter to scroll through the log view and
4419 * split open each commit diff. */
4420 scroll_view(view, REQ_SCROLL_LINE_DOWN);
4422 /* FIXME: A minor workaround. Scrolling the view will call report_clear()
4423 * but if we are scrolling a non-current view this won't properly
4424 * update the view title. */
4425 if (split)
4426 update_view_title(view);
4428 return REQ_NONE;
4431 static bool
4432 pager_grep(struct view *view, struct line *line)
4434 const char *text[] = { line->data, NULL };
4436 return grep_text(view, text);
4439 static void
4440 pager_select(struct view *view, struct line *line)
4442 if (line->type == LINE_COMMIT) {
4443 string_copy_rev_from_commit_line(ref_commit, line->data);
4444 if (!view_has_flags(view, VIEW_NO_REF))
4445 string_copy_rev(view->ref, ref_commit);
4449 struct log_state {
4450 /* Used for tracking when we need to recalculate the previous
4451 * commit, for example when the user scrolls up or uses the page
4452 * up/down in the log view. */
4453 int last_lineno;
4454 enum line_type last_type;
4457 static void
4458 log_select(struct view *view, struct line *line)
4460 struct log_state *state = view->private;
4461 int last_lineno = state->last_lineno;
4463 if (!last_lineno || abs(last_lineno - line->lineno) > 1
4464 || (state->last_type == LINE_COMMIT && last_lineno > line->lineno)) {
4465 const struct line *commit_line = find_prev_line_by_type(view, line, LINE_COMMIT);
4467 if (commit_line)
4468 string_copy_rev_from_commit_line(view->ref, commit_line->data);
4471 if (line->type == LINE_COMMIT && !view_has_flags(view, VIEW_NO_REF)) {
4472 string_copy_rev_from_commit_line(view->ref, (char *)line->data);
4474 string_copy_rev(ref_commit, view->ref);
4475 state->last_lineno = line->lineno;
4476 state->last_type = line->type;
4479 static bool
4480 pager_open(struct view *view, enum open_flags flags)
4482 if (display[0] == NULL) {
4483 if (!io_open(&view->io, "%s", ""))
4484 die("Failed to open stdin");
4485 flags = OPEN_PREPARED;
4487 } else if (!view->pipe && !view->lines && !(flags & OPEN_PREPARED)) {
4488 report("No pager content, press %s to run command from prompt",
4489 get_view_key(view, REQ_PROMPT));
4490 return FALSE;
4493 return begin_update(view, NULL, NULL, flags);
4496 static struct view_ops pager_ops = {
4497 "line",
4498 { "pager" },
4499 VIEW_OPEN_DIFF | VIEW_NO_REF | VIEW_NO_GIT_DIR,
4501 pager_open,
4502 pager_read,
4503 pager_draw,
4504 pager_request,
4505 pager_grep,
4506 pager_select,
4509 static bool
4510 log_open(struct view *view, enum open_flags flags)
4512 static const char *log_argv[] = {
4513 "git", "log", opt_encoding_arg, "--no-color", "--cc", "--stat", "-n100", "%(head)", NULL
4516 return begin_update(view, NULL, log_argv, flags);
4519 static enum request
4520 log_request(struct view *view, enum request request, struct line *line)
4522 switch (request) {
4523 case REQ_REFRESH:
4524 load_refs();
4525 refresh_view(view);
4526 return REQ_NONE;
4528 case REQ_ENTER:
4529 if (!display[1] || strcmp(display[1]->vid, view->ref))
4530 open_view(view, REQ_VIEW_DIFF, OPEN_SPLIT);
4531 return REQ_NONE;
4533 default:
4534 return request;
4538 static struct view_ops log_ops = {
4539 "line",
4540 { "log" },
4541 VIEW_ADD_PAGER_REFS | VIEW_OPEN_DIFF | VIEW_SEND_CHILD_ENTER,
4542 sizeof(struct log_state),
4543 log_open,
4544 pager_read,
4545 pager_draw,
4546 log_request,
4547 pager_grep,
4548 log_select,
4551 struct diff_state {
4552 bool after_commit_title;
4553 bool after_diff;
4554 bool reading_diff_stat;
4555 bool combined_diff;
4558 #define DIFF_LINE_COMMIT_TITLE 1
4560 static bool
4561 diff_open(struct view *view, enum open_flags flags)
4563 static const char *diff_argv[] = {
4564 "git", "show", opt_encoding_arg, "--pretty=fuller", "--no-color", "--root",
4565 "--patch-with-stat",
4566 opt_notes_arg, opt_diff_context_arg, opt_ignore_space_arg,
4567 "%(diffargs)", "%(commit)", "--", "%(fileargs)", NULL
4570 return begin_update(view, NULL, diff_argv, flags);
4573 static bool
4574 diff_common_read(struct view *view, const char *data, struct diff_state *state)
4576 enum line_type type = get_line_type(data);
4578 if (!view->lines && type != LINE_COMMIT)
4579 state->reading_diff_stat = TRUE;
4581 if (state->combined_diff && !state->after_diff && data[0] == ' ' && data[1] != ' ')
4582 state->reading_diff_stat = TRUE;
4584 if (state->reading_diff_stat) {
4585 size_t len = strlen(data);
4586 char *pipe = strchr(data, '|');
4587 bool has_histogram = data[len - 1] == '-' || data[len - 1] == '+';
4588 bool has_bin_diff = pipe && strstr(pipe, "Bin") && strstr(pipe, "->");
4589 bool has_rename = data[len - 1] == '0' && (strstr(data, "=>") || !strncmp(data, " ...", 4));
4591 if (pipe && (has_histogram || has_bin_diff || has_rename)) {
4592 return add_line_text(view, data, LINE_DIFF_STAT) != NULL;
4593 } else {
4594 state->reading_diff_stat = FALSE;
4597 } else if (!strcmp(data, "---")) {
4598 state->reading_diff_stat = TRUE;
4601 if (!state->after_commit_title && !prefixcmp(data, " ")) {
4602 struct line *line = add_line_text(view, data, LINE_DEFAULT);
4604 if (line)
4605 line->user_flags |= DIFF_LINE_COMMIT_TITLE;
4606 state->after_commit_title = TRUE;
4607 return line != NULL;
4610 if (type == LINE_DIFF_HEADER) {
4611 const int len = line_info[LINE_DIFF_HEADER].linelen;
4613 state->after_diff = TRUE;
4614 if (!strncmp(data + len, "combined ", strlen("combined ")) ||
4615 !strncmp(data + len, "cc ", strlen("cc ")))
4616 state->combined_diff = TRUE;
4618 } else if (type == LINE_PP_MERGE) {
4619 state->combined_diff = TRUE;
4622 /* ADD2 and DEL2 are only valid in combined diff hunks */
4623 if (!state->combined_diff && (type == LINE_DIFF_ADD2 || type == LINE_DIFF_DEL2))
4624 type = LINE_DEFAULT;
4626 return pager_common_read(view, data, type);
4629 static bool
4630 diff_find_stat_entry(struct view *view, struct line *line, enum line_type type)
4632 struct line *marker = find_next_line_by_type(view, line, type);
4634 return marker &&
4635 line == find_prev_line_by_type(view, marker, LINE_DIFF_HEADER);
4638 static enum request
4639 diff_common_enter(struct view *view, enum request request, struct line *line)
4641 if (line->type == LINE_DIFF_STAT) {
4642 int file_number = 0;
4644 while (view_has_line(view, line) && line->type == LINE_DIFF_STAT) {
4645 file_number++;
4646 line--;
4649 for (line = view->line; view_has_line(view, line); line++) {
4650 line = find_next_line_by_type(view, line, LINE_DIFF_HEADER);
4651 if (!line)
4652 break;
4654 if (diff_find_stat_entry(view, line, LINE_DIFF_INDEX)
4655 || diff_find_stat_entry(view, line, LINE_DIFF_SIMILARITY)) {
4656 if (file_number == 1) {
4657 break;
4659 file_number--;
4663 if (!line) {
4664 report("Failed to find file diff");
4665 return REQ_NONE;
4668 select_view_line(view, line - view->line);
4669 report_clear();
4670 return REQ_NONE;
4672 } else {
4673 return pager_request(view, request, line);
4677 static bool
4678 diff_common_draw_part(struct view *view, enum line_type *type, char **text, char c, enum line_type next_type)
4680 char *sep = strchr(*text, c);
4682 if (sep != NULL) {
4683 *sep = 0;
4684 draw_text(view, *type, *text);
4685 *sep = c;
4686 *text = sep;
4687 *type = next_type;
4690 return sep != NULL;
4693 static bool
4694 diff_common_draw(struct view *view, struct line *line, unsigned int lineno)
4696 char *text = line->data;
4697 enum line_type type = line->type;
4699 if (draw_lineno(view, lineno))
4700 return TRUE;
4702 if (line->wrapped && draw_text(view, LINE_DELIMITER, "+"))
4703 return TRUE;
4705 if (type == LINE_DIFF_STAT) {
4706 diff_common_draw_part(view, &type, &text, '|', LINE_DEFAULT);
4707 if (diff_common_draw_part(view, &type, &text, 'B', LINE_DEFAULT)) {
4708 /* Handle binary diffstat: Bin <deleted> -> <added> bytes */
4709 diff_common_draw_part(view, &type, &text, ' ', LINE_DIFF_DEL);
4710 diff_common_draw_part(view, &type, &text, '-', LINE_DEFAULT);
4711 diff_common_draw_part(view, &type, &text, ' ', LINE_DIFF_ADD);
4712 diff_common_draw_part(view, &type, &text, 'b', LINE_DEFAULT);
4714 } else {
4715 diff_common_draw_part(view, &type, &text, '+', LINE_DIFF_ADD);
4716 diff_common_draw_part(view, &type, &text, '-', LINE_DIFF_DEL);
4720 if (line->user_flags & DIFF_LINE_COMMIT_TITLE)
4721 draw_commit_title(view, text, 4);
4722 else
4723 draw_text(view, type, text);
4724 return TRUE;
4727 static bool
4728 diff_read(struct view *view, char *data)
4730 struct diff_state *state = view->private;
4732 if (!data) {
4733 /* Fall back to retry if no diff will be shown. */
4734 if (view->lines == 0 && opt_file_argv) {
4735 int pos = argv_size(view->argv)
4736 - argv_size(opt_file_argv) - 1;
4738 if (pos > 0 && !strcmp(view->argv[pos], "--")) {
4739 for (; view->argv[pos]; pos++) {
4740 free((void *) view->argv[pos]);
4741 view->argv[pos] = NULL;
4744 if (view->pipe)
4745 io_done(view->pipe);
4746 if (io_run(&view->io, IO_RD, view->dir, opt_env, view->argv))
4747 return FALSE;
4750 return TRUE;
4753 return diff_common_read(view, data, state);
4756 static bool
4757 diff_blame_line(const char *ref, const char *file, unsigned long lineno,
4758 struct blame_header *header, struct blame_commit *commit)
4760 char line_arg[SIZEOF_STR];
4761 const char *blame_argv[] = {
4762 "git", "blame", opt_encoding_arg, "-p", line_arg, ref, "--", file, NULL
4764 struct io io;
4765 bool ok = FALSE;
4766 char *buf;
4768 if (!string_format(line_arg, "-L%ld,+1", lineno))
4769 return FALSE;
4771 if (!io_run(&io, IO_RD, opt_cdup, opt_env, blame_argv))
4772 return FALSE;
4774 while ((buf = io_get(&io, '\n', TRUE))) {
4775 if (header) {
4776 if (!parse_blame_header(header, buf, 9999999))
4777 break;
4778 header = NULL;
4780 } else if (parse_blame_info(commit, buf)) {
4781 ok = TRUE;
4782 break;
4786 if (io_error(&io))
4787 ok = FALSE;
4789 io_done(&io);
4790 return ok;
4793 static unsigned int
4794 diff_get_lineno(struct view *view, struct line *line)
4796 const struct line *header, *chunk;
4797 const char *data;
4798 unsigned int lineno;
4800 /* Verify that we are after a diff header and one of its chunks */
4801 header = find_prev_line_by_type(view, line, LINE_DIFF_HEADER);
4802 chunk = find_prev_line_by_type(view, line, LINE_DIFF_CHUNK);
4803 if (!header || !chunk || chunk < header)
4804 return 0;
4807 * In a chunk header, the number after the '+' sign is the number of its
4808 * following line, in the new version of the file. We increment this
4809 * number for each non-deletion line, until the given line position.
4811 data = strchr(chunk->data, '+');
4812 if (!data)
4813 return 0;
4815 lineno = atoi(data);
4816 chunk++;
4817 while (chunk++ < line)
4818 if (chunk->type != LINE_DIFF_DEL)
4819 lineno++;
4821 return lineno;
4824 static bool
4825 parse_chunk_lineno(int *lineno, const char *chunk, int marker)
4827 return prefixcmp(chunk, "@@ -") ||
4828 !(chunk = strchr(chunk, marker)) ||
4829 parse_int(lineno, chunk + 1, 0, 9999999) != OPT_OK;
4832 static enum request
4833 diff_trace_origin(struct view *view, struct line *line)
4835 struct line *diff = find_prev_line_by_type(view, line, LINE_DIFF_HEADER);
4836 struct line *chunk = find_prev_line_by_type(view, line, LINE_DIFF_CHUNK);
4837 const char *chunk_data;
4838 int chunk_marker = line->type == LINE_DIFF_DEL ? '-' : '+';
4839 int lineno = 0;
4840 const char *file = NULL;
4841 char ref[SIZEOF_REF];
4842 struct blame_header header;
4843 struct blame_commit commit;
4845 if (!diff || !chunk || chunk == line) {
4846 report("The line to trace must be inside a diff chunk");
4847 return REQ_NONE;
4850 for (; diff < line && !file; diff++) {
4851 const char *data = diff->data;
4853 if (!prefixcmp(data, "--- a/")) {
4854 file = data + STRING_SIZE("--- a/");
4855 break;
4859 if (diff == line || !file) {
4860 report("Failed to read the file name");
4861 return REQ_NONE;
4864 chunk_data = chunk->data;
4866 if (parse_chunk_lineno(&lineno, chunk_data, chunk_marker)) {
4867 report("Failed to read the line number");
4868 return REQ_NONE;
4871 if (lineno == 0) {
4872 report("This is the origin of the line");
4873 return REQ_NONE;
4876 for (chunk += 1; chunk < line; chunk++) {
4877 if (chunk->type == LINE_DIFF_ADD) {
4878 lineno += chunk_marker == '+';
4879 } else if (chunk->type == LINE_DIFF_DEL) {
4880 lineno += chunk_marker == '-';
4881 } else {
4882 lineno++;
4886 if (chunk_marker == '+')
4887 string_copy(ref, view->vid);
4888 else
4889 string_format(ref, "%s^", view->vid);
4891 if (!diff_blame_line(ref, file, lineno, &header, &commit)) {
4892 report("Failed to read blame data");
4893 return REQ_NONE;
4896 string_ncopy(opt_file, commit.filename, strlen(commit.filename));
4897 string_copy(opt_ref, header.id);
4898 opt_goto_line = header.orig_lineno - 1;
4900 return REQ_VIEW_BLAME;
4903 static const char *
4904 diff_get_pathname(struct view *view, struct line *line)
4906 const struct line *header;
4907 const char *dst = NULL;
4908 const char *prefixes[] = { " b/", "cc ", "combined " };
4909 int i;
4911 header = find_prev_line_by_type(view, line, LINE_DIFF_HEADER);
4912 if (!header)
4913 return NULL;
4915 for (i = 0; i < ARRAY_SIZE(prefixes) && !dst; i++)
4916 dst = strstr(header->data, prefixes[i]);
4918 return dst ? dst + strlen(prefixes[--i]) : NULL;
4921 static enum request
4922 diff_common_edit(struct view *view, enum request request, struct line *line)
4924 const char *file = diff_get_pathname(view, line);
4925 char path[SIZEOF_STR];
4926 bool has_path = file && string_format(path, "%s%s", opt_cdup, file);
4928 if (has_path && access(path, R_OK)) {
4929 report("Failed to open file: %s", file);
4930 return REQ_NONE;
4933 open_editor(file, diff_get_lineno(view, line));
4934 return REQ_NONE;
4937 static enum request
4938 diff_request(struct view *view, enum request request, struct line *line)
4940 switch (request) {
4941 case REQ_VIEW_BLAME:
4942 return diff_trace_origin(view, line);
4944 case REQ_DIFF_CONTEXT_UP:
4945 case REQ_DIFF_CONTEXT_DOWN:
4946 if (!update_diff_context(request))
4947 return REQ_NONE;
4948 reload_view(view);
4949 return REQ_NONE;
4952 case REQ_EDIT:
4953 return diff_common_edit(view, request, line);
4955 case REQ_ENTER:
4956 return diff_common_enter(view, request, line);
4958 case REQ_REFRESH:
4959 reload_view(view);
4960 return REQ_NONE;
4962 default:
4963 return pager_request(view, request, line);
4967 static void
4968 diff_select(struct view *view, struct line *line)
4970 if (line->type == LINE_DIFF_STAT) {
4971 string_format(view->ref, "Press '%s' to jump to file diff",
4972 get_view_key(view, REQ_ENTER));
4973 } else {
4974 const char *file = diff_get_pathname(view, line);
4976 if (file) {
4977 string_format(view->ref, "Changes to '%s'", file);
4978 string_format(opt_file, "%s", file);
4979 ref_blob[0] = 0;
4980 } else {
4981 string_ncopy(view->ref, view->id, strlen(view->id));
4982 pager_select(view, line);
4987 static struct view_ops diff_ops = {
4988 "line",
4989 { "diff" },
4990 VIEW_DIFF_LIKE | VIEW_ADD_DESCRIBE_REF | VIEW_ADD_PAGER_REFS | VIEW_STDIN | VIEW_FILE_FILTER,
4991 sizeof(struct diff_state),
4992 diff_open,
4993 diff_read,
4994 diff_common_draw,
4995 diff_request,
4996 pager_grep,
4997 diff_select,
5001 * Help backend
5004 static bool
5005 help_draw(struct view *view, struct line *line, unsigned int lineno)
5007 if (line->type == LINE_HELP_KEYMAP) {
5008 struct keymap *keymap = line->data;
5010 draw_formatted(view, line->type, "[%c] %s bindings",
5011 keymap->hidden ? '+' : '-', keymap->name);
5012 return TRUE;
5013 } else {
5014 return pager_draw(view, line, lineno);
5018 static bool
5019 help_open_keymap_title(struct view *view, struct keymap *keymap)
5021 add_line(view, keymap, LINE_HELP_KEYMAP, 0, FALSE);
5022 return keymap->hidden;
5025 static void
5026 help_open_keymap(struct view *view, struct keymap *keymap)
5028 const char *group = NULL;
5029 char buf[SIZEOF_STR];
5030 bool add_title = TRUE;
5031 int i;
5033 for (i = 0; i < ARRAY_SIZE(req_info); i++) {
5034 const char *key = NULL;
5036 if (req_info[i].request == REQ_NONE)
5037 continue;
5039 if (!req_info[i].request) {
5040 group = req_info[i].help;
5041 continue;
5044 key = get_keys(keymap, req_info[i].request, TRUE);
5045 if (!key || !*key)
5046 continue;
5048 if (add_title && help_open_keymap_title(view, keymap))
5049 return;
5050 add_title = FALSE;
5052 if (group) {
5053 add_line_text(view, group, LINE_HELP_GROUP);
5054 group = NULL;
5057 add_line_format(view, LINE_DEFAULT, " %-25s %-20s %s", key,
5058 enum_name(req_info[i]), req_info[i].help);
5061 group = "External commands:";
5063 for (i = 0; i < run_requests; i++) {
5064 struct run_request *req = get_run_request(REQ_NONE + i + 1);
5065 const char *key;
5067 if (!req || req->keymap != keymap)
5068 continue;
5070 key = get_key_name(req->key);
5071 if (!*key)
5072 key = "(no key defined)";
5074 if (add_title && help_open_keymap_title(view, keymap))
5075 return;
5076 add_title = FALSE;
5078 if (group) {
5079 add_line_text(view, group, LINE_HELP_GROUP);
5080 group = NULL;
5083 if (!argv_to_string(req->argv, buf, sizeof(buf), " "))
5084 return;
5086 add_line_format(view, LINE_DEFAULT, " %-25s `%s`", key, buf);
5090 static bool
5091 help_open(struct view *view, enum open_flags flags)
5093 struct keymap *keymap;
5095 reset_view(view);
5096 add_line_text(view, "Quick reference for tig keybindings:", LINE_DEFAULT);
5097 add_line_text(view, "", LINE_DEFAULT);
5099 for (keymap = keymaps; keymap; keymap = keymap->next)
5100 help_open_keymap(view, keymap);
5102 return TRUE;
5105 static enum request
5106 help_request(struct view *view, enum request request, struct line *line)
5108 switch (request) {
5109 case REQ_ENTER:
5110 if (line->type == LINE_HELP_KEYMAP) {
5111 struct keymap *keymap = line->data;
5113 keymap->hidden = !keymap->hidden;
5114 refresh_view(view);
5117 return REQ_NONE;
5118 default:
5119 return pager_request(view, request, line);
5123 static void
5124 help_done(struct view *view)
5126 int i;
5128 for (i = 0; i < view->lines; i++)
5129 if (view->line[i].type == LINE_HELP_KEYMAP)
5130 view->line[i].data = NULL;
5133 static struct view_ops help_ops = {
5134 "line",
5135 { "help" },
5136 VIEW_NO_GIT_DIR,
5138 help_open,
5139 NULL,
5140 help_draw,
5141 help_request,
5142 pager_grep,
5143 pager_select,
5144 help_done,
5149 * Tree backend
5152 struct tree_stack_entry {
5153 struct tree_stack_entry *prev; /* Entry below this in the stack */
5154 unsigned long lineno; /* Line number to restore */
5155 char *name; /* Position of name in opt_path */
5158 /* The top of the path stack. */
5159 static struct tree_stack_entry *tree_stack = NULL;
5160 unsigned long tree_lineno = 0;
5162 static void
5163 pop_tree_stack_entry(void)
5165 struct tree_stack_entry *entry = tree_stack;
5167 tree_lineno = entry->lineno;
5168 entry->name[0] = 0;
5169 tree_stack = entry->prev;
5170 free(entry);
5173 static void
5174 push_tree_stack_entry(const char *name, unsigned long lineno)
5176 struct tree_stack_entry *entry = calloc(1, sizeof(*entry));
5177 size_t pathlen = strlen(opt_path);
5179 if (!entry)
5180 return;
5182 entry->prev = tree_stack;
5183 entry->name = opt_path + pathlen;
5184 tree_stack = entry;
5186 if (!string_format_from(opt_path, &pathlen, "%s/", name)) {
5187 pop_tree_stack_entry();
5188 return;
5191 /* Move the current line to the first tree entry. */
5192 tree_lineno = 1;
5193 entry->lineno = lineno;
5196 /* Parse output from git-ls-tree(1):
5198 * 100644 blob 95925677ca47beb0b8cce7c0e0011bcc3f61470f 213045 tig.c
5201 #define SIZEOF_TREE_ATTR \
5202 STRING_SIZE("100644 blob f931e1d229c3e185caad4449bf5b66ed72462657\t")
5204 #define SIZEOF_TREE_MODE \
5205 STRING_SIZE("100644 ")
5207 #define TREE_ID_OFFSET \
5208 STRING_SIZE("100644 blob ")
5210 #define tree_path_is_parent(path) (!strcmp("..", (path)))
5212 struct tree_entry {
5213 char id[SIZEOF_REV];
5214 char commit[SIZEOF_REV];
5215 mode_t mode;
5216 struct time time; /* Date from the author ident. */
5217 const struct ident *author; /* Author of the commit. */
5218 unsigned long size;
5219 char name[1];
5222 struct tree_state {
5223 char commit[SIZEOF_REV];
5224 const struct ident *author;
5225 struct time author_time;
5226 int size_width;
5227 bool read_date;
5230 static const char *
5231 tree_path(const struct line *line)
5233 return ((struct tree_entry *) line->data)->name;
5236 static int
5237 tree_compare_entry(const struct line *line1, const struct line *line2)
5239 if (line1->type != line2->type)
5240 return line1->type == LINE_TREE_DIR ? -1 : 1;
5241 return strcmp(tree_path(line1), tree_path(line2));
5244 static const enum sort_field tree_sort_fields[] = {
5245 ORDERBY_NAME, ORDERBY_DATE, ORDERBY_AUTHOR
5247 static struct sort_state tree_sort_state = SORT_STATE(tree_sort_fields);
5249 static int
5250 tree_compare(const void *l1, const void *l2)
5252 const struct line *line1 = (const struct line *) l1;
5253 const struct line *line2 = (const struct line *) l2;
5254 const struct tree_entry *entry1 = ((const struct line *) l1)->data;
5255 const struct tree_entry *entry2 = ((const struct line *) l2)->data;
5257 if (line1->type == LINE_TREE_HEAD)
5258 return -1;
5259 if (line2->type == LINE_TREE_HEAD)
5260 return 1;
5262 switch (get_sort_field(tree_sort_state)) {
5263 case ORDERBY_DATE:
5264 return sort_order(tree_sort_state, timecmp(&entry1->time, &entry2->time));
5266 case ORDERBY_AUTHOR:
5267 return sort_order(tree_sort_state, ident_compare(entry1->author, entry2->author));
5269 case ORDERBY_NAME:
5270 default:
5271 return sort_order(tree_sort_state, tree_compare_entry(line1, line2));
5276 static struct line *
5277 tree_entry(struct view *view, enum line_type type, const char *path,
5278 const char *mode, const char *id, unsigned long size)
5280 bool custom = type == LINE_TREE_HEAD || tree_path_is_parent(path);
5281 struct tree_entry *entry;
5282 struct line *line = add_line_alloc(view, &entry, type, strlen(path), custom);
5284 if (!line)
5285 return NULL;
5287 strncpy(entry->name, path, strlen(path));
5288 if (mode)
5289 entry->mode = strtoul(mode, NULL, 8);
5290 if (id)
5291 string_copy_rev(entry->id, id);
5292 entry->size = size;
5294 return line;
5297 static bool
5298 tree_read_date(struct view *view, char *text, struct tree_state *state)
5300 if (!text && state->read_date) {
5301 state->read_date = FALSE;
5302 return TRUE;
5304 } else if (!text) {
5305 /* Find next entry to process */
5306 const char *log_file[] = {
5307 "git", "log", opt_encoding_arg, "--no-color", "--pretty=raw",
5308 "--cc", "--raw", view->id, "--", "%(directory)", NULL
5311 if (!view->lines) {
5312 tree_entry(view, LINE_TREE_HEAD, opt_path, NULL, NULL, 0);
5313 tree_entry(view, LINE_TREE_DIR, "..", "040000", view->ref, 0);
5314 report("Tree is empty");
5315 return TRUE;
5318 if (!begin_update(view, opt_cdup, log_file, OPEN_EXTRA)) {
5319 report("Failed to load tree data");
5320 return TRUE;
5323 state->read_date = TRUE;
5324 return FALSE;
5326 } else if (*text == 'c' && get_line_type(text) == LINE_COMMIT) {
5327 string_copy_rev_from_commit_line(state->commit, text);
5329 } else if (*text == 'a' && get_line_type(text) == LINE_AUTHOR) {
5330 parse_author_line(text + STRING_SIZE("author "),
5331 &state->author, &state->author_time);
5333 } else if (*text == ':') {
5334 char *pos;
5335 size_t annotated = 1;
5336 size_t i;
5338 pos = strchr(text, '\t');
5339 if (!pos)
5340 return TRUE;
5341 text = pos + 1;
5342 if (*opt_path && !strncmp(text, opt_path, strlen(opt_path)))
5343 text += strlen(opt_path);
5344 pos = strchr(text, '/');
5345 if (pos)
5346 *pos = 0;
5348 for (i = 1; i < view->lines; i++) {
5349 struct line *line = &view->line[i];
5350 struct tree_entry *entry = line->data;
5352 annotated += !!entry->author;
5353 if (entry->author || strcmp(entry->name, text))
5354 continue;
5356 string_copy_rev(entry->commit, state->commit);
5357 entry->author = state->author;
5358 entry->time = state->author_time;
5359 line->dirty = 1;
5360 break;
5363 if (annotated == view->lines)
5364 io_kill(view->pipe);
5366 return TRUE;
5369 static inline size_t
5370 parse_size(const char *text, int *max_digits)
5372 size_t size = 0;
5373 int digits = 0;
5375 while (*text == ' ')
5376 text++;
5378 while (isdigit(*text)) {
5379 size = (size * 10) + (*text++ - '0');
5380 digits++;
5383 if (digits > *max_digits)
5384 *max_digits = digits;
5386 return size;
5389 static bool
5390 tree_read(struct view *view, char *text)
5392 struct tree_state *state = view->private;
5393 struct tree_entry *data;
5394 struct line *entry, *line;
5395 enum line_type type;
5396 size_t textlen = text ? strlen(text) : 0;
5397 const char *attr_offset = text + SIZEOF_TREE_ATTR;
5398 char *path;
5399 size_t size;
5401 if (state->read_date || !text)
5402 return tree_read_date(view, text, state);
5404 if (textlen <= SIZEOF_TREE_ATTR)
5405 return FALSE;
5406 if (view->lines == 0 &&
5407 !tree_entry(view, LINE_TREE_HEAD, opt_path, NULL, NULL, 0))
5408 return FALSE;
5410 size = parse_size(attr_offset, &state->size_width);
5411 path = strchr(attr_offset, '\t');
5412 if (!path)
5413 return FALSE;
5414 path++;
5416 /* Strip the path part ... */
5417 if (*opt_path) {
5418 size_t pathlen = textlen - SIZEOF_TREE_ATTR;
5419 size_t striplen = strlen(opt_path);
5421 if (pathlen > striplen)
5422 memmove(path, path + striplen,
5423 pathlen - striplen + 1);
5425 /* Insert "link" to parent directory. */
5426 if (view->lines == 1 &&
5427 !tree_entry(view, LINE_TREE_DIR, "..", "040000", view->ref, 0))
5428 return FALSE;
5431 type = text[SIZEOF_TREE_MODE] == 't' ? LINE_TREE_DIR : LINE_TREE_FILE;
5432 entry = tree_entry(view, type, path, text, text + TREE_ID_OFFSET, size);
5433 if (!entry)
5434 return FALSE;
5435 data = entry->data;
5437 /* Skip "Directory ..." and ".." line. */
5438 for (line = &view->line[1 + !!*opt_path]; line < entry; line++) {
5439 if (tree_compare_entry(line, entry) <= 0)
5440 continue;
5442 memmove(line + 1, line, (entry - line) * sizeof(*entry));
5444 line->data = data;
5445 line->type = type;
5446 for (; line <= entry; line++)
5447 line->dirty = line->cleareol = 1;
5448 return TRUE;
5451 if (tree_lineno <= view->pos.lineno)
5452 tree_lineno = view->custom_lines;
5454 if (tree_lineno > view->pos.lineno) {
5455 view->pos.lineno = tree_lineno;
5456 tree_lineno = 0;
5459 return TRUE;
5462 static bool
5463 tree_draw(struct view *view, struct line *line, unsigned int lineno)
5465 struct tree_state *state = view->private;
5466 struct tree_entry *entry = line->data;
5468 if (line->type == LINE_TREE_HEAD) {
5469 if (draw_text(view, line->type, "Directory path /"))
5470 return TRUE;
5471 } else {
5472 if (draw_mode(view, entry->mode))
5473 return TRUE;
5475 if (draw_author(view, entry->author))
5476 return TRUE;
5478 if (draw_file_size(view, entry->size, state->size_width,
5479 line->type != LINE_TREE_FILE))
5480 return TRUE;
5482 if (draw_date(view, &entry->time))
5483 return TRUE;
5485 if (draw_id(view, entry->commit))
5486 return TRUE;
5489 draw_text(view, line->type, entry->name);
5490 return TRUE;
5493 static void
5494 open_blob_editor(const char *id, const char *name, unsigned int lineno)
5496 const char *blob_argv[] = { "git", "cat-file", "blob", id, NULL };
5497 char file[SIZEOF_STR];
5498 int fd;
5500 if (!name)
5501 name = "unknown";
5503 if (!string_format(file, "%s/tigblob.XXXXXX.%s", get_temp_dir(), name)) {
5504 report("Temporary file name is too long");
5505 return;
5508 fd = mkstemps(file, strlen(name) + 1);
5510 if (fd == -1)
5511 report("Failed to create temporary file");
5512 else if (!io_run_append(blob_argv, fd))
5513 report("Failed to save blob data to file");
5514 else
5515 open_editor(file, lineno);
5516 if (fd != -1)
5517 unlink(file);
5520 static enum request
5521 tree_request(struct view *view, enum request request, struct line *line)
5523 enum open_flags flags;
5524 struct tree_entry *entry = line->data;
5526 switch (request) {
5527 case REQ_VIEW_BLAME:
5528 if (line->type != LINE_TREE_FILE) {
5529 report("Blame only supported for files");
5530 return REQ_NONE;
5533 string_copy(opt_ref, view->vid);
5534 return request;
5536 case REQ_EDIT:
5537 if (line->type != LINE_TREE_FILE) {
5538 report("Edit only supported for files");
5539 } else if (!is_head_commit(view->vid)) {
5540 open_blob_editor(entry->id, entry->name, 0);
5541 } else {
5542 open_editor(opt_file, 0);
5544 return REQ_NONE;
5546 case REQ_TOGGLE_SORT_FIELD:
5547 case REQ_TOGGLE_SORT_ORDER:
5548 sort_view(view, request, &tree_sort_state, tree_compare);
5549 return REQ_NONE;
5551 case REQ_PARENT:
5552 if (!*opt_path) {
5553 /* quit view if at top of tree */
5554 return REQ_VIEW_CLOSE;
5556 /* fake 'cd ..' */
5557 line = &view->line[1];
5558 break;
5560 case REQ_ENTER:
5561 break;
5563 default:
5564 return request;
5567 /* Cleanup the stack if the tree view is at a different tree. */
5568 while (!*opt_path && tree_stack)
5569 pop_tree_stack_entry();
5571 switch (line->type) {
5572 case LINE_TREE_DIR:
5573 /* Depending on whether it is a subdirectory or parent link
5574 * mangle the path buffer. */
5575 if (line == &view->line[1] && *opt_path) {
5576 pop_tree_stack_entry();
5578 } else {
5579 const char *basename = tree_path(line);
5581 push_tree_stack_entry(basename, view->pos.lineno);
5584 /* Trees and subtrees share the same ID, so they are not not
5585 * unique like blobs. */
5586 flags = OPEN_RELOAD;
5587 request = REQ_VIEW_TREE;
5588 break;
5590 case LINE_TREE_FILE:
5591 flags = view_is_displayed(view) ? OPEN_SPLIT : OPEN_DEFAULT;
5592 request = REQ_VIEW_BLOB;
5593 break;
5595 default:
5596 return REQ_NONE;
5599 open_view(view, request, flags);
5600 if (request == REQ_VIEW_TREE)
5601 view->pos.lineno = tree_lineno;
5603 return REQ_NONE;
5606 static bool
5607 tree_grep(struct view *view, struct line *line)
5609 struct tree_entry *entry = line->data;
5610 const char *text[] = {
5611 entry->name,
5612 mkauthor(entry->author, opt_author_width, opt_author),
5613 mkdate(&entry->time, opt_date),
5614 NULL
5617 return grep_text(view, text);
5620 static void
5621 tree_select(struct view *view, struct line *line)
5623 struct tree_entry *entry = line->data;
5625 if (line->type == LINE_TREE_HEAD) {
5626 string_format(view->ref, "Files in /%s", opt_path);
5627 return;
5630 if (line->type == LINE_TREE_DIR && tree_path_is_parent(entry->name)) {
5631 string_copy(view->ref, "Open parent directory");
5632 ref_blob[0] = 0;
5633 return;
5636 if (line->type == LINE_TREE_FILE) {
5637 string_copy_rev(ref_blob, entry->id);
5638 string_format(opt_file, "%s%s", opt_path, tree_path(line));
5641 string_copy_rev(view->ref, entry->id);
5644 static bool
5645 tree_open(struct view *view, enum open_flags flags)
5647 static const char *tree_argv[] = {
5648 "git", "ls-tree", "-l", "%(commit)", "%(directory)", NULL
5651 if (string_rev_is_null(ref_commit)) {
5652 report("No tree exists for this commit");
5653 return FALSE;
5656 if (view->lines == 0 && opt_prefix[0]) {
5657 char *pos = opt_prefix;
5659 while (pos && *pos) {
5660 char *end = strchr(pos, '/');
5662 if (end)
5663 *end = 0;
5664 push_tree_stack_entry(pos, 0);
5665 pos = end;
5666 if (end) {
5667 *end = '/';
5668 pos++;
5672 } else if (strcmp(view->vid, view->id)) {
5673 opt_path[0] = 0;
5676 return begin_update(view, opt_cdup, tree_argv, flags);
5679 static struct view_ops tree_ops = {
5680 "file",
5681 { "tree" },
5682 VIEW_SEND_CHILD_ENTER,
5683 sizeof(struct tree_state),
5684 tree_open,
5685 tree_read,
5686 tree_draw,
5687 tree_request,
5688 tree_grep,
5689 tree_select,
5692 static bool
5693 blob_open(struct view *view, enum open_flags flags)
5695 static const char *blob_argv[] = {
5696 "git", "cat-file", "blob", "%(blob)", NULL
5699 if (!ref_blob[0] && opt_file[0]) {
5700 const char *commit = ref_commit[0] ? ref_commit : "HEAD";
5701 char blob_spec[SIZEOF_STR];
5702 const char *rev_parse_argv[] = {
5703 "git", "rev-parse", blob_spec, NULL
5706 if (!string_format(blob_spec, "%s:%s", commit, opt_file) ||
5707 !io_run_buf(rev_parse_argv, ref_blob, sizeof(ref_blob))) {
5708 report("Failed to resolve blob from file name");
5709 return FALSE;
5713 if (!ref_blob[0]) {
5714 report("No file chosen, press %s to open tree view",
5715 get_view_key(view, REQ_VIEW_TREE));
5716 return FALSE;
5719 view->encoding = get_path_encoding(opt_file, opt_encoding);
5721 return begin_update(view, NULL, blob_argv, flags);
5724 static bool
5725 blob_read(struct view *view, char *line)
5727 if (!line)
5728 return TRUE;
5729 return add_line_text(view, line, LINE_DEFAULT) != NULL;
5732 static enum request
5733 blob_request(struct view *view, enum request request, struct line *line)
5735 switch (request) {
5736 case REQ_EDIT:
5737 open_blob_editor(view->vid, NULL, (line - view->line) + 1);
5738 return REQ_NONE;
5739 default:
5740 return pager_request(view, request, line);
5744 static struct view_ops blob_ops = {
5745 "line",
5746 { "blob" },
5747 VIEW_NO_FLAGS,
5749 blob_open,
5750 blob_read,
5751 pager_draw,
5752 blob_request,
5753 pager_grep,
5754 pager_select,
5758 * Blame backend
5760 * Loading the blame view is a two phase job:
5762 * 1. File content is read either using opt_file from the
5763 * filesystem or using git-cat-file.
5764 * 2. Then blame information is incrementally added by
5765 * reading output from git-blame.
5768 struct blame {
5769 struct blame_commit *commit;
5770 unsigned long lineno;
5771 char text[1];
5774 struct blame_state {
5775 struct blame_commit *commit;
5776 int blamed;
5777 bool done_reading;
5778 bool auto_filename_display;
5781 static bool
5782 blame_detect_filename_display(struct view *view)
5784 bool show_filenames = FALSE;
5785 const char *filename = NULL;
5786 int i;
5788 if (opt_blame_argv) {
5789 for (i = 0; opt_blame_argv[i]; i++) {
5790 if (prefixcmp(opt_blame_argv[i], "-C"))
5791 continue;
5793 show_filenames = TRUE;
5797 for (i = 0; i < view->lines; i++) {
5798 struct blame *blame = view->line[i].data;
5800 if (blame->commit && blame->commit->id[0]) {
5801 if (!filename)
5802 filename = blame->commit->filename;
5803 else if (strcmp(filename, blame->commit->filename))
5804 show_filenames = TRUE;
5808 return show_filenames;
5811 static bool
5812 blame_open(struct view *view, enum open_flags flags)
5814 const char *file_argv[] = { opt_cdup, opt_file , NULL };
5815 char path[SIZEOF_STR];
5816 size_t i;
5818 if (!opt_file[0]) {
5819 report("No file chosen, press %s to open tree view",
5820 get_view_key(view, REQ_VIEW_TREE));
5821 return FALSE;
5824 if (!view->prev && *opt_prefix && !(flags & (OPEN_RELOAD | OPEN_REFRESH))) {
5825 string_copy(path, opt_file);
5826 if (!string_format(opt_file, "%s%s", opt_prefix, path)) {
5827 report("Failed to setup the blame view");
5828 return FALSE;
5832 if (*opt_ref || !begin_update(view, opt_cdup, file_argv, flags)) {
5833 const char *blame_cat_file_argv[] = {
5834 "git", "cat-file", "blob", "%(ref):%(file)", NULL
5837 if (!begin_update(view, opt_cdup, blame_cat_file_argv, flags))
5838 return FALSE;
5841 /* First pass: remove multiple references to the same commit. */
5842 for (i = 0; i < view->lines; i++) {
5843 struct blame *blame = view->line[i].data;
5845 if (blame->commit && blame->commit->id[0])
5846 blame->commit->id[0] = 0;
5847 else
5848 blame->commit = NULL;
5851 /* Second pass: free existing references. */
5852 for (i = 0; i < view->lines; i++) {
5853 struct blame *blame = view->line[i].data;
5855 if (blame->commit)
5856 free(blame->commit);
5859 string_format(view->vid, "%s", opt_file);
5860 string_format(view->ref, "%s ...", opt_file);
5862 return TRUE;
5865 static struct blame_commit *
5866 get_blame_commit(struct view *view, const char *id)
5868 size_t i;
5870 for (i = 0; i < view->lines; i++) {
5871 struct blame *blame = view->line[i].data;
5873 if (!blame->commit)
5874 continue;
5876 if (!strncmp(blame->commit->id, id, SIZEOF_REV - 1))
5877 return blame->commit;
5881 struct blame_commit *commit = calloc(1, sizeof(*commit));
5883 if (commit)
5884 string_ncopy(commit->id, id, SIZEOF_REV);
5885 return commit;
5889 static struct blame_commit *
5890 read_blame_commit(struct view *view, const char *text, struct blame_state *state)
5892 struct blame_header header;
5893 struct blame_commit *commit;
5894 struct blame *blame;
5896 if (!parse_blame_header(&header, text, view->lines))
5897 return NULL;
5899 commit = get_blame_commit(view, text);
5900 if (!commit)
5901 return NULL;
5903 state->blamed += header.group;
5904 while (header.group--) {
5905 struct line *line = &view->line[header.lineno + header.group - 1];
5907 blame = line->data;
5908 blame->commit = commit;
5909 blame->lineno = header.orig_lineno + header.group - 1;
5910 line->dirty = 1;
5913 return commit;
5916 static bool
5917 blame_read_file(struct view *view, const char *text, struct blame_state *state)
5919 if (!text) {
5920 const char *blame_argv[] = {
5921 "git", "blame", opt_encoding_arg, "%(blameargs)", "--incremental",
5922 *opt_ref ? opt_ref : "--incremental", "--", opt_file, NULL
5925 if (view->lines == 0 && !view->prev)
5926 die("No blame exist for %s", view->vid);
5928 if (view->lines == 0 || !begin_update(view, opt_cdup, blame_argv, OPEN_EXTRA)) {
5929 report("Failed to load blame data");
5930 return TRUE;
5933 if (opt_goto_line > 0) {
5934 select_view_line(view, opt_goto_line);
5935 opt_goto_line = 0;
5938 state->done_reading = TRUE;
5939 return FALSE;
5941 } else {
5942 size_t textlen = strlen(text);
5943 struct blame *blame;
5945 if (!add_line_alloc(view, &blame, LINE_ID, textlen, FALSE))
5946 return FALSE;
5948 blame->commit = NULL;
5949 strncpy(blame->text, text, textlen);
5950 blame->text[textlen] = 0;
5951 return TRUE;
5955 static bool
5956 blame_read(struct view *view, char *line)
5958 struct blame_state *state = view->private;
5960 if (!state->done_reading)
5961 return blame_read_file(view, line, state);
5963 if (!line) {
5964 state->auto_filename_display = blame_detect_filename_display(view);
5965 string_format(view->ref, "%s", view->vid);
5966 if (view_is_displayed(view)) {
5967 update_view_title(view);
5968 redraw_view_from(view, 0);
5970 return TRUE;
5973 if (!state->commit) {
5974 state->commit = read_blame_commit(view, line, state);
5975 string_format(view->ref, "%s %2zd%%", view->vid,
5976 view->lines ? state->blamed * 100 / view->lines : 0);
5978 } else if (parse_blame_info(state->commit, line)) {
5979 state->commit = NULL;
5982 return TRUE;
5985 static bool
5986 blame_draw(struct view *view, struct line *line, unsigned int lineno)
5988 struct blame_state *state = view->private;
5989 struct blame *blame = line->data;
5990 struct time *time = NULL;
5991 const char *id = NULL, *filename = NULL;
5992 const struct ident *author = NULL;
5993 enum line_type id_type = LINE_ID;
5994 static const enum line_type blame_colors[] = {
5995 LINE_PALETTE_0,
5996 LINE_PALETTE_1,
5997 LINE_PALETTE_2,
5998 LINE_PALETTE_3,
5999 LINE_PALETTE_4,
6000 LINE_PALETTE_5,
6001 LINE_PALETTE_6,
6004 #define BLAME_COLOR(i) \
6005 (blame_colors[(i) % ARRAY_SIZE(blame_colors)])
6007 if (blame->commit && *blame->commit->filename) {
6008 id = blame->commit->id;
6009 author = blame->commit->author;
6010 filename = blame->commit->filename;
6011 time = &blame->commit->time;
6012 id_type = BLAME_COLOR((long) blame->commit);
6015 if (draw_date(view, time))
6016 return TRUE;
6018 if (draw_author(view, author))
6019 return TRUE;
6021 if (draw_filename(view, filename, state->auto_filename_display))
6022 return TRUE;
6024 if (draw_id_custom(view, id_type, id, opt_id_cols))
6025 return TRUE;
6027 if (draw_lineno(view, lineno))
6028 return TRUE;
6030 draw_text(view, LINE_DEFAULT, blame->text);
6031 return TRUE;
6034 static bool
6035 check_blame_commit(struct blame *blame, bool check_null_id)
6037 if (!blame->commit)
6038 report("Commit data not loaded yet");
6039 else if (check_null_id && string_rev_is_null(blame->commit->id))
6040 report("No commit exist for the selected line");
6041 else
6042 return TRUE;
6043 return FALSE;
6046 static void
6047 setup_blame_parent_line(struct view *view, struct blame *blame)
6049 char from[SIZEOF_REF + SIZEOF_STR];
6050 char to[SIZEOF_REF + SIZEOF_STR];
6051 const char *diff_tree_argv[] = {
6052 "git", "diff", opt_encoding_arg, "--no-textconv", "--no-extdiff",
6053 "--no-color", "-U0", from, to, "--", NULL
6055 struct io io;
6056 int parent_lineno = -1;
6057 int blamed_lineno = -1;
6058 char *line;
6060 if (!string_format(from, "%s:%s", opt_ref, opt_file) ||
6061 !string_format(to, "%s:%s", blame->commit->id, blame->commit->filename) ||
6062 !io_run(&io, IO_RD, NULL, opt_env, diff_tree_argv))
6063 return;
6065 while ((line = io_get(&io, '\n', TRUE))) {
6066 if (*line == '@') {
6067 char *pos = strchr(line, '+');
6069 parent_lineno = atoi(line + 4);
6070 if (pos)
6071 blamed_lineno = atoi(pos + 1);
6073 } else if (*line == '+' && parent_lineno != -1) {
6074 if (blame->lineno == blamed_lineno - 1 &&
6075 !strcmp(blame->text, line + 1)) {
6076 view->pos.lineno = parent_lineno ? parent_lineno - 1 : 0;
6077 break;
6079 blamed_lineno++;
6083 io_done(&io);
6086 static enum request
6087 blame_request(struct view *view, enum request request, struct line *line)
6089 enum open_flags flags = view_is_displayed(view) ? OPEN_SPLIT : OPEN_DEFAULT;
6090 struct blame *blame = line->data;
6092 switch (request) {
6093 case REQ_VIEW_BLAME:
6094 if (check_blame_commit(blame, TRUE)) {
6095 string_copy(opt_ref, blame->commit->id);
6096 string_copy(opt_file, blame->commit->filename);
6097 if (blame->lineno)
6098 view->pos.lineno = blame->lineno;
6099 reload_view(view);
6101 break;
6103 case REQ_PARENT:
6104 if (!check_blame_commit(blame, TRUE))
6105 break;
6106 if (!*blame->commit->parent_id) {
6107 report("The selected commit has no parents");
6108 } else {
6109 string_copy_rev(opt_ref, blame->commit->parent_id);
6110 string_copy(opt_file, blame->commit->parent_filename);
6111 setup_blame_parent_line(view, blame);
6112 opt_goto_line = blame->lineno;
6113 reload_view(view);
6115 break;
6117 case REQ_ENTER:
6118 if (!check_blame_commit(blame, FALSE))
6119 break;
6121 if (view_is_displayed(VIEW(REQ_VIEW_DIFF)) &&
6122 !strcmp(blame->commit->id, VIEW(REQ_VIEW_DIFF)->ref))
6123 break;
6125 if (string_rev_is_null(blame->commit->id)) {
6126 struct view *diff = VIEW(REQ_VIEW_DIFF);
6127 const char *diff_parent_argv[] = {
6128 GIT_DIFF_BLAME(opt_encoding_arg,
6129 opt_diff_context_arg,
6130 opt_ignore_space_arg, view->vid)
6132 const char *diff_no_parent_argv[] = {
6133 GIT_DIFF_BLAME_NO_PARENT(opt_encoding_arg,
6134 opt_diff_context_arg,
6135 opt_ignore_space_arg, view->vid)
6137 const char **diff_index_argv = *blame->commit->parent_id
6138 ? diff_parent_argv : diff_no_parent_argv;
6140 open_argv(view, diff, diff_index_argv, NULL, flags);
6141 if (diff->pipe)
6142 string_copy_rev(diff->ref, NULL_ID);
6143 } else {
6144 open_view(view, REQ_VIEW_DIFF, flags);
6146 break;
6148 default:
6149 return request;
6152 return REQ_NONE;
6155 static bool
6156 blame_grep(struct view *view, struct line *line)
6158 struct blame *blame = line->data;
6159 struct blame_commit *commit = blame->commit;
6160 const char *text[] = {
6161 blame->text,
6162 commit ? commit->title : "",
6163 commit ? commit->id : "",
6164 commit ? mkauthor(commit->author, opt_author_width, opt_author) : "",
6165 commit ? mkdate(&commit->time, opt_date) : "",
6166 NULL
6169 return grep_text(view, text);
6172 static void
6173 blame_select(struct view *view, struct line *line)
6175 struct blame *blame = line->data;
6176 struct blame_commit *commit = blame->commit;
6178 if (!commit)
6179 return;
6181 if (string_rev_is_null(commit->id))
6182 string_ncopy(ref_commit, "HEAD", 4);
6183 else
6184 string_copy_rev(ref_commit, commit->id);
6187 static struct view_ops blame_ops = {
6188 "line",
6189 { "blame" },
6190 VIEW_ALWAYS_LINENO | VIEW_SEND_CHILD_ENTER,
6191 sizeof(struct blame_state),
6192 blame_open,
6193 blame_read,
6194 blame_draw,
6195 blame_request,
6196 blame_grep,
6197 blame_select,
6201 * Branch backend
6204 struct branch {
6205 const struct ident *author; /* Author of the last commit. */
6206 struct time time; /* Date of the last activity. */
6207 char title[128]; /* First line of the commit message. */
6208 const struct ref *ref; /* Name and commit ID information. */
6211 static const struct ref branch_all;
6212 #define BRANCH_ALL_NAME "All branches"
6213 #define branch_is_all(branch) ((branch)->ref == &branch_all)
6215 static const enum sort_field branch_sort_fields[] = {
6216 ORDERBY_NAME, ORDERBY_DATE, ORDERBY_AUTHOR
6218 static struct sort_state branch_sort_state = SORT_STATE(branch_sort_fields);
6220 struct branch_state {
6221 char id[SIZEOF_REV];
6222 size_t max_ref_length;
6225 static int
6226 branch_compare(const void *l1, const void *l2)
6228 const struct branch *branch1 = ((const struct line *) l1)->data;
6229 const struct branch *branch2 = ((const struct line *) l2)->data;
6231 if (branch_is_all(branch1))
6232 return -1;
6233 else if (branch_is_all(branch2))
6234 return 1;
6236 switch (get_sort_field(branch_sort_state)) {
6237 case ORDERBY_DATE:
6238 return sort_order(branch_sort_state, timecmp(&branch1->time, &branch2->time));
6240 case ORDERBY_AUTHOR:
6241 return sort_order(branch_sort_state, ident_compare(branch1->author, branch2->author));
6243 case ORDERBY_NAME:
6244 default:
6245 return sort_order(branch_sort_state, strcmp(branch1->ref->name, branch2->ref->name));
6249 static bool
6250 branch_draw(struct view *view, struct line *line, unsigned int lineno)
6252 struct branch_state *state = view->private;
6253 struct branch *branch = line->data;
6254 enum line_type type = branch_is_all(branch) ? LINE_DEFAULT : get_line_type_from_ref(branch->ref);
6255 const char *branch_name = branch_is_all(branch) ? BRANCH_ALL_NAME : branch->ref->name;
6257 if (draw_lineno(view, lineno))
6258 return TRUE;
6260 if (draw_date(view, &branch->time))
6261 return TRUE;
6263 if (draw_author(view, branch->author))
6264 return TRUE;
6266 if (draw_field(view, type, branch_name, state->max_ref_length, ALIGN_LEFT, FALSE))
6267 return TRUE;
6269 if (draw_id(view, branch->ref->id))
6270 return TRUE;
6272 draw_text(view, LINE_DEFAULT, branch->title);
6273 return TRUE;
6276 static enum request
6277 branch_request(struct view *view, enum request request, struct line *line)
6279 struct branch *branch = line->data;
6281 switch (request) {
6282 case REQ_REFRESH:
6283 load_refs();
6284 refresh_view(view);
6285 return REQ_NONE;
6287 case REQ_TOGGLE_SORT_FIELD:
6288 case REQ_TOGGLE_SORT_ORDER:
6289 sort_view(view, request, &branch_sort_state, branch_compare);
6290 return REQ_NONE;
6292 case REQ_ENTER:
6294 const struct ref *ref = branch->ref;
6295 const char *all_branches_argv[] = {
6296 GIT_MAIN_LOG(opt_encoding_arg, "", branch_is_all(branch) ? "--all" : ref->name, "")
6298 struct view *main_view = VIEW(REQ_VIEW_MAIN);
6300 open_argv(view, main_view, all_branches_argv, NULL, OPEN_SPLIT);
6301 return REQ_NONE;
6303 case REQ_JUMP_COMMIT:
6305 int lineno;
6307 for (lineno = 0; lineno < view->lines; lineno++) {
6308 struct branch *branch = view->line[lineno].data;
6310 if (!strncasecmp(branch->ref->id, opt_search, strlen(opt_search))) {
6311 select_view_line(view, lineno);
6312 report_clear();
6313 return REQ_NONE;
6317 default:
6318 return request;
6322 static bool
6323 branch_read(struct view *view, char *line)
6325 struct branch_state *state = view->private;
6326 const char *title = NULL;
6327 const struct ident *author = NULL;
6328 struct time time = {};
6329 size_t i;
6331 if (!line)
6332 return TRUE;
6334 switch (get_line_type(line)) {
6335 case LINE_COMMIT:
6336 string_copy_rev_from_commit_line(state->id, line);
6337 return TRUE;
6339 case LINE_AUTHOR:
6340 parse_author_line(line + STRING_SIZE("author "), &author, &time);
6341 break;
6343 default:
6344 title = line + STRING_SIZE("title ");
6347 for (i = 0; i < view->lines; i++) {
6348 struct branch *branch = view->line[i].data;
6350 if (strcmp(branch->ref->id, state->id))
6351 continue;
6353 if (author) {
6354 branch->author = author;
6355 branch->time = time;
6358 if (title)
6359 string_expand(branch->title, sizeof(branch->title), title, 1);
6361 view->line[i].dirty = TRUE;
6364 return TRUE;
6367 static bool
6368 branch_open_visitor(void *data, const struct ref *ref)
6370 struct view *view = data;
6371 struct branch_state *state = view->private;
6372 struct branch *branch;
6373 bool is_all = ref == &branch_all;
6374 size_t ref_length;
6376 if (ref->tag || ref->ltag)
6377 return TRUE;
6379 if (!add_line_alloc(view, &branch, LINE_DEFAULT, 0, is_all))
6380 return FALSE;
6382 ref_length = is_all ? STRING_SIZE(BRANCH_ALL_NAME) : strlen(ref->name);
6383 if (ref_length > state->max_ref_length)
6384 state->max_ref_length = ref_length;
6386 branch->ref = ref;
6387 return TRUE;
6390 static bool
6391 branch_open(struct view *view, enum open_flags flags)
6393 const char *branch_log[] = {
6394 "git", "log", opt_encoding_arg, "--no-color", "--date=raw",
6395 "--pretty=format:commit %H%nauthor %an <%ae> %ad%ntitle %s",
6396 "--all", "--simplify-by-decoration", NULL
6399 if (!begin_update(view, NULL, branch_log, OPEN_RELOAD)) {
6400 report("Failed to load branch data");
6401 return FALSE;
6404 branch_open_visitor(view, &branch_all);
6405 foreach_ref(branch_open_visitor, view);
6407 return TRUE;
6410 static bool
6411 branch_grep(struct view *view, struct line *line)
6413 struct branch *branch = line->data;
6414 const char *text[] = {
6415 branch->ref->name,
6416 mkauthor(branch->author, opt_author_width, opt_author),
6417 NULL
6420 return grep_text(view, text);
6423 static void
6424 branch_select(struct view *view, struct line *line)
6426 struct branch *branch = line->data;
6428 if (branch_is_all(branch)) {
6429 string_copy(view->ref, BRANCH_ALL_NAME);
6430 return;
6432 string_copy_rev(view->ref, branch->ref->id);
6433 string_copy_rev(ref_commit, branch->ref->id);
6434 string_copy_rev(ref_head, branch->ref->id);
6435 string_copy_rev(ref_branch, branch->ref->name);
6438 static struct view_ops branch_ops = {
6439 "branch",
6440 { "branch" },
6441 VIEW_NO_FLAGS,
6442 sizeof(struct branch_state),
6443 branch_open,
6444 branch_read,
6445 branch_draw,
6446 branch_request,
6447 branch_grep,
6448 branch_select,
6452 * Status backend
6455 struct status {
6456 char status;
6457 struct {
6458 mode_t mode;
6459 char rev[SIZEOF_REV];
6460 char name[SIZEOF_STR];
6461 } old;
6462 struct {
6463 mode_t mode;
6464 char rev[SIZEOF_REV];
6465 char name[SIZEOF_STR];
6466 } new;
6469 static char status_onbranch[SIZEOF_STR];
6470 static struct status stage_status;
6471 static enum line_type stage_line_type;
6473 DEFINE_ALLOCATOR(realloc_ints, int, 32)
6475 /* This should work even for the "On branch" line. */
6476 static inline bool
6477 status_has_none(struct view *view, struct line *line)
6479 return view_has_line(view, line) && !line[1].data;
6482 /* Get fields from the diff line:
6483 * :100644 100644 06a5d6ae9eca55be2e0e585a152e6b1336f2b20e 0000000000000000000000000000000000000000 M
6485 static inline bool
6486 status_get_diff(struct status *file, const char *buf, size_t bufsize)
6488 const char *old_mode = buf + 1;
6489 const char *new_mode = buf + 8;
6490 const char *old_rev = buf + 15;
6491 const char *new_rev = buf + 56;
6492 const char *status = buf + 97;
6494 if (bufsize < 98 ||
6495 old_mode[-1] != ':' ||
6496 new_mode[-1] != ' ' ||
6497 old_rev[-1] != ' ' ||
6498 new_rev[-1] != ' ' ||
6499 status[-1] != ' ')
6500 return FALSE;
6502 file->status = *status;
6504 string_copy_rev(file->old.rev, old_rev);
6505 string_copy_rev(file->new.rev, new_rev);
6507 file->old.mode = strtoul(old_mode, NULL, 8);
6508 file->new.mode = strtoul(new_mode, NULL, 8);
6510 file->old.name[0] = file->new.name[0] = 0;
6512 return TRUE;
6515 static bool
6516 status_run(struct view *view, const char *argv[], char status, enum line_type type)
6518 struct status *unmerged = NULL;
6519 char *buf;
6520 struct io io;
6522 if (!io_run(&io, IO_RD, opt_cdup, opt_env, argv))
6523 return FALSE;
6525 add_line_nodata(view, type);
6527 while ((buf = io_get(&io, 0, TRUE))) {
6528 struct status *file = unmerged;
6530 if (!file) {
6531 if (!add_line_alloc(view, &file, type, 0, FALSE))
6532 goto error_out;
6535 /* Parse diff info part. */
6536 if (status) {
6537 file->status = status;
6538 if (status == 'A')
6539 string_copy(file->old.rev, NULL_ID);
6541 } else if (!file->status || file == unmerged) {
6542 if (!status_get_diff(file, buf, strlen(buf)))
6543 goto error_out;
6545 buf = io_get(&io, 0, TRUE);
6546 if (!buf)
6547 break;
6549 /* Collapse all modified entries that follow an
6550 * associated unmerged entry. */
6551 if (unmerged == file) {
6552 unmerged->status = 'U';
6553 unmerged = NULL;
6554 } else if (file->status == 'U') {
6555 unmerged = file;
6559 /* Grab the old name for rename/copy. */
6560 if (!*file->old.name &&
6561 (file->status == 'R' || file->status == 'C')) {
6562 string_ncopy(file->old.name, buf, strlen(buf));
6564 buf = io_get(&io, 0, TRUE);
6565 if (!buf)
6566 break;
6569 /* git-ls-files just delivers a NUL separated list of
6570 * file names similar to the second half of the
6571 * git-diff-* output. */
6572 string_ncopy(file->new.name, buf, strlen(buf));
6573 if (!*file->old.name)
6574 string_copy(file->old.name, file->new.name);
6575 file = NULL;
6578 if (io_error(&io)) {
6579 error_out:
6580 io_done(&io);
6581 return FALSE;
6584 if (!view->line[view->lines - 1].data)
6585 add_line_nodata(view, LINE_STAT_NONE);
6587 io_done(&io);
6588 return TRUE;
6591 static const char *status_diff_index_argv[] = { GIT_DIFF_STAGED_FILES("-z") };
6592 static const char *status_diff_files_argv[] = { GIT_DIFF_UNSTAGED_FILES("-z") };
6594 static const char *status_list_other_argv[] = {
6595 "git", "ls-files", "-z", "--others", "--exclude-standard", opt_prefix, NULL, NULL,
6598 static const char *status_list_no_head_argv[] = {
6599 "git", "ls-files", "-z", "--cached", "--exclude-standard", NULL
6602 static const char *update_index_argv[] = {
6603 "git", "update-index", "-q", "--unmerged", "--refresh", NULL
6606 /* Restore the previous line number to stay in the context or select a
6607 * line with something that can be updated. */
6608 static void
6609 status_restore(struct view *view)
6611 if (!check_position(&view->prev_pos))
6612 return;
6614 if (view->prev_pos.lineno >= view->lines)
6615 view->prev_pos.lineno = view->lines - 1;
6616 while (view->prev_pos.lineno < view->lines && !view->line[view->prev_pos.lineno].data)
6617 view->prev_pos.lineno++;
6618 while (view->prev_pos.lineno > 0 && !view->line[view->prev_pos.lineno].data)
6619 view->prev_pos.lineno--;
6621 /* If the above fails, always skip the "On branch" line. */
6622 if (view->prev_pos.lineno < view->lines)
6623 view->pos.lineno = view->prev_pos.lineno;
6624 else
6625 view->pos.lineno = 1;
6627 if (view->prev_pos.offset > view->pos.lineno)
6628 view->pos.offset = view->pos.lineno;
6629 else if (view->prev_pos.offset < view->lines)
6630 view->pos.offset = view->prev_pos.offset;
6632 clear_position(&view->prev_pos);
6635 static void
6636 status_update_onbranch(void)
6638 static const char *paths[][2] = {
6639 { "rebase-apply/rebasing", "Rebasing" },
6640 { "rebase-apply/applying", "Applying mailbox" },
6641 { "rebase-apply/", "Rebasing mailbox" },
6642 { "rebase-merge/interactive", "Interactive rebase" },
6643 { "rebase-merge/", "Rebase merge" },
6644 { "MERGE_HEAD", "Merging" },
6645 { "BISECT_LOG", "Bisecting" },
6646 { "HEAD", "On branch" },
6648 char buf[SIZEOF_STR];
6649 struct stat stat;
6650 int i;
6652 if (is_initial_commit()) {
6653 string_copy(status_onbranch, "Initial commit");
6654 return;
6657 for (i = 0; i < ARRAY_SIZE(paths); i++) {
6658 char *head = opt_head;
6660 if (!string_format(buf, "%s/%s", opt_git_dir, paths[i][0]) ||
6661 lstat(buf, &stat) < 0)
6662 continue;
6664 if (!*opt_head) {
6665 struct io io;
6667 if (io_open(&io, "%s/rebase-merge/head-name", opt_git_dir) &&
6668 io_read_buf(&io, buf, sizeof(buf))) {
6669 head = buf;
6670 if (!prefixcmp(head, "refs/heads/"))
6671 head += STRING_SIZE("refs/heads/");
6675 if (!string_format(status_onbranch, "%s %s", paths[i][1], head))
6676 string_copy(status_onbranch, opt_head);
6677 return;
6680 string_copy(status_onbranch, "Not currently on any branch");
6683 /* First parse staged info using git-diff-index(1), then parse unstaged
6684 * info using git-diff-files(1), and finally untracked files using
6685 * git-ls-files(1). */
6686 static bool
6687 status_open(struct view *view, enum open_flags flags)
6689 const char **staged_argv = is_initial_commit() ?
6690 status_list_no_head_argv : status_diff_index_argv;
6691 char staged_status = staged_argv == status_list_no_head_argv ? 'A' : 0;
6693 if (opt_is_inside_work_tree == FALSE) {
6694 report("The status view requires a working tree");
6695 return FALSE;
6698 reset_view(view);
6700 add_line_nodata(view, LINE_STAT_HEAD);
6701 status_update_onbranch();
6703 io_run_bg(update_index_argv);
6705 if (!opt_untracked_dirs_content)
6706 status_list_other_argv[ARRAY_SIZE(status_list_other_argv) - 2] = "--directory";
6708 if (!status_run(view, staged_argv, staged_status, LINE_STAT_STAGED) ||
6709 !status_run(view, status_diff_files_argv, 0, LINE_STAT_UNSTAGED) ||
6710 !status_run(view, status_list_other_argv, '?', LINE_STAT_UNTRACKED)) {
6711 report("Failed to load status data");
6712 return FALSE;
6715 /* Restore the exact position or use the specialized restore
6716 * mode? */
6717 status_restore(view);
6718 return TRUE;
6721 static bool
6722 status_draw(struct view *view, struct line *line, unsigned int lineno)
6724 struct status *status = line->data;
6725 enum line_type type;
6726 const char *text;
6728 if (!status) {
6729 switch (line->type) {
6730 case LINE_STAT_STAGED:
6731 type = LINE_STAT_SECTION;
6732 text = "Changes to be committed:";
6733 break;
6735 case LINE_STAT_UNSTAGED:
6736 type = LINE_STAT_SECTION;
6737 text = "Changed but not updated:";
6738 break;
6740 case LINE_STAT_UNTRACKED:
6741 type = LINE_STAT_SECTION;
6742 text = "Untracked files:";
6743 break;
6745 case LINE_STAT_NONE:
6746 type = LINE_DEFAULT;
6747 text = " (no files)";
6748 break;
6750 case LINE_STAT_HEAD:
6751 type = LINE_STAT_HEAD;
6752 text = status_onbranch;
6753 break;
6755 default:
6756 return FALSE;
6758 } else {
6759 static char buf[] = { '?', ' ', ' ', ' ', 0 };
6761 buf[0] = status->status;
6762 if (draw_text(view, line->type, buf))
6763 return TRUE;
6764 type = LINE_DEFAULT;
6765 text = status->new.name;
6768 draw_text(view, type, text);
6769 return TRUE;
6772 static enum request
6773 status_enter(struct view *view, struct line *line)
6775 struct status *status = line->data;
6776 enum open_flags flags = view_is_displayed(view) ? OPEN_SPLIT : OPEN_DEFAULT;
6778 if (line->type == LINE_STAT_NONE ||
6779 (!status && line[1].type == LINE_STAT_NONE)) {
6780 report("No file to diff");
6781 return REQ_NONE;
6784 switch (line->type) {
6785 case LINE_STAT_STAGED:
6786 case LINE_STAT_UNSTAGED:
6787 break;
6789 case LINE_STAT_UNTRACKED:
6790 if (!status) {
6791 report("No file to show");
6792 return REQ_NONE;
6795 if (!suffixcmp(status->new.name, -1, "/")) {
6796 report("Cannot display a directory");
6797 return REQ_NONE;
6799 break;
6801 case LINE_STAT_HEAD:
6802 return REQ_NONE;
6804 default:
6805 die("line type %d not handled in switch", line->type);
6808 if (status) {
6809 stage_status = *status;
6810 } else {
6811 memset(&stage_status, 0, sizeof(stage_status));
6814 stage_line_type = line->type;
6816 open_view(view, REQ_VIEW_STAGE, flags);
6817 return REQ_NONE;
6820 static bool
6821 status_exists(struct view *view, struct status *status, enum line_type type)
6823 unsigned long lineno;
6825 for (lineno = 0; lineno < view->lines; lineno++) {
6826 struct line *line = &view->line[lineno];
6827 struct status *pos = line->data;
6829 if (line->type != type)
6830 continue;
6831 if (!pos && (!status || !status->status) && line[1].data) {
6832 select_view_line(view, lineno);
6833 return TRUE;
6835 if (pos && !strcmp(status->new.name, pos->new.name)) {
6836 select_view_line(view, lineno);
6837 return TRUE;
6841 return FALSE;
6845 static bool
6846 status_update_prepare(struct io *io, enum line_type type)
6848 const char *staged_argv[] = {
6849 "git", "update-index", "-z", "--index-info", NULL
6851 const char *others_argv[] = {
6852 "git", "update-index", "-z", "--add", "--remove", "--stdin", NULL
6855 switch (type) {
6856 case LINE_STAT_STAGED:
6857 return io_run(io, IO_WR, opt_cdup, opt_env, staged_argv);
6859 case LINE_STAT_UNSTAGED:
6860 case LINE_STAT_UNTRACKED:
6861 return io_run(io, IO_WR, opt_cdup, opt_env, others_argv);
6863 default:
6864 die("line type %d not handled in switch", type);
6865 return FALSE;
6869 static bool
6870 status_update_write(struct io *io, struct status *status, enum line_type type)
6872 switch (type) {
6873 case LINE_STAT_STAGED:
6874 return io_printf(io, "%06o %s\t%s%c", status->old.mode,
6875 status->old.rev, status->old.name, 0);
6877 case LINE_STAT_UNSTAGED:
6878 case LINE_STAT_UNTRACKED:
6879 return io_printf(io, "%s%c", status->new.name, 0);
6881 default:
6882 die("line type %d not handled in switch", type);
6883 return FALSE;
6887 static bool
6888 status_update_file(struct status *status, enum line_type type)
6890 struct io io;
6891 bool result;
6893 if (!status_update_prepare(&io, type))
6894 return FALSE;
6896 result = status_update_write(&io, status, type);
6897 return io_done(&io) && result;
6900 static bool
6901 status_update_files(struct view *view, struct line *line)
6903 char buf[sizeof(view->ref)];
6904 struct io io;
6905 bool result = TRUE;
6906 struct line *pos;
6907 int files = 0;
6908 int file, done;
6909 int cursor_y = -1, cursor_x = -1;
6911 if (!status_update_prepare(&io, line->type))
6912 return FALSE;
6914 for (pos = line; view_has_line(view, pos) && pos->data; pos++)
6915 files++;
6917 string_copy(buf, view->ref);
6918 getsyx(cursor_y, cursor_x);
6919 for (file = 0, done = 5; result && file < files; line++, file++) {
6920 int almost_done = file * 100 / files;
6922 if (almost_done > done) {
6923 done = almost_done;
6924 string_format(view->ref, "updating file %u of %u (%d%% done)",
6925 file, files, done);
6926 update_view_title(view);
6927 setsyx(cursor_y, cursor_x);
6928 doupdate();
6930 result = status_update_write(&io, line->data, line->type);
6932 string_copy(view->ref, buf);
6934 return io_done(&io) && result;
6937 static bool
6938 status_update(struct view *view)
6940 struct line *line = &view->line[view->pos.lineno];
6942 assert(view->lines);
6944 if (!line->data) {
6945 if (status_has_none(view, line)) {
6946 report("Nothing to update");
6947 return FALSE;
6950 if (!status_update_files(view, line + 1)) {
6951 report("Failed to update file status");
6952 return FALSE;
6955 } else if (!status_update_file(line->data, line->type)) {
6956 report("Failed to update file status");
6957 return FALSE;
6960 return TRUE;
6963 static bool
6964 status_revert(struct status *status, enum line_type type, bool has_none)
6966 if (!status || type != LINE_STAT_UNSTAGED) {
6967 if (type == LINE_STAT_STAGED) {
6968 report("Cannot revert changes to staged files");
6969 } else if (type == LINE_STAT_UNTRACKED) {
6970 report("Cannot revert changes to untracked files");
6971 } else if (has_none) {
6972 report("Nothing to revert");
6973 } else {
6974 report("Cannot revert changes to multiple files");
6977 } else if (prompt_yesno("Are you sure you want to revert changes?")) {
6978 char mode[10] = "100644";
6979 const char *reset_argv[] = {
6980 "git", "update-index", "--cacheinfo", mode,
6981 status->old.rev, status->old.name, NULL
6983 const char *checkout_argv[] = {
6984 "git", "checkout", "--", status->old.name, NULL
6987 if (status->status == 'U') {
6988 string_format(mode, "%5o", status->old.mode);
6990 if (status->old.mode == 0 && status->new.mode == 0) {
6991 reset_argv[2] = "--force-remove";
6992 reset_argv[3] = status->old.name;
6993 reset_argv[4] = NULL;
6996 if (!io_run_fg(reset_argv, opt_cdup))
6997 return FALSE;
6998 if (status->old.mode == 0 && status->new.mode == 0)
6999 return TRUE;
7002 return io_run_fg(checkout_argv, opt_cdup);
7005 return FALSE;
7008 static enum request
7009 status_request(struct view *view, enum request request, struct line *line)
7011 struct status *status = line->data;
7013 switch (request) {
7014 case REQ_STATUS_UPDATE:
7015 if (!status_update(view))
7016 return REQ_NONE;
7017 break;
7019 case REQ_STATUS_REVERT:
7020 if (!status_revert(status, line->type, status_has_none(view, line)))
7021 return REQ_NONE;
7022 break;
7024 case REQ_STATUS_MERGE:
7025 if (!status || status->status != 'U') {
7026 report("Merging only possible for files with unmerged status ('U').");
7027 return REQ_NONE;
7029 open_mergetool(status->new.name);
7030 break;
7032 case REQ_EDIT:
7033 if (!status)
7034 return request;
7035 if (status->status == 'D') {
7036 report("File has been deleted.");
7037 return REQ_NONE;
7040 open_editor(status->new.name, 0);
7041 break;
7043 case REQ_VIEW_BLAME:
7044 if (status)
7045 opt_ref[0] = 0;
7046 return request;
7048 case REQ_ENTER:
7049 /* After returning the status view has been split to
7050 * show the stage view. No further reloading is
7051 * necessary. */
7052 return status_enter(view, line);
7054 case REQ_REFRESH:
7055 /* Load the current branch information and then the view. */
7056 load_refs();
7057 break;
7059 default:
7060 return request;
7063 refresh_view(view);
7065 return REQ_NONE;
7068 static bool
7069 status_stage_info_(char *buf, size_t bufsize,
7070 enum line_type type, struct status *status)
7072 const char *file = status ? status->new.name : "";
7073 const char *info;
7075 switch (type) {
7076 case LINE_STAT_STAGED:
7077 if (status && status->status)
7078 info = "Staged changes to %s";
7079 else
7080 info = "Staged changes";
7081 break;
7083 case LINE_STAT_UNSTAGED:
7084 if (status && status->status)
7085 info = "Unstaged changes to %s";
7086 else
7087 info = "Unstaged changes";
7088 break;
7090 case LINE_STAT_UNTRACKED:
7091 info = "Untracked file %s";
7092 break;
7094 case LINE_STAT_HEAD:
7095 default:
7096 info = "";
7099 return string_nformat(buf, bufsize, NULL, info, file);
7101 #define status_stage_info(buf, type, status) \
7102 status_stage_info_(buf, sizeof(buf), type, status)
7104 static void
7105 status_select(struct view *view, struct line *line)
7107 struct status *status = line->data;
7108 char file[SIZEOF_STR] = "all files";
7109 const char *text;
7110 const char *key;
7112 if (status && !string_format(file, "'%s'", status->new.name))
7113 return;
7115 if (!status && line[1].type == LINE_STAT_NONE)
7116 line++;
7118 switch (line->type) {
7119 case LINE_STAT_STAGED:
7120 text = "Press %s to unstage %s for commit";
7121 break;
7123 case LINE_STAT_UNSTAGED:
7124 text = "Press %s to stage %s for commit";
7125 break;
7127 case LINE_STAT_UNTRACKED:
7128 text = "Press %s to stage %s for addition";
7129 break;
7131 case LINE_STAT_HEAD:
7132 case LINE_STAT_NONE:
7133 text = "Nothing to update";
7134 break;
7136 default:
7137 die("line type %d not handled in switch", line->type);
7140 if (status && status->status == 'U') {
7141 text = "Press %s to resolve conflict in %s";
7142 key = get_view_key(view, REQ_STATUS_MERGE);
7144 } else {
7145 key = get_view_key(view, REQ_STATUS_UPDATE);
7148 string_format(view->ref, text, key, file);
7149 status_stage_info(ref_status, line->type, status);
7150 if (status)
7151 string_copy(opt_file, status->new.name);
7154 static bool
7155 status_grep(struct view *view, struct line *line)
7157 struct status *status = line->data;
7159 if (status) {
7160 const char buf[2] = { status->status, 0 };
7161 const char *text[] = { status->new.name, buf, NULL };
7163 return grep_text(view, text);
7166 return FALSE;
7169 static struct view_ops status_ops = {
7170 "file",
7171 { "status" },
7172 VIEW_CUSTOM_STATUS | VIEW_SEND_CHILD_ENTER,
7174 status_open,
7175 NULL,
7176 status_draw,
7177 status_request,
7178 status_grep,
7179 status_select,
7183 struct stage_state {
7184 struct diff_state diff;
7185 size_t chunks;
7186 int *chunk;
7189 static bool
7190 stage_diff_write(struct io *io, struct line *line, struct line *end)
7192 while (line < end) {
7193 if (!io_write(io, line->data, strlen(line->data)) ||
7194 !io_write(io, "\n", 1))
7195 return FALSE;
7196 line++;
7197 if (line->type == LINE_DIFF_CHUNK ||
7198 line->type == LINE_DIFF_HEADER)
7199 break;
7202 return TRUE;
7205 static bool
7206 stage_apply_chunk(struct view *view, struct line *chunk, struct line *line, bool revert)
7208 const char *apply_argv[SIZEOF_ARG] = {
7209 "git", "apply", "--whitespace=nowarn", NULL
7211 struct line *diff_hdr;
7212 struct io io;
7213 int argc = 3;
7215 diff_hdr = find_prev_line_by_type(view, chunk, LINE_DIFF_HEADER);
7216 if (!diff_hdr)
7217 return FALSE;
7219 if (!revert)
7220 apply_argv[argc++] = "--cached";
7221 if (line != NULL)
7222 apply_argv[argc++] = "--unidiff-zero";
7223 if (revert || stage_line_type == LINE_STAT_STAGED)
7224 apply_argv[argc++] = "-R";
7225 apply_argv[argc++] = "-";
7226 apply_argv[argc++] = NULL;
7227 if (!io_run(&io, IO_WR, opt_cdup, opt_env, apply_argv))
7228 return FALSE;
7230 if (line != NULL) {
7231 int lineno = 0;
7232 struct line *context = chunk + 1;
7233 const char *markers[] = {
7234 line->type == LINE_DIFF_DEL ? "" : ",0",
7235 line->type == LINE_DIFF_DEL ? ",0" : "",
7238 parse_chunk_lineno(&lineno, chunk->data, line->type == LINE_DIFF_DEL ? '+' : '-');
7240 while (context < line) {
7241 if (context->type == LINE_DIFF_CHUNK || context->type == LINE_DIFF_HEADER) {
7242 break;
7243 } else if (context->type != LINE_DIFF_DEL && context->type != LINE_DIFF_ADD) {
7244 lineno++;
7246 context++;
7249 if (!stage_diff_write(&io, diff_hdr, chunk) ||
7250 !io_printf(&io, "@@ -%d%s +%d%s @@\n",
7251 lineno, markers[0], lineno, markers[1]) ||
7252 !stage_diff_write(&io, line, line + 1)) {
7253 chunk = NULL;
7255 } else {
7256 if (!stage_diff_write(&io, diff_hdr, chunk) ||
7257 !stage_diff_write(&io, chunk, view->line + view->lines))
7258 chunk = NULL;
7261 io_done(&io);
7263 return chunk ? TRUE : FALSE;
7266 static bool
7267 stage_update(struct view *view, struct line *line, bool single)
7269 struct line *chunk = NULL;
7271 if (!is_initial_commit() && stage_line_type != LINE_STAT_UNTRACKED)
7272 chunk = find_prev_line_by_type(view, line, LINE_DIFF_CHUNK);
7274 if (chunk) {
7275 if (!stage_apply_chunk(view, chunk, single ? line : NULL, FALSE)) {
7276 report("Failed to apply chunk");
7277 return FALSE;
7280 } else if (!stage_status.status) {
7281 view = view->parent;
7283 for (line = view->line; view_has_line(view, line); line++)
7284 if (line->type == stage_line_type)
7285 break;
7287 if (!status_update_files(view, line + 1)) {
7288 report("Failed to update files");
7289 return FALSE;
7292 } else if (!status_update_file(&stage_status, stage_line_type)) {
7293 report("Failed to update file");
7294 return FALSE;
7297 return TRUE;
7300 static bool
7301 stage_revert(struct view *view, struct line *line)
7303 struct line *chunk = NULL;
7305 if (!is_initial_commit() && stage_line_type == LINE_STAT_UNSTAGED)
7306 chunk = find_prev_line_by_type(view, line, LINE_DIFF_CHUNK);
7308 if (chunk) {
7309 if (!prompt_yesno("Are you sure you want to revert changes?"))
7310 return FALSE;
7312 if (!stage_apply_chunk(view, chunk, NULL, TRUE)) {
7313 report("Failed to revert chunk");
7314 return FALSE;
7316 return TRUE;
7318 } else {
7319 return status_revert(stage_status.status ? &stage_status : NULL,
7320 stage_line_type, FALSE);
7325 static void
7326 stage_next(struct view *view, struct line *line)
7328 struct stage_state *state = view->private;
7329 int i;
7331 if (!state->chunks) {
7332 for (line = view->line; view_has_line(view, line); line++) {
7333 if (line->type != LINE_DIFF_CHUNK)
7334 continue;
7336 if (!realloc_ints(&state->chunk, state->chunks, 1)) {
7337 report("Allocation failure");
7338 return;
7341 state->chunk[state->chunks++] = line - view->line;
7345 for (i = 0; i < state->chunks; i++) {
7346 if (state->chunk[i] > view->pos.lineno) {
7347 do_scroll_view(view, state->chunk[i] - view->pos.lineno);
7348 report("Chunk %d of %zd", i + 1, state->chunks);
7349 return;
7353 report("No next chunk found");
7356 static enum request
7357 stage_request(struct view *view, enum request request, struct line *line)
7359 switch (request) {
7360 case REQ_STATUS_UPDATE:
7361 if (!stage_update(view, line, FALSE))
7362 return REQ_NONE;
7363 break;
7365 case REQ_STATUS_REVERT:
7366 if (!stage_revert(view, line))
7367 return REQ_NONE;
7368 break;
7370 case REQ_STAGE_UPDATE_LINE:
7371 if (stage_line_type == LINE_STAT_UNTRACKED ||
7372 stage_status.status == 'A') {
7373 report("Staging single lines is not supported for new files");
7374 return REQ_NONE;
7376 if (line->type != LINE_DIFF_DEL && line->type != LINE_DIFF_ADD) {
7377 report("Please select a change to stage");
7378 return REQ_NONE;
7380 if (!stage_update(view, line, TRUE))
7381 return REQ_NONE;
7382 break;
7384 case REQ_STAGE_NEXT:
7385 if (stage_line_type == LINE_STAT_UNTRACKED) {
7386 report("File is untracked; press %s to add",
7387 get_view_key(view, REQ_STATUS_UPDATE));
7388 return REQ_NONE;
7390 stage_next(view, line);
7391 return REQ_NONE;
7393 case REQ_EDIT:
7394 if (!stage_status.new.name[0])
7395 return diff_common_edit(view, request, line);
7397 if (stage_status.status == 'D') {
7398 report("File has been deleted.");
7399 return REQ_NONE;
7402 if (stage_line_type == LINE_STAT_UNTRACKED) {
7403 open_editor(stage_status.new.name, (line - view->line) + 1);
7404 } else {
7405 open_editor(stage_status.new.name, diff_get_lineno(view, line));
7407 break;
7409 case REQ_REFRESH:
7410 /* Reload everything(including current branch information) ... */
7411 load_refs();
7412 break;
7414 case REQ_VIEW_BLAME:
7415 if (stage_status.new.name[0]) {
7416 string_copy(opt_file, stage_status.new.name);
7417 opt_ref[0] = 0;
7419 return request;
7421 case REQ_ENTER:
7422 return diff_common_enter(view, request, line);
7424 case REQ_DIFF_CONTEXT_UP:
7425 case REQ_DIFF_CONTEXT_DOWN:
7426 if (!update_diff_context(request))
7427 return REQ_NONE;
7428 break;
7430 default:
7431 return request;
7434 refresh_view(view->parent);
7436 /* Check whether the staged entry still exists, and close the
7437 * stage view if it doesn't. */
7438 if (!status_exists(view->parent, &stage_status, stage_line_type)) {
7439 status_restore(view->parent);
7440 return REQ_VIEW_CLOSE;
7443 refresh_view(view);
7445 return REQ_NONE;
7448 static bool
7449 stage_open(struct view *view, enum open_flags flags)
7451 static const char *no_head_diff_argv[] = {
7452 GIT_DIFF_STAGED_INITIAL(opt_encoding_arg, opt_diff_context_arg, opt_ignore_space_arg,
7453 stage_status.new.name)
7455 static const char *index_show_argv[] = {
7456 GIT_DIFF_STAGED(opt_encoding_arg, opt_diff_context_arg, opt_ignore_space_arg,
7457 stage_status.old.name, stage_status.new.name)
7459 static const char *files_show_argv[] = {
7460 GIT_DIFF_UNSTAGED(opt_encoding_arg, opt_diff_context_arg, opt_ignore_space_arg,
7461 stage_status.old.name, stage_status.new.name)
7463 /* Diffs for unmerged entries are empty when passing the new
7464 * path, so leave out the new path. */
7465 static const char *files_unmerged_argv[] = {
7466 "git", "diff-files", opt_encoding_arg, "--root", "--patch-with-stat",
7467 opt_diff_context_arg, opt_ignore_space_arg, "--",
7468 stage_status.old.name, NULL
7470 static const char *file_argv[] = { opt_cdup, stage_status.new.name, NULL };
7471 const char **argv = NULL;
7473 if (!stage_line_type) {
7474 report("No stage content, press %s to open the status view and choose file",
7475 get_view_key(view, REQ_VIEW_STATUS));
7476 return FALSE;
7479 view->encoding = NULL;
7481 switch (stage_line_type) {
7482 case LINE_STAT_STAGED:
7483 if (is_initial_commit()) {
7484 argv = no_head_diff_argv;
7485 } else {
7486 argv = index_show_argv;
7488 break;
7490 case LINE_STAT_UNSTAGED:
7491 if (stage_status.status != 'U')
7492 argv = files_show_argv;
7493 else
7494 argv = files_unmerged_argv;
7495 break;
7497 case LINE_STAT_UNTRACKED:
7498 argv = file_argv;
7499 view->encoding = get_path_encoding(stage_status.old.name, opt_encoding);
7500 break;
7502 case LINE_STAT_HEAD:
7503 default:
7504 die("line type %d not handled in switch", stage_line_type);
7507 if (!status_stage_info(view->ref, stage_line_type, &stage_status)
7508 || !argv_copy(&view->argv, argv)) {
7509 report("Failed to open staged view");
7510 return FALSE;
7513 view->vid[0] = 0;
7514 view->dir = opt_cdup;
7515 return begin_update(view, NULL, NULL, flags);
7518 static bool
7519 stage_read(struct view *view, char *data)
7521 struct stage_state *state = view->private;
7523 if (stage_line_type == LINE_STAT_UNTRACKED)
7524 return pager_common_read(view, data, LINE_DEFAULT);
7526 if (data && diff_common_read(view, data, &state->diff))
7527 return TRUE;
7529 return pager_read(view, data);
7532 static struct view_ops stage_ops = {
7533 "line",
7534 { "stage" },
7535 VIEW_DIFF_LIKE,
7536 sizeof(struct stage_state),
7537 stage_open,
7538 stage_read,
7539 diff_common_draw,
7540 stage_request,
7541 pager_grep,
7542 pager_select,
7547 * Revision graph
7550 static const enum line_type graph_colors[] = {
7551 LINE_PALETTE_0,
7552 LINE_PALETTE_1,
7553 LINE_PALETTE_2,
7554 LINE_PALETTE_3,
7555 LINE_PALETTE_4,
7556 LINE_PALETTE_5,
7557 LINE_PALETTE_6,
7560 static enum line_type get_graph_color(struct graph_symbol *symbol)
7562 if (symbol->commit)
7563 return LINE_GRAPH_COMMIT;
7564 assert(symbol->color < ARRAY_SIZE(graph_colors));
7565 return graph_colors[symbol->color];
7568 static bool
7569 draw_graph_utf8(struct view *view, struct graph_symbol *symbol, enum line_type color, bool first)
7571 const char *chars = graph_symbol_to_utf8(symbol);
7573 return draw_text(view, color, chars + !!first);
7576 static bool
7577 draw_graph_ascii(struct view *view, struct graph_symbol *symbol, enum line_type color, bool first)
7579 const char *chars = graph_symbol_to_ascii(symbol);
7581 return draw_text(view, color, chars + !!first);
7584 static bool
7585 draw_graph_chtype(struct view *view, struct graph_symbol *symbol, enum line_type color, bool first)
7587 const chtype *chars = graph_symbol_to_chtype(symbol);
7589 return draw_graphic(view, color, chars + !!first, 2 - !!first, FALSE);
7592 typedef bool (*draw_graph_fn)(struct view *, struct graph_symbol *, enum line_type, bool);
7594 static bool draw_graph(struct view *view, struct graph_canvas *canvas)
7596 static const draw_graph_fn fns[] = {
7597 draw_graph_ascii,
7598 draw_graph_chtype,
7599 draw_graph_utf8
7601 draw_graph_fn fn = fns[opt_line_graphics];
7602 int i;
7604 for (i = 0; i < canvas->size; i++) {
7605 struct graph_symbol *symbol = &canvas->symbols[i];
7606 enum line_type color = get_graph_color(symbol);
7608 if (fn(view, symbol, color, i == 0))
7609 return TRUE;
7612 return draw_text(view, LINE_MAIN_REVGRAPH, " ");
7616 * Main view backend
7619 struct commit {
7620 char id[SIZEOF_REV]; /* SHA1 ID. */
7621 const struct ident *author; /* Author of the commit. */
7622 struct time time; /* Date from the author ident. */
7623 struct graph_canvas graph; /* Ancestry chain graphics. */
7624 char title[1]; /* First line of the commit message. */
7627 struct main_state {
7628 struct graph graph;
7629 struct commit current;
7630 int id_width;
7631 bool in_header;
7632 bool added_changes_commits;
7633 bool with_graph;
7636 static void
7637 main_register_commit(struct view *view, struct commit *commit, const char *ids, bool is_boundary)
7639 struct main_state *state = view->private;
7641 string_copy_rev(commit->id, ids);
7642 if (state->with_graph)
7643 graph_add_commit(&state->graph, &commit->graph, commit->id, ids, is_boundary);
7646 static struct commit *
7647 main_add_commit(struct view *view, enum line_type type, struct commit *template,
7648 const char *title, bool custom)
7650 struct main_state *state = view->private;
7651 size_t titlelen = strlen(title);
7652 struct commit *commit;
7653 char buf[SIZEOF_STR / 2];
7655 /* FIXME: More graceful handling of titles; append "..." to
7656 * shortened titles, etc. */
7657 string_expand(buf, sizeof(buf), title, 1);
7658 title = buf;
7659 titlelen = strlen(title);
7661 if (!add_line_alloc(view, &commit, type, titlelen, custom))
7662 return NULL;
7664 *commit = *template;
7665 strncpy(commit->title, title, titlelen);
7666 state->graph.canvas = &commit->graph;
7667 memset(template, 0, sizeof(*template));
7668 return commit;
7671 static inline void
7672 main_flush_commit(struct view *view, struct commit *commit)
7674 if (*commit->id)
7675 main_add_commit(view, LINE_MAIN_COMMIT, commit, "", FALSE);
7678 static bool
7679 main_has_changes(const char *argv[])
7681 struct io io;
7683 if (!io_run(&io, IO_BG, NULL, opt_env, argv, -1))
7684 return FALSE;
7685 io_done(&io);
7686 return io.status == 1;
7689 static void
7690 main_add_changes_commit(struct view *view, enum line_type type, const char *parent, const char *title)
7692 char ids[SIZEOF_STR] = NULL_ID " ";
7693 struct main_state *state = view->private;
7694 struct commit commit = {};
7695 struct timeval now;
7696 struct timezone tz;
7698 if (!parent)
7699 return;
7701 string_copy_rev(ids + STRING_SIZE(NULL_ID " "), parent);
7703 if (!gettimeofday(&now, &tz)) {
7704 commit.time.tz = tz.tz_minuteswest * 60;
7705 commit.time.sec = now.tv_sec - commit.time.tz;
7708 commit.author = &unknown_ident;
7709 main_register_commit(view, &commit, ids, FALSE);
7710 if (main_add_commit(view, type, &commit, title, TRUE) && state->with_graph)
7711 graph_render_parents(&state->graph);
7714 static void
7715 main_add_changes_commits(struct view *view, struct main_state *state, const char *parent)
7717 const char *staged_argv[] = { GIT_DIFF_STAGED_FILES("--quiet") };
7718 const char *unstaged_argv[] = { GIT_DIFF_UNSTAGED_FILES("--quiet") };
7719 const char *staged_parent = NULL_ID;
7720 const char *unstaged_parent = parent;
7722 if (!is_head_commit(parent))
7723 return;
7725 state->added_changes_commits = TRUE;
7727 io_run_bg(update_index_argv);
7729 if (!main_has_changes(unstaged_argv)) {
7730 unstaged_parent = NULL;
7731 staged_parent = parent;
7734 if (!main_has_changes(staged_argv)) {
7735 staged_parent = NULL;
7738 main_add_changes_commit(view, LINE_STAT_STAGED, staged_parent, "Staged changes");
7739 main_add_changes_commit(view, LINE_STAT_UNSTAGED, unstaged_parent, "Unstaged changes");
7742 static bool
7743 main_open(struct view *view, enum open_flags flags)
7745 static const char *main_argv[] = {
7746 GIT_MAIN_LOG(opt_encoding_arg, "%(diffargs)", "%(revargs)", "%(fileargs)")
7748 struct main_state *state = view->private;
7750 state->with_graph = opt_rev_graph;
7751 return begin_update(view, NULL, main_argv, flags);
7754 static void
7755 main_done(struct view *view)
7757 int i;
7759 for (i = 0; i < view->lines; i++) {
7760 struct commit *commit = view->line[i].data;
7762 free(commit->graph.symbols);
7766 #define MAIN_NO_COMMIT_REFS 1
7767 #define main_check_commit_refs(line) !((line)->user_flags & MAIN_NO_COMMIT_REFS)
7768 #define main_mark_no_commit_refs(line) ((line)->user_flags |= MAIN_NO_COMMIT_REFS)
7770 static inline struct ref_list *
7771 main_get_commit_refs(struct line *line, struct commit *commit)
7773 struct ref_list *refs = NULL;
7775 if (main_check_commit_refs(line) && !(refs = get_ref_list(commit->id)))
7776 main_mark_no_commit_refs(line);
7778 return refs;
7781 static bool
7782 main_draw(struct view *view, struct line *line, unsigned int lineno)
7784 struct main_state *state = view->private;
7785 struct commit *commit = line->data;
7786 int id_width = state->id_width ? state->id_width : opt_id_cols;
7787 struct ref_list *refs = NULL;
7789 if (!commit->author)
7790 return FALSE;
7792 if (draw_lineno(view, lineno))
7793 return TRUE;
7795 if (opt_show_id && draw_id_custom(view, LINE_ID, commit->id, id_width))
7796 return TRUE;
7798 if (draw_date(view, &commit->time))
7799 return TRUE;
7801 if (draw_author(view, commit->author))
7802 return TRUE;
7804 if (state->with_graph && draw_graph(view, &commit->graph))
7805 return TRUE;
7807 if ((refs = main_get_commit_refs(line, commit)) && draw_refs(view, refs))
7808 return TRUE;
7810 if (commit->title)
7811 draw_commit_title(view, commit->title, 0);
7812 return TRUE;
7815 /* Reads git log --pretty=raw output and parses it into the commit struct. */
7816 static bool
7817 main_read(struct view *view, char *line)
7819 struct main_state *state = view->private;
7820 struct graph *graph = &state->graph;
7821 enum line_type type;
7822 struct commit *commit = &state->current;
7824 if (!line) {
7825 main_flush_commit(view, commit);
7827 if (!view->lines && !view->prev)
7828 die("No revisions match the given arguments.");
7829 if (view->lines > 0) {
7830 struct commit *last = view->line[view->lines - 1].data;
7832 view->line[view->lines - 1].dirty = 1;
7833 if (!last->author) {
7834 view->lines--;
7835 free(last);
7839 if (state->with_graph)
7840 done_graph(graph);
7841 return TRUE;
7844 type = get_line_type(line);
7845 if (type == LINE_COMMIT) {
7846 bool is_boundary;
7848 state->in_header = TRUE;
7849 line += STRING_SIZE("commit ");
7850 is_boundary = *line == '-';
7851 if (is_boundary || !isalnum(*line))
7852 line++;
7854 if (!state->added_changes_commits && opt_show_changes && opt_is_inside_work_tree)
7855 main_add_changes_commits(view, state, line);
7856 else
7857 main_flush_commit(view, commit);
7859 main_register_commit(view, &state->current, line, is_boundary);
7860 return TRUE;
7863 if (!*commit->id)
7864 return TRUE;
7866 /* Empty line separates the commit header from the log itself. */
7867 if (*line == '\0')
7868 state->in_header = FALSE;
7870 switch (type) {
7871 case LINE_PARENT:
7872 if (state->with_graph && !graph->has_parents)
7873 graph_add_parent(graph, line + STRING_SIZE("parent "));
7874 break;
7876 case LINE_AUTHOR:
7877 parse_author_line(line + STRING_SIZE("author "),
7878 &commit->author, &commit->time);
7879 if (state->with_graph)
7880 graph_render_parents(graph);
7881 break;
7883 default:
7884 /* Fill in the commit title if it has not already been set. */
7885 if (*commit->title)
7886 break;
7888 /* Skip lines in the commit header. */
7889 if (state->in_header)
7890 break;
7892 /* Require titles to start with a non-space character at the
7893 * offset used by git log. */
7894 if (strncmp(line, " ", 4))
7895 break;
7896 line += 4;
7897 /* Well, if the title starts with a whitespace character,
7898 * try to be forgiving. Otherwise we end up with no title. */
7899 while (isspace(*line))
7900 line++;
7901 if (*line == '\0')
7902 break;
7903 main_add_commit(view, LINE_MAIN_COMMIT, commit, line, FALSE);
7906 return TRUE;
7909 static enum request
7910 main_request(struct view *view, enum request request, struct line *line)
7912 enum open_flags flags = (view_is_displayed(view) && request != REQ_VIEW_DIFF)
7913 ? OPEN_SPLIT : OPEN_DEFAULT;
7915 switch (request) {
7916 case REQ_NEXT:
7917 case REQ_PREVIOUS:
7918 if (view_is_displayed(view) && display[0] != view)
7919 return request;
7920 /* Do not pass navigation requests to the branch view
7921 * when the main view is maximized. (GH #38) */
7922 return request == REQ_NEXT ? REQ_MOVE_DOWN : REQ_MOVE_UP;
7924 case REQ_VIEW_DIFF:
7925 case REQ_ENTER:
7926 if (view_is_displayed(view) && display[0] != view)
7927 maximize_view(view, TRUE);
7929 if (line->type == LINE_STAT_UNSTAGED
7930 || line->type == LINE_STAT_STAGED) {
7931 struct view *diff = VIEW(REQ_VIEW_DIFF);
7932 const char *diff_staged_argv[] = {
7933 GIT_DIFF_STAGED(opt_encoding_arg,
7934 opt_diff_context_arg,
7935 opt_ignore_space_arg, NULL, NULL)
7937 const char *diff_unstaged_argv[] = {
7938 GIT_DIFF_UNSTAGED(opt_encoding_arg,
7939 opt_diff_context_arg,
7940 opt_ignore_space_arg, NULL, NULL)
7942 const char **diff_argv = line->type == LINE_STAT_STAGED
7943 ? diff_staged_argv : diff_unstaged_argv;
7945 open_argv(view, diff, diff_argv, NULL, flags);
7946 break;
7949 open_view(view, REQ_VIEW_DIFF, flags);
7950 break;
7952 case REQ_REFRESH:
7953 load_refs();
7954 refresh_view(view);
7955 break;
7957 case REQ_JUMP_COMMIT:
7959 int lineno;
7961 for (lineno = 0; lineno < view->lines; lineno++) {
7962 struct commit *commit = view->line[lineno].data;
7964 if (!strncasecmp(commit->id, opt_search, strlen(opt_search))) {
7965 select_view_line(view, lineno);
7966 report_clear();
7967 return REQ_NONE;
7971 report("Unable to find commit '%s'", opt_search);
7972 break;
7974 default:
7975 return request;
7978 return REQ_NONE;
7981 static bool
7982 grep_refs(struct line *line, struct commit *commit, regex_t *regex)
7984 struct ref_list *list;
7985 regmatch_t pmatch;
7986 size_t i;
7988 if (!opt_show_refs || !(list = main_get_commit_refs(line, commit)))
7989 return FALSE;
7991 for (i = 0; i < list->size; i++) {
7992 if (!regexec(regex, list->refs[i]->name, 1, &pmatch, 0))
7993 return TRUE;
7996 return FALSE;
7999 static bool
8000 main_grep(struct view *view, struct line *line)
8002 struct commit *commit = line->data;
8003 const char *text[] = {
8004 commit->id,
8005 commit->title,
8006 mkauthor(commit->author, opt_author_width, opt_author),
8007 mkdate(&commit->time, opt_date),
8008 NULL
8011 return grep_text(view, text) || grep_refs(line, commit, view->regex);
8014 static void
8015 main_select(struct view *view, struct line *line)
8017 struct commit *commit = line->data;
8019 if (line->type == LINE_STAT_STAGED || line->type == LINE_STAT_UNSTAGED)
8020 string_ncopy(view->ref, commit->title, strlen(commit->title));
8021 else
8022 string_copy_rev(view->ref, commit->id);
8023 string_copy_rev(ref_commit, commit->id);
8026 static struct view_ops main_ops = {
8027 "commit",
8028 { "main" },
8029 VIEW_STDIN | VIEW_SEND_CHILD_ENTER | VIEW_FILE_FILTER,
8030 sizeof(struct main_state),
8031 main_open,
8032 main_read,
8033 main_draw,
8034 main_request,
8035 main_grep,
8036 main_select,
8037 main_done,
8040 static bool
8041 stash_open(struct view *view, enum open_flags flags)
8043 static const char *stash_argv[] = { "git", "stash", "list",
8044 opt_encoding_arg, "--no-color", "--pretty=raw", NULL };
8046 return begin_update(view, NULL, stash_argv, flags | OPEN_RELOAD);
8049 static bool
8050 stash_read(struct view *view, char *line)
8052 struct main_state *state = view->private;
8053 struct commit *commit = &state->current;
8055 if (!state->added_changes_commits) {
8056 state->added_changes_commits = TRUE;
8057 state->with_graph = FALSE;
8060 if (commit && line && get_line_type(line) == LINE_PP_REFLOG) {
8061 const char *reflog = line + STRING_SIZE("Reflog: refs/");
8063 string_copy_rev(commit->id, reflog);
8064 if (state->id_width < strlen(commit->id)) {
8065 state->id_width = strlen(commit->id);
8066 view->force_redraw = TRUE;
8070 return main_read(view, line);
8073 static void
8074 stash_select(struct view *view, struct line *line)
8076 struct commit *commit = line->data;
8078 main_select(view, line);
8079 string_copy(ref_stash, commit->id);
8080 string_copy(view->ref, commit->id);
8083 static struct view_ops stash_ops = {
8084 "stash",
8085 { "stash" },
8086 VIEW_SEND_CHILD_ENTER,
8087 sizeof(struct main_state),
8088 stash_open,
8089 stash_read,
8090 main_draw,
8091 main_request,
8092 main_grep,
8093 stash_select,
8097 * Status management
8100 /* Whether or not the curses interface has been initialized. */
8101 static bool cursed = FALSE;
8103 /* Terminal hacks and workarounds. */
8104 static bool use_scroll_redrawwin;
8105 static bool use_scroll_status_wclear;
8107 /* The status window is used for polling keystrokes. */
8108 static WINDOW *status_win;
8110 /* Reading from the prompt? */
8111 static bool input_mode = FALSE;
8113 static bool status_empty = FALSE;
8115 /* Update status and title window. */
8116 static void
8117 report(const char *msg, ...)
8119 struct view *view = display[current_view];
8121 if (input_mode)
8122 return;
8124 if (!view) {
8125 char buf[SIZEOF_STR];
8126 int retval;
8128 FORMAT_BUFFER(buf, sizeof(buf), msg, retval, TRUE);
8129 die("%s", buf);
8132 if (!status_empty || *msg) {
8133 va_list args;
8135 va_start(args, msg);
8137 wmove(status_win, 0, 0);
8138 if (view->has_scrolled && use_scroll_status_wclear)
8139 wclear(status_win);
8140 if (*msg) {
8141 vwprintw(status_win, msg, args);
8142 status_empty = FALSE;
8143 } else {
8144 status_empty = TRUE;
8146 wclrtoeol(status_win);
8147 wnoutrefresh(status_win);
8149 va_end(args);
8152 update_view_title(view);
8155 static void
8156 init_display(void)
8158 const char *term;
8159 int x, y;
8161 /* Initialize the curses library */
8162 if (isatty(STDIN_FILENO)) {
8163 cursed = !!initscr();
8164 opt_tty = stdin;
8165 } else {
8166 /* Leave stdin and stdout alone when acting as a pager. */
8167 opt_tty = fopen("/dev/tty", "r+");
8168 if (!opt_tty)
8169 die("Failed to open /dev/tty");
8170 cursed = !!newterm(NULL, opt_tty, opt_tty);
8173 if (!cursed)
8174 die("Failed to initialize curses");
8176 nonl(); /* Disable conversion and detect newlines from input. */
8177 cbreak(); /* Take input chars one at a time, no wait for \n */
8178 noecho(); /* Don't echo input */
8179 leaveok(stdscr, FALSE);
8181 if (has_colors())
8182 init_colors();
8184 getmaxyx(stdscr, y, x);
8185 status_win = newwin(1, x, y - 1, 0);
8186 if (!status_win)
8187 die("Failed to create status window");
8189 /* Enable keyboard mapping */
8190 keypad(status_win, TRUE);
8191 wbkgdset(status_win, get_line_attr(LINE_STATUS));
8193 #if defined(NCURSES_VERSION_PATCH) && (NCURSES_VERSION_PATCH >= 20080119)
8194 set_tabsize(opt_tab_size);
8195 #else
8196 TABSIZE = opt_tab_size;
8197 #endif
8199 term = getenv("XTERM_VERSION") ? NULL : getenv("COLORTERM");
8200 if (term && !strcmp(term, "gnome-terminal")) {
8201 /* In the gnome-terminal-emulator, the message from
8202 * scrolling up one line when impossible followed by
8203 * scrolling down one line causes corruption of the
8204 * status line. This is fixed by calling wclear. */
8205 use_scroll_status_wclear = TRUE;
8206 use_scroll_redrawwin = FALSE;
8208 } else if (term && !strcmp(term, "xrvt-xpm")) {
8209 /* No problems with full optimizations in xrvt-(unicode)
8210 * and aterm. */
8211 use_scroll_status_wclear = use_scroll_redrawwin = FALSE;
8213 } else {
8214 /* When scrolling in (u)xterm the last line in the
8215 * scrolling direction will update slowly. */
8216 use_scroll_redrawwin = TRUE;
8217 use_scroll_status_wclear = FALSE;
8221 static int
8222 get_input(int prompt_position)
8224 struct view *view;
8225 int i, key, cursor_y, cursor_x;
8227 if (prompt_position)
8228 input_mode = TRUE;
8230 while (TRUE) {
8231 bool loading = FALSE;
8233 foreach_view (view, i) {
8234 update_view(view);
8235 if (view_is_displayed(view) && view->has_scrolled &&
8236 use_scroll_redrawwin)
8237 redrawwin(view->win);
8238 view->has_scrolled = FALSE;
8239 if (view->pipe)
8240 loading = TRUE;
8243 /* Update the cursor position. */
8244 if (prompt_position) {
8245 getbegyx(status_win, cursor_y, cursor_x);
8246 cursor_x = prompt_position;
8247 } else {
8248 view = display[current_view];
8249 getbegyx(view->win, cursor_y, cursor_x);
8250 cursor_x = view->width - 1;
8251 cursor_y += view->pos.lineno - view->pos.offset;
8253 setsyx(cursor_y, cursor_x);
8255 /* Refresh, accept single keystroke of input */
8256 doupdate();
8257 nodelay(status_win, loading);
8258 key = wgetch(status_win);
8260 /* wgetch() with nodelay() enabled returns ERR when
8261 * there's no input. */
8262 if (key == ERR) {
8264 } else if (key == KEY_RESIZE) {
8265 int height, width;
8267 getmaxyx(stdscr, height, width);
8269 wresize(status_win, 1, width);
8270 mvwin(status_win, height - 1, 0);
8271 wnoutrefresh(status_win);
8272 resize_display();
8273 redraw_display(TRUE);
8275 } else {
8276 input_mode = FALSE;
8277 if (key == erasechar())
8278 key = KEY_BACKSPACE;
8279 return key;
8284 static char *
8285 prompt_input(const char *prompt, input_handler handler, void *data)
8287 enum input_status status = INPUT_OK;
8288 static char buf[SIZEOF_STR];
8289 size_t pos = 0;
8291 buf[pos] = 0;
8293 while (status == INPUT_OK || status == INPUT_SKIP) {
8294 int key;
8296 mvwprintw(status_win, 0, 0, "%s%.*s", prompt, pos, buf);
8297 wclrtoeol(status_win);
8299 key = get_input(pos + 1);
8300 switch (key) {
8301 case KEY_RETURN:
8302 case KEY_ENTER:
8303 case '\n':
8304 status = pos ? INPUT_STOP : INPUT_CANCEL;
8305 break;
8307 case KEY_BACKSPACE:
8308 if (pos > 0)
8309 buf[--pos] = 0;
8310 else
8311 status = INPUT_CANCEL;
8312 break;
8314 case KEY_ESC:
8315 status = INPUT_CANCEL;
8316 break;
8318 default:
8319 if (pos >= sizeof(buf)) {
8320 report("Input string too long");
8321 return NULL;
8324 status = handler(data, buf, key);
8325 if (status == INPUT_OK)
8326 buf[pos++] = (char) key;
8330 /* Clear the status window */
8331 status_empty = FALSE;
8332 report_clear();
8334 if (status == INPUT_CANCEL)
8335 return NULL;
8337 buf[pos++] = 0;
8339 return buf;
8342 static enum input_status
8343 prompt_yesno_handler(void *data, char *buf, int c)
8345 if (c == 'y' || c == 'Y')
8346 return INPUT_STOP;
8347 if (c == 'n' || c == 'N')
8348 return INPUT_CANCEL;
8349 return INPUT_SKIP;
8352 static bool
8353 prompt_yesno(const char *prompt)
8355 char prompt2[SIZEOF_STR];
8357 if (!string_format(prompt2, "%s [Yy/Nn]", prompt))
8358 return FALSE;
8360 return !!prompt_input(prompt2, prompt_yesno_handler, NULL);
8363 static enum input_status
8364 read_prompt_handler(void *data, char *buf, int c)
8366 return isprint(c) ? INPUT_OK : INPUT_SKIP;
8369 static char *
8370 read_prompt(const char *prompt)
8372 return prompt_input(prompt, read_prompt_handler, NULL);
8375 static bool prompt_menu(const char *prompt, const struct menu_item *items, int *selected)
8377 enum input_status status = INPUT_OK;
8378 int size = 0;
8380 while (items[size].text)
8381 size++;
8383 assert(size > 0);
8385 while (status == INPUT_OK) {
8386 const struct menu_item *item = &items[*selected];
8387 int key;
8388 int i;
8390 mvwprintw(status_win, 0, 0, "%s (%d of %d) ",
8391 prompt, *selected + 1, size);
8392 if (item->hotkey)
8393 wprintw(status_win, "[%c] ", (char) item->hotkey);
8394 wprintw(status_win, "%s", item->text);
8395 wclrtoeol(status_win);
8397 key = get_input(COLS - 1);
8398 switch (key) {
8399 case KEY_RETURN:
8400 case KEY_ENTER:
8401 case '\n':
8402 status = INPUT_STOP;
8403 break;
8405 case KEY_LEFT:
8406 case KEY_UP:
8407 *selected = *selected - 1;
8408 if (*selected < 0)
8409 *selected = size - 1;
8410 break;
8412 case KEY_RIGHT:
8413 case KEY_DOWN:
8414 *selected = (*selected + 1) % size;
8415 break;
8417 case KEY_ESC:
8418 status = INPUT_CANCEL;
8419 break;
8421 default:
8422 for (i = 0; items[i].text; i++)
8423 if (items[i].hotkey == key) {
8424 *selected = i;
8425 status = INPUT_STOP;
8426 break;
8431 /* Clear the status window */
8432 status_empty = FALSE;
8433 report_clear();
8435 return status != INPUT_CANCEL;
8439 * Repository properties
8443 static void
8444 set_remote_branch(const char *name, const char *value, size_t valuelen)
8446 if (!strcmp(name, ".remote")) {
8447 string_ncopy(opt_remote, value, valuelen);
8449 } else if (*opt_remote && !strcmp(name, ".merge")) {
8450 size_t from = strlen(opt_remote);
8452 if (!prefixcmp(value, "refs/heads/"))
8453 value += STRING_SIZE("refs/heads/");
8455 if (!string_format_from(opt_remote, &from, "/%s", value))
8456 opt_remote[0] = 0;
8460 static void
8461 set_repo_config_option(char *name, char *value, enum option_code (*cmd)(int, const char **))
8463 const char *argv[SIZEOF_ARG] = { name, "=" };
8464 int argc = 1 + (cmd == option_set_command);
8465 enum option_code error;
8467 if (!argv_from_string(argv, &argc, value))
8468 error = OPT_ERR_TOO_MANY_OPTION_ARGUMENTS;
8469 else
8470 error = cmd(argc, argv);
8472 if (error != OPT_OK)
8473 warn("Option 'tig.%s': %s", name, option_errors[error]);
8476 static void
8477 set_work_tree(const char *value)
8479 char cwd[SIZEOF_STR];
8481 if (!getcwd(cwd, sizeof(cwd)))
8482 die("Failed to get cwd path: %s", strerror(errno));
8483 if (chdir(cwd) < 0)
8484 die("Failed to chdir(%s): %s", cwd, strerror(errno));
8485 if (chdir(opt_git_dir) < 0)
8486 die("Failed to chdir(%s): %s", opt_git_dir, strerror(errno));
8487 if (!getcwd(opt_git_dir, sizeof(opt_git_dir)))
8488 die("Failed to get git path: %s", strerror(errno));
8489 if (chdir(value) < 0)
8490 die("Failed to chdir(%s): %s", value, strerror(errno));
8491 if (!getcwd(cwd, sizeof(cwd)))
8492 die("Failed to get cwd path: %s", strerror(errno));
8493 if (setenv("GIT_WORK_TREE", cwd, TRUE))
8494 die("Failed to set GIT_WORK_TREE to '%s'", cwd);
8495 if (setenv("GIT_DIR", opt_git_dir, TRUE))
8496 die("Failed to set GIT_DIR to '%s'", opt_git_dir);
8497 opt_is_inside_work_tree = TRUE;
8500 static void
8501 parse_git_color_option(enum line_type type, char *value)
8503 struct line_info *info = &line_info[type];
8504 const char *argv[SIZEOF_ARG];
8505 int argc = 0;
8506 bool first_color = TRUE;
8507 int i;
8509 if (!argv_from_string(argv, &argc, value))
8510 return;
8512 info->fg = COLOR_DEFAULT;
8513 info->bg = COLOR_DEFAULT;
8514 info->attr = 0;
8516 for (i = 0; i < argc; i++) {
8517 int attr = 0;
8519 if (set_attribute(&attr, argv[i])) {
8520 info->attr |= attr;
8522 } else if (set_color(&attr, argv[i])) {
8523 if (first_color)
8524 info->fg = attr;
8525 else
8526 info->bg = attr;
8527 first_color = FALSE;
8532 static void
8533 set_git_color_option(const char *name, char *value)
8535 static const struct enum_map color_option_map[] = {
8536 ENUM_MAP("branch.current", LINE_MAIN_HEAD),
8537 ENUM_MAP("branch.local", LINE_MAIN_REF),
8538 ENUM_MAP("branch.plain", LINE_MAIN_REF),
8539 ENUM_MAP("branch.remote", LINE_MAIN_REMOTE),
8541 ENUM_MAP("diff.meta", LINE_DIFF_HEADER),
8542 ENUM_MAP("diff.meta", LINE_DIFF_INDEX),
8543 ENUM_MAP("diff.meta", LINE_DIFF_OLDMODE),
8544 ENUM_MAP("diff.meta", LINE_DIFF_NEWMODE),
8545 ENUM_MAP("diff.frag", LINE_DIFF_CHUNK),
8546 ENUM_MAP("diff.old", LINE_DIFF_DEL),
8547 ENUM_MAP("diff.new", LINE_DIFF_ADD),
8549 //ENUM_MAP("diff.commit", LINE_DIFF_ADD),
8551 ENUM_MAP("status.branch", LINE_STAT_HEAD),
8552 //ENUM_MAP("status.nobranch", LINE_STAT_HEAD),
8553 ENUM_MAP("status.added", LINE_STAT_STAGED),
8554 ENUM_MAP("status.updated", LINE_STAT_STAGED),
8555 ENUM_MAP("status.changed", LINE_STAT_UNSTAGED),
8556 ENUM_MAP("status.untracked", LINE_STAT_UNTRACKED),
8559 int type = LINE_NONE;
8561 if (opt_read_git_colors && map_enum(&type, color_option_map, name)) {
8562 parse_git_color_option(type, value);
8566 static void
8567 set_encoding(struct encoding **encoding_ref, const char *arg, bool priority)
8569 if (parse_encoding(encoding_ref, arg, priority) == OPT_OK)
8570 opt_encoding_arg[0] = 0;
8573 static int
8574 read_repo_config_option(char *name, size_t namelen, char *value, size_t valuelen, void *data)
8576 if (!strcmp(name, "i18n.commitencoding"))
8577 set_encoding(&opt_encoding, value, FALSE);
8579 else if (!strcmp(name, "gui.encoding"))
8580 set_encoding(&opt_encoding, value, TRUE);
8582 else if (!strcmp(name, "core.editor"))
8583 string_ncopy(opt_editor, value, valuelen);
8585 else if (!strcmp(name, "core.worktree"))
8586 set_work_tree(value);
8588 else if (!strcmp(name, "core.abbrev"))
8589 parse_id(&opt_id_cols, value);
8591 else if (!prefixcmp(name, "tig.color."))
8592 set_repo_config_option(name + 10, value, option_color_command);
8594 else if (!prefixcmp(name, "tig.bind."))
8595 set_repo_config_option(name + 9, value, option_bind_command);
8597 else if (!prefixcmp(name, "tig."))
8598 set_repo_config_option(name + 4, value, option_set_command);
8600 else if (!prefixcmp(name, "color."))
8601 set_git_color_option(name + STRING_SIZE("color."), value);
8603 else if (*opt_head && !prefixcmp(name, "branch.") &&
8604 !strncmp(name + 7, opt_head, strlen(opt_head)))
8605 set_remote_branch(name + 7 + strlen(opt_head), value, valuelen);
8607 return OK;
8610 static int
8611 load_git_config(void)
8613 const char *config_list_argv[] = { "git", "config", "--list", NULL };
8615 return io_run_load(config_list_argv, "=", read_repo_config_option, NULL);
8618 #define REPO_INFO_GIT_DIR "--git-dir"
8619 #define REPO_INFO_WORK_TREE "--is-inside-work-tree"
8620 #define REPO_INFO_SHOW_CDUP "--show-cdup"
8621 #define REPO_INFO_SHOW_PREFIX "--show-prefix"
8623 struct repo_info_state {
8624 const char **argv;
8627 static int
8628 read_repo_info(char *name, size_t namelen, char *value, size_t valuelen, void *data)
8630 struct repo_info_state *state = data;
8631 const char *arg = *state->argv ? *state->argv++ : "";
8633 if (!strcmp(arg, REPO_INFO_GIT_DIR)) {
8634 string_ncopy(opt_git_dir, name, namelen);
8636 } else if (!strcmp(arg, REPO_INFO_WORK_TREE)) {
8637 /* This can be 3 different values depending on the
8638 * version of git being used. If git-rev-parse does not
8639 * understand --is-inside-work-tree it will simply echo
8640 * the option else either "true" or "false" is printed.
8641 * Default to true for the unknown case. */
8642 opt_is_inside_work_tree = strcmp(name, "false") ? TRUE : FALSE;
8644 } else if (!strcmp(arg, REPO_INFO_SHOW_CDUP)) {
8645 string_ncopy(opt_cdup, name, namelen);
8647 } else if (!strcmp(arg, REPO_INFO_SHOW_PREFIX)) {
8648 string_ncopy(opt_prefix, name, namelen);
8651 return OK;
8654 static int
8655 load_repo_info(void)
8657 const char *rev_parse_argv[] = {
8658 "git", "rev-parse", REPO_INFO_GIT_DIR, REPO_INFO_WORK_TREE,
8659 REPO_INFO_SHOW_CDUP, REPO_INFO_SHOW_PREFIX, NULL
8661 struct repo_info_state state = { rev_parse_argv + 2};
8663 return io_run_load(rev_parse_argv, "=", read_repo_info, &state);
8668 * Main
8671 static const char usage[] =
8672 "tig " TIG_VERSION " (" __DATE__ ")\n"
8673 "\n"
8674 "Usage: tig [options] [revs] [--] [paths]\n"
8675 " or: tig log [options] [revs] [--] [paths]\n"
8676 " or: tig show [options] [revs] [--] [paths]\n"
8677 " or: tig blame [options] [rev] [--] path\n"
8678 " or: tig stash\n"
8679 " or: tig status\n"
8680 " or: tig < [git command output]\n"
8681 "\n"
8682 "Options:\n"
8683 " +<number> Select line <number> in the first view\n"
8684 " -v, --version Show version and exit\n"
8685 " -h, --help Show help message and exit";
8687 static void TIG_NORETURN
8688 quit(int sig)
8690 if (sig)
8691 signal(sig, SIG_DFL);
8693 /* XXX: Restore tty modes and let the OS cleanup the rest! */
8694 if (cursed)
8695 endwin();
8696 exit(0);
8699 static void TIG_NORETURN
8700 die(const char *err, ...)
8702 va_list args;
8704 endwin();
8706 va_start(args, err);
8707 fputs("tig: ", stderr);
8708 vfprintf(stderr, err, args);
8709 fputs("\n", stderr);
8710 va_end(args);
8712 exit(1);
8715 static void
8716 warn(const char *msg, ...)
8718 va_list args;
8720 va_start(args, msg);
8721 fputs("tig warning: ", stderr);
8722 vfprintf(stderr, msg, args);
8723 fputs("\n", stderr);
8724 va_end(args);
8727 static int
8728 read_filter_args(char *name, size_t namelen, char *value, size_t valuelen, void *data)
8730 const char ***filter_args = data;
8732 return argv_append(filter_args, name) ? OK : ERR;
8735 static void
8736 filter_rev_parse(const char ***args, const char *arg1, const char *arg2, const char *argv[])
8738 const char *rev_parse_argv[SIZEOF_ARG] = { "git", "rev-parse", arg1, arg2 };
8739 const char **all_argv = NULL;
8741 if (!argv_append_array(&all_argv, rev_parse_argv) ||
8742 !argv_append_array(&all_argv, argv) ||
8743 io_run_load(all_argv, "\n", read_filter_args, args) == ERR)
8744 die("Failed to split arguments");
8745 argv_free(all_argv);
8746 free(all_argv);
8749 static bool
8750 is_rev_flag(const char *flag)
8752 static const char *rev_flags[] = { GIT_REV_FLAGS };
8753 int i;
8755 for (i = 0; i < ARRAY_SIZE(rev_flags); i++)
8756 if (!strcmp(flag, rev_flags[i]))
8757 return TRUE;
8759 return FALSE;
8762 static void
8763 filter_options(const char *argv[], bool blame)
8765 const char **flags = NULL;
8767 filter_rev_parse(&opt_file_argv, "--no-revs", "--no-flags", argv);
8768 filter_rev_parse(&flags, "--flags", "--no-revs", argv);
8770 if (flags) {
8771 int next, flags_pos;
8773 for (next = flags_pos = 0; flags && flags[next]; next++) {
8774 const char *flag = flags[next];
8776 if (is_rev_flag(flag))
8777 argv_append(&opt_rev_argv, flag);
8778 else
8779 flags[flags_pos++] = flag;
8782 flags[flags_pos] = NULL;
8784 if (blame)
8785 opt_blame_argv = flags;
8786 else
8787 opt_diff_argv = flags;
8790 filter_rev_parse(&opt_rev_argv, "--symbolic", "--revs-only", argv);
8793 static enum request
8794 parse_options(int argc, const char *argv[])
8796 enum request request;
8797 const char *subcommand;
8798 bool seen_dashdash = FALSE;
8799 const char **filter_argv = NULL;
8800 int i;
8802 opt_stdin = !isatty(STDIN_FILENO);
8803 request = opt_stdin ? REQ_VIEW_PAGER : REQ_VIEW_MAIN;
8805 if (argc <= 1)
8806 return request;
8808 subcommand = argv[1];
8809 if (!strcmp(subcommand, "status")) {
8810 request = REQ_VIEW_STATUS;
8812 } else if (!strcmp(subcommand, "blame")) {
8813 request = REQ_VIEW_BLAME;
8815 } else if (!strcmp(subcommand, "show")) {
8816 request = REQ_VIEW_DIFF;
8818 } else if (!strcmp(subcommand, "log")) {
8819 request = REQ_VIEW_LOG;
8821 } else if (!strcmp(subcommand, "stash")) {
8822 request = REQ_VIEW_STASH;
8824 } else {
8825 subcommand = NULL;
8828 for (i = 1 + !!subcommand; i < argc; i++) {
8829 const char *opt = argv[i];
8831 // stop parsing our options after -- and let rev-parse handle the rest
8832 if (!seen_dashdash) {
8833 if (!strcmp(opt, "--")) {
8834 seen_dashdash = TRUE;
8835 continue;
8837 } else if (!strcmp(opt, "-v") || !strcmp(opt, "--version")) {
8838 printf("tig version %s\n", TIG_VERSION);
8839 quit(0);
8841 } else if (!strcmp(opt, "-h") || !strcmp(opt, "--help")) {
8842 printf("%s\n", usage);
8843 quit(0);
8845 } else if (strlen(opt) >= 2 && *opt == '+' && string_isnumber(opt + 1)) {
8846 opt_lineno = atoi(opt + 1);
8847 continue;
8852 if (!argv_append(&filter_argv, opt))
8853 die("command too long");
8856 if (filter_argv)
8857 filter_options(filter_argv, request == REQ_VIEW_BLAME);
8859 /* Finish validating and setting up blame options */
8860 if (request == REQ_VIEW_BLAME) {
8861 if (!opt_file_argv || opt_file_argv[1] || (opt_rev_argv && opt_rev_argv[1]))
8862 die("invalid number of options to blame\n\n%s", usage);
8864 if (opt_rev_argv) {
8865 string_ncopy(opt_ref, opt_rev_argv[0], strlen(opt_rev_argv[0]));
8868 string_ncopy(opt_file, opt_file_argv[0], strlen(opt_file_argv[0]));
8870 } else if (request == REQ_VIEW_PAGER) {
8871 for (i = 0; opt_rev_argv && opt_rev_argv[i]; i++) {
8872 if (!strcmp("--stdin", opt_rev_argv[i])) {
8873 request = REQ_VIEW_MAIN;
8874 break;
8879 return request;
8882 static enum request
8883 run_prompt_command(struct view *view, char *cmd) {
8884 enum request request;
8886 if (cmd && string_isnumber(cmd)) {
8887 int lineno = view->pos.lineno + 1;
8889 if (parse_int(&lineno, cmd, 1, view->lines + 1) == OPT_OK) {
8890 select_view_line(view, lineno - 1);
8891 report_clear();
8892 } else {
8893 report("Unable to parse '%s' as a line number", cmd);
8895 } else if (cmd && iscommit(cmd)) {
8896 string_ncopy(opt_search, cmd, strlen(cmd));
8898 request = view_request(view, REQ_JUMP_COMMIT);
8899 if (request == REQ_JUMP_COMMIT) {
8900 report("Jumping to commits is not supported by the '%s' view", view->name);
8903 } else if (cmd && strlen(cmd) == 1) {
8904 request = get_keybinding(&view->ops->keymap, cmd[0]);
8905 return request;
8907 } else if (cmd && cmd[0] == '!') {
8908 struct view *next = VIEW(REQ_VIEW_PAGER);
8909 const char *argv[SIZEOF_ARG];
8910 int argc = 0;
8912 cmd++;
8913 /* When running random commands, initially show the
8914 * command in the title. However, it maybe later be
8915 * overwritten if a commit line is selected. */
8916 string_ncopy(next->ref, cmd, strlen(cmd));
8918 if (!argv_from_string(argv, &argc, cmd)) {
8919 report("Too many arguments");
8920 } else if (!format_argv(view, &next->argv, argv, FALSE, TRUE)) {
8921 report("Argument formatting failed");
8922 } else {
8923 next->dir = NULL;
8924 open_view(view, REQ_VIEW_PAGER, OPEN_PREPARED);
8927 } else if (cmd) {
8928 request = get_request(cmd);
8929 if (request != REQ_UNKNOWN)
8930 return request;
8932 char *args = strchr(cmd, ' ');
8933 if (args) {
8934 *args++ = 0;
8935 if (set_option(cmd, args) == OPT_OK) {
8936 request = !view->unrefreshable ? REQ_REFRESH : REQ_SCREEN_REDRAW;
8937 if (!strcmp(cmd, "color"))
8938 init_colors();
8941 return request;
8943 return REQ_NONE;
8947 main(int argc, const char *argv[])
8949 const char *codeset = ENCODING_UTF8;
8950 enum request request = parse_options(argc, argv);
8951 struct view *view;
8952 int i;
8954 signal(SIGINT, quit);
8955 signal(SIGQUIT, quit);
8956 signal(SIGPIPE, SIG_IGN);
8958 if (setlocale(LC_ALL, "")) {
8959 codeset = nl_langinfo(CODESET);
8962 foreach_view(view, i) {
8963 add_keymap(&view->ops->keymap);
8966 if (load_repo_info() == ERR)
8967 die("Failed to load repo info.");
8969 if (load_options() == ERR)
8970 die("Failed to load user config.");
8972 if (load_git_config() == ERR)
8973 die("Failed to load repo config.");
8975 /* Require a git repository unless when running in pager mode. */
8976 if (!opt_git_dir[0] && request != REQ_VIEW_PAGER)
8977 die("Not a git repository");
8979 if (codeset && strcmp(codeset, ENCODING_UTF8)) {
8980 char translit[SIZEOF_STR];
8982 if (string_format(translit, "%s%s", codeset, ICONV_TRANSLIT))
8983 opt_iconv_out = iconv_open(translit, ENCODING_UTF8);
8984 else
8985 opt_iconv_out = iconv_open(codeset, ENCODING_UTF8);
8986 if (opt_iconv_out == ICONV_NONE)
8987 die("Failed to initialize character set conversion");
8990 if (load_refs() == ERR)
8991 die("Failed to load refs.");
8993 init_display();
8995 while (view_driver(display[current_view], request)) {
8996 int key = get_input(0);
8998 if (key == KEY_ESC)
8999 key = get_input(0) + 0x80;
9001 view = display[current_view];
9002 request = get_keybinding(&view->ops->keymap, key);
9004 /* Some low-level request handling. This keeps access to
9005 * status_win restricted. */
9006 switch (request) {
9007 case REQ_NONE:
9008 report("Unknown key, press %s for help",
9009 get_view_key(view, REQ_VIEW_HELP));
9010 break;
9011 case REQ_PROMPT:
9013 char *cmd = read_prompt(":");
9014 request = run_prompt_command(view, cmd);
9015 break;
9017 case REQ_SEARCH:
9018 case REQ_SEARCH_BACK:
9020 const char *prompt = request == REQ_SEARCH ? "/" : "?";
9021 char *search = read_prompt(prompt);
9023 if (search)
9024 string_ncopy(opt_search, search, strlen(search));
9025 else if (*opt_search)
9026 request = request == REQ_SEARCH ?
9027 REQ_FIND_NEXT :
9028 REQ_FIND_PREV;
9029 else
9030 request = REQ_NONE;
9031 break;
9033 default:
9034 break;
9038 quit(0);
9040 return 0;
9043 /* vim: set ts=8 sw=8 noexpandtab: */