1/* 2 * apply.c 3 * 4 * Copyright (C) Linus Torvalds, 2005 5 * 6 * This applies patches on top of some (arbitrary) version of the SCM. 7 * 8 */ 9 10#include"cache.h" 11#include"config.h" 12#include"blob.h" 13#include"delta.h" 14#include"diff.h" 15#include"dir.h" 16#include"xdiff-interface.h" 17#include"ll-merge.h" 18#include"lockfile.h" 19#include"parse-options.h" 20#include"quote.h" 21#include"rerere.h" 22#include"apply.h" 23 24static voidgit_apply_config(void) 25{ 26git_config_get_string_const("apply.whitespace", &apply_default_whitespace); 27git_config_get_string_const("apply.ignorewhitespace", &apply_default_ignorewhitespace); 28git_config(git_default_config, NULL); 29} 30 31static intparse_whitespace_option(struct apply_state *state,const char*option) 32{ 33if(!option) { 34 state->ws_error_action = warn_on_ws_error; 35return0; 36} 37if(!strcmp(option,"warn")) { 38 state->ws_error_action = warn_on_ws_error; 39return0; 40} 41if(!strcmp(option,"nowarn")) { 42 state->ws_error_action = nowarn_ws_error; 43return0; 44} 45if(!strcmp(option,"error")) { 46 state->ws_error_action = die_on_ws_error; 47return0; 48} 49if(!strcmp(option,"error-all")) { 50 state->ws_error_action = die_on_ws_error; 51 state->squelch_whitespace_errors =0; 52return0; 53} 54if(!strcmp(option,"strip") || !strcmp(option,"fix")) { 55 state->ws_error_action = correct_ws_error; 56return0; 57} 58returnerror(_("unrecognized whitespace option '%s'"), option); 59} 60 61static intparse_ignorewhitespace_option(struct apply_state *state, 62const char*option) 63{ 64if(!option || !strcmp(option,"no") || 65!strcmp(option,"false") || !strcmp(option,"never") || 66!strcmp(option,"none")) { 67 state->ws_ignore_action = ignore_ws_none; 68return0; 69} 70if(!strcmp(option,"change")) { 71 state->ws_ignore_action = ignore_ws_change; 72return0; 73} 74returnerror(_("unrecognized whitespace ignore option '%s'"), option); 75} 76 77intinit_apply_state(struct apply_state *state, 78const char*prefix, 79struct lock_file *lock_file) 80{ 81memset(state,0,sizeof(*state)); 82 state->prefix = prefix; 83 state->prefix_length = state->prefix ?strlen(state->prefix) :0; 84 state->lock_file = lock_file; 85 state->newfd = -1; 86 state->apply =1; 87 state->line_termination ='\n'; 88 state->p_value =1; 89 state->p_context = UINT_MAX; 90 state->squelch_whitespace_errors =5; 91 state->ws_error_action = warn_on_ws_error; 92 state->ws_ignore_action = ignore_ws_none; 93 state->linenr =1; 94string_list_init(&state->fn_table,0); 95string_list_init(&state->limit_by_name,0); 96string_list_init(&state->symlink_changes,0); 97strbuf_init(&state->root,0); 98 99git_apply_config(); 100if(apply_default_whitespace &&parse_whitespace_option(state, apply_default_whitespace)) 101return-1; 102if(apply_default_ignorewhitespace &&parse_ignorewhitespace_option(state, apply_default_ignorewhitespace)) 103return-1; 104return0; 105} 106 107voidclear_apply_state(struct apply_state *state) 108{ 109string_list_clear(&state->limit_by_name,0); 110string_list_clear(&state->symlink_changes,0); 111strbuf_release(&state->root); 112 113/* &state->fn_table is cleared at the end of apply_patch() */ 114} 115 116static voidmute_routine(const char*msg,va_list params) 117{ 118/* do nothing */ 119} 120 121intcheck_apply_state(struct apply_state *state,int force_apply) 122{ 123int is_not_gitdir = !startup_info->have_repository; 124 125if(state->apply_with_reject && state->threeway) 126returnerror(_("--reject and --3way cannot be used together.")); 127if(state->cached && state->threeway) 128returnerror(_("--cached and --3way cannot be used together.")); 129if(state->threeway) { 130if(is_not_gitdir) 131returnerror(_("--3way outside a repository")); 132 state->check_index =1; 133} 134if(state->apply_with_reject) { 135 state->apply =1; 136if(state->apply_verbosity == verbosity_normal) 137 state->apply_verbosity = verbosity_verbose; 138} 139if(!force_apply && (state->diffstat || state->numstat || state->summary || state->check || state->fake_ancestor)) 140 state->apply =0; 141if(state->check_index && is_not_gitdir) 142returnerror(_("--index outside a repository")); 143if(state->cached) { 144if(is_not_gitdir) 145returnerror(_("--cached outside a repository")); 146 state->check_index =1; 147} 148if(state->check_index) 149 state->unsafe_paths =0; 150if(!state->lock_file) 151returnerror("BUG: state->lock_file should not be NULL"); 152 153if(state->apply_verbosity <= verbosity_silent) { 154 state->saved_error_routine =get_error_routine(); 155 state->saved_warn_routine =get_warn_routine(); 156set_error_routine(mute_routine); 157set_warn_routine(mute_routine); 158} 159 160return0; 161} 162 163static voidset_default_whitespace_mode(struct apply_state *state) 164{ 165if(!state->whitespace_option && !apply_default_whitespace) 166 state->ws_error_action = (state->apply ? warn_on_ws_error : nowarn_ws_error); 167} 168 169/* 170 * This represents one "hunk" from a patch, starting with 171 * "@@ -oldpos,oldlines +newpos,newlines @@" marker. The 172 * patch text is pointed at by patch, and its byte length 173 * is stored in size. leading and trailing are the number 174 * of context lines. 175 */ 176struct fragment { 177unsigned long leading, trailing; 178unsigned long oldpos, oldlines; 179unsigned long newpos, newlines; 180/* 181 * 'patch' is usually borrowed from buf in apply_patch(), 182 * but some codepaths store an allocated buffer. 183 */ 184const char*patch; 185unsigned free_patch:1, 186 rejected:1; 187int size; 188int linenr; 189struct fragment *next; 190}; 191 192/* 193 * When dealing with a binary patch, we reuse "leading" field 194 * to store the type of the binary hunk, either deflated "delta" 195 * or deflated "literal". 196 */ 197#define binary_patch_method leading 198#define BINARY_DELTA_DEFLATED 1 199#define BINARY_LITERAL_DEFLATED 2 200 201/* 202 * This represents a "patch" to a file, both metainfo changes 203 * such as creation/deletion, filemode and content changes represented 204 * as a series of fragments. 205 */ 206struct patch { 207char*new_name, *old_name, *def_name; 208unsigned int old_mode, new_mode; 209int is_new, is_delete;/* -1 = unknown, 0 = false, 1 = true */ 210int rejected; 211unsigned ws_rule; 212int lines_added, lines_deleted; 213int score; 214int extension_linenr;/* first line specifying delete/new/rename/copy */ 215unsigned int is_toplevel_relative:1; 216unsigned int inaccurate_eof:1; 217unsigned int is_binary:1; 218unsigned int is_copy:1; 219unsigned int is_rename:1; 220unsigned int recount:1; 221unsigned int conflicted_threeway:1; 222unsigned int direct_to_threeway:1; 223unsigned int crlf_in_old:1; 224struct fragment *fragments; 225char*result; 226size_t resultsize; 227char old_sha1_prefix[41]; 228char new_sha1_prefix[41]; 229struct patch *next; 230 231/* three-way fallback result */ 232struct object_id threeway_stage[3]; 233}; 234 235static voidfree_fragment_list(struct fragment *list) 236{ 237while(list) { 238struct fragment *next = list->next; 239if(list->free_patch) 240free((char*)list->patch); 241free(list); 242 list = next; 243} 244} 245 246static voidfree_patch(struct patch *patch) 247{ 248free_fragment_list(patch->fragments); 249free(patch->def_name); 250free(patch->old_name); 251free(patch->new_name); 252free(patch->result); 253free(patch); 254} 255 256static voidfree_patch_list(struct patch *list) 257{ 258while(list) { 259struct patch *next = list->next; 260free_patch(list); 261 list = next; 262} 263} 264 265/* 266 * A line in a file, len-bytes long (includes the terminating LF, 267 * except for an incomplete line at the end if the file ends with 268 * one), and its contents hashes to 'hash'. 269 */ 270struct line { 271size_t len; 272unsigned hash :24; 273unsigned flag :8; 274#define LINE_COMMON 1 275#define LINE_PATCHED 2 276}; 277 278/* 279 * This represents a "file", which is an array of "lines". 280 */ 281struct image { 282char*buf; 283size_t len; 284size_t nr; 285size_t alloc; 286struct line *line_allocated; 287struct line *line; 288}; 289 290static uint32_thash_line(const char*cp,size_t len) 291{ 292size_t i; 293uint32_t h; 294for(i =0, h =0; i < len; i++) { 295if(!isspace(cp[i])) { 296 h = h *3+ (cp[i] &0xff); 297} 298} 299return h; 300} 301 302/* 303 * Compare lines s1 of length n1 and s2 of length n2, ignoring 304 * whitespace difference. Returns 1 if they match, 0 otherwise 305 */ 306static intfuzzy_matchlines(const char*s1,size_t n1, 307const char*s2,size_t n2) 308{ 309const char*last1 = s1 + n1 -1; 310const char*last2 = s2 + n2 -1; 311int result =0; 312 313/* ignore line endings */ 314while((*last1 =='\r') || (*last1 =='\n')) 315 last1--; 316while((*last2 =='\r') || (*last2 =='\n')) 317 last2--; 318 319/* skip leading whitespaces, if both begin with whitespace */ 320if(s1 <= last1 && s2 <= last2 &&isspace(*s1) &&isspace(*s2)) { 321while(isspace(*s1) && (s1 <= last1)) 322 s1++; 323while(isspace(*s2) && (s2 <= last2)) 324 s2++; 325} 326/* early return if both lines are empty */ 327if((s1 > last1) && (s2 > last2)) 328return1; 329while(!result) { 330 result = *s1++ - *s2++; 331/* 332 * Skip whitespace inside. We check for whitespace on 333 * both buffers because we don't want "a b" to match 334 * "ab" 335 */ 336if(isspace(*s1) &&isspace(*s2)) { 337while(isspace(*s1) && s1 <= last1) 338 s1++; 339while(isspace(*s2) && s2 <= last2) 340 s2++; 341} 342/* 343 * If we reached the end on one side only, 344 * lines don't match 345 */ 346if( 347((s2 > last2) && (s1 <= last1)) || 348((s1 > last1) && (s2 <= last2))) 349return0; 350if((s1 > last1) && (s2 > last2)) 351break; 352} 353 354return!result; 355} 356 357static voidadd_line_info(struct image *img,const char*bol,size_t len,unsigned flag) 358{ 359ALLOC_GROW(img->line_allocated, img->nr +1, img->alloc); 360 img->line_allocated[img->nr].len = len; 361 img->line_allocated[img->nr].hash =hash_line(bol, len); 362 img->line_allocated[img->nr].flag = flag; 363 img->nr++; 364} 365 366/* 367 * "buf" has the file contents to be patched (read from various sources). 368 * attach it to "image" and add line-based index to it. 369 * "image" now owns the "buf". 370 */ 371static voidprepare_image(struct image *image,char*buf,size_t len, 372int prepare_linetable) 373{ 374const char*cp, *ep; 375 376memset(image,0,sizeof(*image)); 377 image->buf = buf; 378 image->len = len; 379 380if(!prepare_linetable) 381return; 382 383 ep = image->buf + image->len; 384 cp = image->buf; 385while(cp < ep) { 386const char*next; 387for(next = cp; next < ep && *next !='\n'; next++) 388; 389if(next < ep) 390 next++; 391add_line_info(image, cp, next - cp,0); 392 cp = next; 393} 394 image->line = image->line_allocated; 395} 396 397static voidclear_image(struct image *image) 398{ 399free(image->buf); 400free(image->line_allocated); 401memset(image,0,sizeof(*image)); 402} 403 404/* fmt must contain _one_ %s and no other substitution */ 405static voidsay_patch_name(FILE*output,const char*fmt,struct patch *patch) 406{ 407struct strbuf sb = STRBUF_INIT; 408 409if(patch->old_name && patch->new_name && 410strcmp(patch->old_name, patch->new_name)) { 411quote_c_style(patch->old_name, &sb, NULL,0); 412strbuf_addstr(&sb," => "); 413quote_c_style(patch->new_name, &sb, NULL,0); 414}else{ 415const char*n = patch->new_name; 416if(!n) 417 n = patch->old_name; 418quote_c_style(n, &sb, NULL,0); 419} 420fprintf(output, fmt, sb.buf); 421fputc('\n', output); 422strbuf_release(&sb); 423} 424 425#define SLOP (16) 426 427static intread_patch_file(struct strbuf *sb,int fd) 428{ 429if(strbuf_read(sb, fd,0) <0) 430returnerror_errno("git apply: failed to read"); 431 432/* 433 * Make sure that we have some slop in the buffer 434 * so that we can do speculative "memcmp" etc, and 435 * see to it that it is NUL-filled. 436 */ 437strbuf_grow(sb, SLOP); 438memset(sb->buf + sb->len,0, SLOP); 439return0; 440} 441 442static unsigned longlinelen(const char*buffer,unsigned long size) 443{ 444unsigned long len =0; 445while(size--) { 446 len++; 447if(*buffer++ =='\n') 448break; 449} 450return len; 451} 452 453static intis_dev_null(const char*str) 454{ 455returnskip_prefix(str,"/dev/null", &str) &&isspace(*str); 456} 457 458#define TERM_SPACE 1 459#define TERM_TAB 2 460 461static intname_terminate(int c,int terminate) 462{ 463if(c ==' '&& !(terminate & TERM_SPACE)) 464return0; 465if(c =='\t'&& !(terminate & TERM_TAB)) 466return0; 467 468return1; 469} 470 471/* remove double slashes to make --index work with such filenames */ 472static char*squash_slash(char*name) 473{ 474int i =0, j =0; 475 476if(!name) 477return NULL; 478 479while(name[i]) { 480if((name[j++] = name[i++]) =='/') 481while(name[i] =='/') 482 i++; 483} 484 name[j] ='\0'; 485return name; 486} 487 488static char*find_name_gnu(struct apply_state *state, 489const char*line, 490const char*def, 491int p_value) 492{ 493struct strbuf name = STRBUF_INIT; 494char*cp; 495 496/* 497 * Proposed "new-style" GNU patch/diff format; see 498 * http://marc.info/?l=git&m=112927316408690&w=2 499 */ 500if(unquote_c_style(&name, line, NULL)) { 501strbuf_release(&name); 502return NULL; 503} 504 505for(cp = name.buf; p_value; p_value--) { 506 cp =strchr(cp,'/'); 507if(!cp) { 508strbuf_release(&name); 509return NULL; 510} 511 cp++; 512} 513 514strbuf_remove(&name,0, cp - name.buf); 515if(state->root.len) 516strbuf_insert(&name,0, state->root.buf, state->root.len); 517returnsquash_slash(strbuf_detach(&name, NULL)); 518} 519 520static size_tsane_tz_len(const char*line,size_t len) 521{ 522const char*tz, *p; 523 524if(len <strlen(" +0500") || line[len-strlen(" +0500")] !=' ') 525return0; 526 tz = line + len -strlen(" +0500"); 527 528if(tz[1] !='+'&& tz[1] !='-') 529return0; 530 531for(p = tz +2; p != line + len; p++) 532if(!isdigit(*p)) 533return0; 534 535return line + len - tz; 536} 537 538static size_ttz_with_colon_len(const char*line,size_t len) 539{ 540const char*tz, *p; 541 542if(len <strlen(" +08:00") || line[len -strlen(":00")] !=':') 543return0; 544 tz = line + len -strlen(" +08:00"); 545 546if(tz[0] !=' '|| (tz[1] !='+'&& tz[1] !='-')) 547return0; 548 p = tz +2; 549if(!isdigit(*p++) || !isdigit(*p++) || *p++ !=':'|| 550!isdigit(*p++) || !isdigit(*p++)) 551return0; 552 553return line + len - tz; 554} 555 556static size_tdate_len(const char*line,size_t len) 557{ 558const char*date, *p; 559 560if(len <strlen("72-02-05") || line[len-strlen("-05")] !='-') 561return0; 562 p = date = line + len -strlen("72-02-05"); 563 564if(!isdigit(*p++) || !isdigit(*p++) || *p++ !='-'|| 565!isdigit(*p++) || !isdigit(*p++) || *p++ !='-'|| 566!isdigit(*p++) || !isdigit(*p++))/* Not a date. */ 567return0; 568 569if(date - line >=strlen("19") && 570isdigit(date[-1]) &&isdigit(date[-2]))/* 4-digit year */ 571 date -=strlen("19"); 572 573return line + len - date; 574} 575 576static size_tshort_time_len(const char*line,size_t len) 577{ 578const char*time, *p; 579 580if(len <strlen(" 07:01:32") || line[len-strlen(":32")] !=':') 581return0; 582 p = time = line + len -strlen(" 07:01:32"); 583 584/* Permit 1-digit hours? */ 585if(*p++ !=' '|| 586!isdigit(*p++) || !isdigit(*p++) || *p++ !=':'|| 587!isdigit(*p++) || !isdigit(*p++) || *p++ !=':'|| 588!isdigit(*p++) || !isdigit(*p++))/* Not a time. */ 589return0; 590 591return line + len - time; 592} 593 594static size_tfractional_time_len(const char*line,size_t len) 595{ 596const char*p; 597size_t n; 598 599/* Expected format: 19:41:17.620000023 */ 600if(!len || !isdigit(line[len -1])) 601return0; 602 p = line + len -1; 603 604/* Fractional seconds. */ 605while(p > line &&isdigit(*p)) 606 p--; 607if(*p !='.') 608return0; 609 610/* Hours, minutes, and whole seconds. */ 611 n =short_time_len(line, p - line); 612if(!n) 613return0; 614 615return line + len - p + n; 616} 617 618static size_ttrailing_spaces_len(const char*line,size_t len) 619{ 620const char*p; 621 622/* Expected format: ' ' x (1 or more) */ 623if(!len || line[len -1] !=' ') 624return0; 625 626 p = line + len; 627while(p != line) { 628 p--; 629if(*p !=' ') 630return line + len - (p +1); 631} 632 633/* All spaces! */ 634return len; 635} 636 637static size_tdiff_timestamp_len(const char*line,size_t len) 638{ 639const char*end = line + len; 640size_t n; 641 642/* 643 * Posix: 2010-07-05 19:41:17 644 * GNU: 2010-07-05 19:41:17.620000023 -0500 645 */ 646 647if(!isdigit(end[-1])) 648return0; 649 650 n =sane_tz_len(line, end - line); 651if(!n) 652 n =tz_with_colon_len(line, end - line); 653 end -= n; 654 655 n =short_time_len(line, end - line); 656if(!n) 657 n =fractional_time_len(line, end - line); 658 end -= n; 659 660 n =date_len(line, end - line); 661if(!n)/* No date. Too bad. */ 662return0; 663 end -= n; 664 665if(end == line)/* No space before date. */ 666return0; 667if(end[-1] =='\t') {/* Success! */ 668 end--; 669return line + len - end; 670} 671if(end[-1] !=' ')/* No space before date. */ 672return0; 673 674/* Whitespace damage. */ 675 end -=trailing_spaces_len(line, end - line); 676return line + len - end; 677} 678 679static char*find_name_common(struct apply_state *state, 680const char*line, 681const char*def, 682int p_value, 683const char*end, 684int terminate) 685{ 686int len; 687const char*start = NULL; 688 689if(p_value ==0) 690 start = line; 691while(line != end) { 692char c = *line; 693 694if(!end &&isspace(c)) { 695if(c =='\n') 696break; 697if(name_terminate(c, terminate)) 698break; 699} 700 line++; 701if(c =='/'&& !--p_value) 702 start = line; 703} 704if(!start) 705returnsquash_slash(xstrdup_or_null(def)); 706 len = line - start; 707if(!len) 708returnsquash_slash(xstrdup_or_null(def)); 709 710/* 711 * Generally we prefer the shorter name, especially 712 * if the other one is just a variation of that with 713 * something else tacked on to the end (ie "file.orig" 714 * or "file~"). 715 */ 716if(def) { 717int deflen =strlen(def); 718if(deflen < len && !strncmp(start, def, deflen)) 719returnsquash_slash(xstrdup(def)); 720} 721 722if(state->root.len) { 723char*ret =xstrfmt("%s%.*s", state->root.buf, len, start); 724returnsquash_slash(ret); 725} 726 727returnsquash_slash(xmemdupz(start, len)); 728} 729 730static char*find_name(struct apply_state *state, 731const char*line, 732char*def, 733int p_value, 734int terminate) 735{ 736if(*line =='"') { 737char*name =find_name_gnu(state, line, def, p_value); 738if(name) 739return name; 740} 741 742returnfind_name_common(state, line, def, p_value, NULL, terminate); 743} 744 745static char*find_name_traditional(struct apply_state *state, 746const char*line, 747char*def, 748int p_value) 749{ 750size_t len; 751size_t date_len; 752 753if(*line =='"') { 754char*name =find_name_gnu(state, line, def, p_value); 755if(name) 756return name; 757} 758 759 len =strchrnul(line,'\n') - line; 760 date_len =diff_timestamp_len(line, len); 761if(!date_len) 762returnfind_name_common(state, line, def, p_value, NULL, TERM_TAB); 763 len -= date_len; 764 765returnfind_name_common(state, line, def, p_value, line + len,0); 766} 767 768/* 769 * Given the string after "--- " or "+++ ", guess the appropriate 770 * p_value for the given patch. 771 */ 772static intguess_p_value(struct apply_state *state,const char*nameline) 773{ 774char*name, *cp; 775int val = -1; 776 777if(is_dev_null(nameline)) 778return-1; 779 name =find_name_traditional(state, nameline, NULL,0); 780if(!name) 781return-1; 782 cp =strchr(name,'/'); 783if(!cp) 784 val =0; 785else if(state->prefix) { 786/* 787 * Does it begin with "a/$our-prefix" and such? Then this is 788 * very likely to apply to our directory. 789 */ 790if(!strncmp(name, state->prefix, state->prefix_length)) 791 val =count_slashes(state->prefix); 792else{ 793 cp++; 794if(!strncmp(cp, state->prefix, state->prefix_length)) 795 val =count_slashes(state->prefix) +1; 796} 797} 798free(name); 799return val; 800} 801 802/* 803 * Does the ---/+++ line have the POSIX timestamp after the last HT? 804 * GNU diff puts epoch there to signal a creation/deletion event. Is 805 * this such a timestamp? 806 */ 807static inthas_epoch_timestamp(const char*nameline) 808{ 809/* 810 * We are only interested in epoch timestamp; any non-zero 811 * fraction cannot be one, hence "(\.0+)?" in the regexp below. 812 * For the same reason, the date must be either 1969-12-31 or 813 * 1970-01-01, and the seconds part must be "00". 814 */ 815const char stamp_regexp[] = 816"^(1969-12-31|1970-01-01)" 817" " 818"[0-2][0-9]:[0-5][0-9]:00(\\.0+)?" 819" " 820"([-+][0-2][0-9]:?[0-5][0-9])\n"; 821const char*timestamp = NULL, *cp, *colon; 822static regex_t *stamp; 823 regmatch_t m[10]; 824int zoneoffset; 825int hourminute; 826int status; 827 828for(cp = nameline; *cp !='\n'; cp++) { 829if(*cp =='\t') 830 timestamp = cp +1; 831} 832if(!timestamp) 833return0; 834if(!stamp) { 835 stamp =xmalloc(sizeof(*stamp)); 836if(regcomp(stamp, stamp_regexp, REG_EXTENDED)) { 837warning(_("Cannot prepare timestamp regexp%s"), 838 stamp_regexp); 839return0; 840} 841} 842 843 status =regexec(stamp, timestamp,ARRAY_SIZE(m), m,0); 844if(status) { 845if(status != REG_NOMATCH) 846warning(_("regexec returned%dfor input:%s"), 847 status, timestamp); 848return0; 849} 850 851 zoneoffset =strtol(timestamp + m[3].rm_so +1, (char**) &colon,10); 852if(*colon ==':') 853 zoneoffset = zoneoffset *60+strtol(colon +1, NULL,10); 854else 855 zoneoffset = (zoneoffset /100) *60+ (zoneoffset %100); 856if(timestamp[m[3].rm_so] =='-') 857 zoneoffset = -zoneoffset; 858 859/* 860 * YYYY-MM-DD hh:mm:ss must be from either 1969-12-31 861 * (west of GMT) or 1970-01-01 (east of GMT) 862 */ 863if((zoneoffset <0&&memcmp(timestamp,"1969-12-31",10)) || 864(0<= zoneoffset &&memcmp(timestamp,"1970-01-01",10))) 865return0; 866 867 hourminute = (strtol(timestamp +11, NULL,10) *60+ 868strtol(timestamp +14, NULL,10) - 869 zoneoffset); 870 871return((zoneoffset <0&& hourminute ==1440) || 872(0<= zoneoffset && !hourminute)); 873} 874 875/* 876 * Get the name etc info from the ---/+++ lines of a traditional patch header 877 * 878 * FIXME! The end-of-filename heuristics are kind of screwy. For existing 879 * files, we can happily check the index for a match, but for creating a 880 * new file we should try to match whatever "patch" does. I have no idea. 881 */ 882static intparse_traditional_patch(struct apply_state *state, 883const char*first, 884const char*second, 885struct patch *patch) 886{ 887char*name; 888 889 first +=4;/* skip "--- " */ 890 second +=4;/* skip "+++ " */ 891if(!state->p_value_known) { 892int p, q; 893 p =guess_p_value(state, first); 894 q =guess_p_value(state, second); 895if(p <0) p = q; 896if(0<= p && p == q) { 897 state->p_value = p; 898 state->p_value_known =1; 899} 900} 901if(is_dev_null(first)) { 902 patch->is_new =1; 903 patch->is_delete =0; 904 name =find_name_traditional(state, second, NULL, state->p_value); 905 patch->new_name = name; 906}else if(is_dev_null(second)) { 907 patch->is_new =0; 908 patch->is_delete =1; 909 name =find_name_traditional(state, first, NULL, state->p_value); 910 patch->old_name = name; 911}else{ 912char*first_name; 913 first_name =find_name_traditional(state, first, NULL, state->p_value); 914 name =find_name_traditional(state, second, first_name, state->p_value); 915free(first_name); 916if(has_epoch_timestamp(first)) { 917 patch->is_new =1; 918 patch->is_delete =0; 919 patch->new_name = name; 920}else if(has_epoch_timestamp(second)) { 921 patch->is_new =0; 922 patch->is_delete =1; 923 patch->old_name = name; 924}else{ 925 patch->old_name = name; 926 patch->new_name =xstrdup_or_null(name); 927} 928} 929if(!name) 930returnerror(_("unable to find filename in patch at line%d"), state->linenr); 931 932return0; 933} 934 935static intgitdiff_hdrend(struct apply_state *state, 936const char*line, 937struct patch *patch) 938{ 939return1; 940} 941 942/* 943 * We're anal about diff header consistency, to make 944 * sure that we don't end up having strange ambiguous 945 * patches floating around. 946 * 947 * As a result, gitdiff_{old|new}name() will check 948 * their names against any previous information, just 949 * to make sure.. 950 */ 951#define DIFF_OLD_NAME 0 952#define DIFF_NEW_NAME 1 953 954static intgitdiff_verify_name(struct apply_state *state, 955const char*line, 956int isnull, 957char**name, 958int side) 959{ 960if(!*name && !isnull) { 961*name =find_name(state, line, NULL, state->p_value, TERM_TAB); 962return0; 963} 964 965if(*name) { 966char*another; 967if(isnull) 968returnerror(_("git apply: bad git-diff - expected /dev/null, got%son line%d"), 969*name, state->linenr); 970 another =find_name(state, line, NULL, state->p_value, TERM_TAB); 971if(!another ||strcmp(another, *name)) { 972free(another); 973returnerror((side == DIFF_NEW_NAME) ? 974_("git apply: bad git-diff - inconsistent new filename on line%d") : 975_("git apply: bad git-diff - inconsistent old filename on line%d"), state->linenr); 976} 977free(another); 978}else{ 979if(!starts_with(line,"/dev/null\n")) 980returnerror(_("git apply: bad git-diff - expected /dev/null on line%d"), state->linenr); 981} 982 983return0; 984} 985 986static intgitdiff_oldname(struct apply_state *state, 987const char*line, 988struct patch *patch) 989{ 990returngitdiff_verify_name(state, line, 991 patch->is_new, &patch->old_name, 992 DIFF_OLD_NAME); 993} 994 995static intgitdiff_newname(struct apply_state *state, 996const char*line, 997struct patch *patch) 998{ 999returngitdiff_verify_name(state, line,1000 patch->is_delete, &patch->new_name,1001 DIFF_NEW_NAME);1002}10031004static intparse_mode_line(const char*line,int linenr,unsigned int*mode)1005{1006char*end;1007*mode =strtoul(line, &end,8);1008if(end == line || !isspace(*end))1009returnerror(_("invalid mode on line%d:%s"), linenr, line);1010return0;1011}10121013static intgitdiff_oldmode(struct apply_state *state,1014const char*line,1015struct patch *patch)1016{1017returnparse_mode_line(line, state->linenr, &patch->old_mode);1018}10191020static intgitdiff_newmode(struct apply_state *state,1021const char*line,1022struct patch *patch)1023{1024returnparse_mode_line(line, state->linenr, &patch->new_mode);1025}10261027static intgitdiff_delete(struct apply_state *state,1028const char*line,1029struct patch *patch)1030{1031 patch->is_delete =1;1032free(patch->old_name);1033 patch->old_name =xstrdup_or_null(patch->def_name);1034returngitdiff_oldmode(state, line, patch);1035}10361037static intgitdiff_newfile(struct apply_state *state,1038const char*line,1039struct patch *patch)1040{1041 patch->is_new =1;1042free(patch->new_name);1043 patch->new_name =xstrdup_or_null(patch->def_name);1044returngitdiff_newmode(state, line, patch);1045}10461047static intgitdiff_copysrc(struct apply_state *state,1048const char*line,1049struct patch *patch)1050{1051 patch->is_copy =1;1052free(patch->old_name);1053 patch->old_name =find_name(state, line, NULL, state->p_value ? state->p_value -1:0,0);1054return0;1055}10561057static intgitdiff_copydst(struct apply_state *state,1058const char*line,1059struct patch *patch)1060{1061 patch->is_copy =1;1062free(patch->new_name);1063 patch->new_name =find_name(state, line, NULL, state->p_value ? state->p_value -1:0,0);1064return0;1065}10661067static intgitdiff_renamesrc(struct apply_state *state,1068const char*line,1069struct patch *patch)1070{1071 patch->is_rename =1;1072free(patch->old_name);1073 patch->old_name =find_name(state, line, NULL, state->p_value ? state->p_value -1:0,0);1074return0;1075}10761077static intgitdiff_renamedst(struct apply_state *state,1078const char*line,1079struct patch *patch)1080{1081 patch->is_rename =1;1082free(patch->new_name);1083 patch->new_name =find_name(state, line, NULL, state->p_value ? state->p_value -1:0,0);1084return0;1085}10861087static intgitdiff_similarity(struct apply_state *state,1088const char*line,1089struct patch *patch)1090{1091unsigned long val =strtoul(line, NULL,10);1092if(val <=100)1093 patch->score = val;1094return0;1095}10961097static intgitdiff_dissimilarity(struct apply_state *state,1098const char*line,1099struct patch *patch)1100{1101unsigned long val =strtoul(line, NULL,10);1102if(val <=100)1103 patch->score = val;1104return0;1105}11061107static intgitdiff_index(struct apply_state *state,1108const char*line,1109struct patch *patch)1110{1111/*1112 * index line is N hexadecimal, "..", N hexadecimal,1113 * and optional space with octal mode.1114 */1115const char*ptr, *eol;1116int len;11171118 ptr =strchr(line,'.');1119if(!ptr || ptr[1] !='.'||40< ptr - line)1120return0;1121 len = ptr - line;1122memcpy(patch->old_sha1_prefix, line, len);1123 patch->old_sha1_prefix[len] =0;11241125 line = ptr +2;1126 ptr =strchr(line,' ');1127 eol =strchrnul(line,'\n');11281129if(!ptr || eol < ptr)1130 ptr = eol;1131 len = ptr - line;11321133if(40< len)1134return0;1135memcpy(patch->new_sha1_prefix, line, len);1136 patch->new_sha1_prefix[len] =0;1137if(*ptr ==' ')1138returngitdiff_oldmode(state, ptr +1, patch);1139return0;1140}11411142/*1143 * This is normal for a diff that doesn't change anything: we'll fall through1144 * into the next diff. Tell the parser to break out.1145 */1146static intgitdiff_unrecognized(struct apply_state *state,1147const char*line,1148struct patch *patch)1149{1150return1;1151}11521153/*1154 * Skip p_value leading components from "line"; as we do not accept1155 * absolute paths, return NULL in that case.1156 */1157static const char*skip_tree_prefix(struct apply_state *state,1158const char*line,1159int llen)1160{1161int nslash;1162int i;11631164if(!state->p_value)1165return(llen && line[0] =='/') ? NULL : line;11661167 nslash = state->p_value;1168for(i =0; i < llen; i++) {1169int ch = line[i];1170if(ch =='/'&& --nslash <=0)1171return(i ==0) ? NULL : &line[i +1];1172}1173return NULL;1174}11751176/*1177 * This is to extract the same name that appears on "diff --git"1178 * line. We do not find and return anything if it is a rename1179 * patch, and it is OK because we will find the name elsewhere.1180 * We need to reliably find name only when it is mode-change only,1181 * creation or deletion of an empty file. In any of these cases,1182 * both sides are the same name under a/ and b/ respectively.1183 */1184static char*git_header_name(struct apply_state *state,1185const char*line,1186int llen)1187{1188const char*name;1189const char*second = NULL;1190size_t len, line_len;11911192 line +=strlen("diff --git ");1193 llen -=strlen("diff --git ");11941195if(*line =='"') {1196const char*cp;1197struct strbuf first = STRBUF_INIT;1198struct strbuf sp = STRBUF_INIT;11991200if(unquote_c_style(&first, line, &second))1201goto free_and_fail1;12021203/* strip the a/b prefix including trailing slash */1204 cp =skip_tree_prefix(state, first.buf, first.len);1205if(!cp)1206goto free_and_fail1;1207strbuf_remove(&first,0, cp - first.buf);12081209/*1210 * second points at one past closing dq of name.1211 * find the second name.1212 */1213while((second < line + llen) &&isspace(*second))1214 second++;12151216if(line + llen <= second)1217goto free_and_fail1;1218if(*second =='"') {1219if(unquote_c_style(&sp, second, NULL))1220goto free_and_fail1;1221 cp =skip_tree_prefix(state, sp.buf, sp.len);1222if(!cp)1223goto free_and_fail1;1224/* They must match, otherwise ignore */1225if(strcmp(cp, first.buf))1226goto free_and_fail1;1227strbuf_release(&sp);1228returnstrbuf_detach(&first, NULL);1229}12301231/* unquoted second */1232 cp =skip_tree_prefix(state, second, line + llen - second);1233if(!cp)1234goto free_and_fail1;1235if(line + llen - cp != first.len ||1236memcmp(first.buf, cp, first.len))1237goto free_and_fail1;1238returnstrbuf_detach(&first, NULL);12391240 free_and_fail1:1241strbuf_release(&first);1242strbuf_release(&sp);1243return NULL;1244}12451246/* unquoted first name */1247 name =skip_tree_prefix(state, line, llen);1248if(!name)1249return NULL;12501251/*1252 * since the first name is unquoted, a dq if exists must be1253 * the beginning of the second name.1254 */1255for(second = name; second < line + llen; second++) {1256if(*second =='"') {1257struct strbuf sp = STRBUF_INIT;1258const char*np;12591260if(unquote_c_style(&sp, second, NULL))1261goto free_and_fail2;12621263 np =skip_tree_prefix(state, sp.buf, sp.len);1264if(!np)1265goto free_and_fail2;12661267 len = sp.buf + sp.len - np;1268if(len < second - name &&1269!strncmp(np, name, len) &&1270isspace(name[len])) {1271/* Good */1272strbuf_remove(&sp,0, np - sp.buf);1273returnstrbuf_detach(&sp, NULL);1274}12751276 free_and_fail2:1277strbuf_release(&sp);1278return NULL;1279}1280}12811282/*1283 * Accept a name only if it shows up twice, exactly the same1284 * form.1285 */1286 second =strchr(name,'\n');1287if(!second)1288return NULL;1289 line_len = second - name;1290for(len =0; ; len++) {1291switch(name[len]) {1292default:1293continue;1294case'\n':1295return NULL;1296case'\t':case' ':1297/*1298 * Is this the separator between the preimage1299 * and the postimage pathname? Again, we are1300 * only interested in the case where there is1301 * no rename, as this is only to set def_name1302 * and a rename patch has the names elsewhere1303 * in an unambiguous form.1304 */1305if(!name[len +1])1306return NULL;/* no postimage name */1307 second =skip_tree_prefix(state, name + len +1,1308 line_len - (len +1));1309if(!second)1310return NULL;1311/*1312 * Does len bytes starting at "name" and "second"1313 * (that are separated by one HT or SP we just1314 * found) exactly match?1315 */1316if(second[len] =='\n'&& !strncmp(name, second, len))1317returnxmemdupz(name, len);1318}1319}1320}13211322static intcheck_header_line(struct apply_state *state,struct patch *patch)1323{1324int extensions = (patch->is_delete ==1) + (patch->is_new ==1) +1325(patch->is_rename ==1) + (patch->is_copy ==1);1326if(extensions >1)1327returnerror(_("inconsistent header lines%dand%d"),1328 patch->extension_linenr, state->linenr);1329if(extensions && !patch->extension_linenr)1330 patch->extension_linenr = state->linenr;1331return0;1332}13331334/* Verify that we recognize the lines following a git header */1335static intparse_git_header(struct apply_state *state,1336const char*line,1337int len,1338unsigned int size,1339struct patch *patch)1340{1341unsigned long offset;13421343/* A git diff has explicit new/delete information, so we don't guess */1344 patch->is_new =0;1345 patch->is_delete =0;13461347/*1348 * Some things may not have the old name in the1349 * rest of the headers anywhere (pure mode changes,1350 * or removing or adding empty files), so we get1351 * the default name from the header.1352 */1353 patch->def_name =git_header_name(state, line, len);1354if(patch->def_name && state->root.len) {1355char*s =xstrfmt("%s%s", state->root.buf, patch->def_name);1356free(patch->def_name);1357 patch->def_name = s;1358}13591360 line += len;1361 size -= len;1362 state->linenr++;1363for(offset = len ; size >0; offset += len, size -= len, line += len, state->linenr++) {1364static const struct opentry {1365const char*str;1366int(*fn)(struct apply_state *,const char*,struct patch *);1367} optable[] = {1368{"@@ -", gitdiff_hdrend },1369{"--- ", gitdiff_oldname },1370{"+++ ", gitdiff_newname },1371{"old mode ", gitdiff_oldmode },1372{"new mode ", gitdiff_newmode },1373{"deleted file mode ", gitdiff_delete },1374{"new file mode ", gitdiff_newfile },1375{"copy from ", gitdiff_copysrc },1376{"copy to ", gitdiff_copydst },1377{"rename old ", gitdiff_renamesrc },1378{"rename new ", gitdiff_renamedst },1379{"rename from ", gitdiff_renamesrc },1380{"rename to ", gitdiff_renamedst },1381{"similarity index ", gitdiff_similarity },1382{"dissimilarity index ", gitdiff_dissimilarity },1383{"index ", gitdiff_index },1384{"", gitdiff_unrecognized },1385};1386int i;13871388 len =linelen(line, size);1389if(!len || line[len-1] !='\n')1390break;1391for(i =0; i <ARRAY_SIZE(optable); i++) {1392const struct opentry *p = optable + i;1393int oplen =strlen(p->str);1394int res;1395if(len < oplen ||memcmp(p->str, line, oplen))1396continue;1397 res = p->fn(state, line + oplen, patch);1398if(res <0)1399return-1;1400if(check_header_line(state, patch))1401return-1;1402if(res >0)1403return offset;1404break;1405}1406}14071408return offset;1409}14101411static intparse_num(const char*line,unsigned long*p)1412{1413char*ptr;14141415if(!isdigit(*line))1416return0;1417*p =strtoul(line, &ptr,10);1418return ptr - line;1419}14201421static intparse_range(const char*line,int len,int offset,const char*expect,1422unsigned long*p1,unsigned long*p2)1423{1424int digits, ex;14251426if(offset <0|| offset >= len)1427return-1;1428 line += offset;1429 len -= offset;14301431 digits =parse_num(line, p1);1432if(!digits)1433return-1;14341435 offset += digits;1436 line += digits;1437 len -= digits;14381439*p2 =1;1440if(*line ==',') {1441 digits =parse_num(line+1, p2);1442if(!digits)1443return-1;14441445 offset += digits+1;1446 line += digits+1;1447 len -= digits+1;1448}14491450 ex =strlen(expect);1451if(ex > len)1452return-1;1453if(memcmp(line, expect, ex))1454return-1;14551456return offset + ex;1457}14581459static voidrecount_diff(const char*line,int size,struct fragment *fragment)1460{1461int oldlines =0, newlines =0, ret =0;14621463if(size <1) {1464warning("recount: ignore empty hunk");1465return;1466}14671468for(;;) {1469int len =linelen(line, size);1470 size -= len;1471 line += len;14721473if(size <1)1474break;14751476switch(*line) {1477case' ':case'\n':1478 newlines++;1479/* fall through */1480case'-':1481 oldlines++;1482continue;1483case'+':1484 newlines++;1485continue;1486case'\\':1487continue;1488case'@':1489 ret = size <3|| !starts_with(line,"@@ ");1490break;1491case'd':1492 ret = size <5|| !starts_with(line,"diff ");1493break;1494default:1495 ret = -1;1496break;1497}1498if(ret) {1499warning(_("recount: unexpected line: %.*s"),1500(int)linelen(line, size), line);1501return;1502}1503break;1504}1505 fragment->oldlines = oldlines;1506 fragment->newlines = newlines;1507}15081509/*1510 * Parse a unified diff fragment header of the1511 * form "@@ -a,b +c,d @@"1512 */1513static intparse_fragment_header(const char*line,int len,struct fragment *fragment)1514{1515int offset;15161517if(!len || line[len-1] !='\n')1518return-1;15191520/* Figure out the number of lines in a fragment */1521 offset =parse_range(line, len,4," +", &fragment->oldpos, &fragment->oldlines);1522 offset =parse_range(line, len, offset," @@", &fragment->newpos, &fragment->newlines);15231524return offset;1525}15261527/*1528 * Find file diff header1529 *1530 * Returns:1531 * -1 if no header was found1532 * -128 in case of error1533 * the size of the header in bytes (called "offset") otherwise1534 */1535static intfind_header(struct apply_state *state,1536const char*line,1537unsigned long size,1538int*hdrsize,1539struct patch *patch)1540{1541unsigned long offset, len;15421543 patch->is_toplevel_relative =0;1544 patch->is_rename = patch->is_copy =0;1545 patch->is_new = patch->is_delete = -1;1546 patch->old_mode = patch->new_mode =0;1547 patch->old_name = patch->new_name = NULL;1548for(offset =0; size >0; offset += len, size -= len, line += len, state->linenr++) {1549unsigned long nextlen;15501551 len =linelen(line, size);1552if(!len)1553break;15541555/* Testing this early allows us to take a few shortcuts.. */1556if(len <6)1557continue;15581559/*1560 * Make sure we don't find any unconnected patch fragments.1561 * That's a sign that we didn't find a header, and that a1562 * patch has become corrupted/broken up.1563 */1564if(!memcmp("@@ -", line,4)) {1565struct fragment dummy;1566if(parse_fragment_header(line, len, &dummy) <0)1567continue;1568error(_("patch fragment without header at line%d: %.*s"),1569 state->linenr, (int)len-1, line);1570return-128;1571}15721573if(size < len +6)1574break;15751576/*1577 * Git patch? It might not have a real patch, just a rename1578 * or mode change, so we handle that specially1579 */1580if(!memcmp("diff --git ", line,11)) {1581int git_hdr_len =parse_git_header(state, line, len, size, patch);1582if(git_hdr_len <0)1583return-128;1584if(git_hdr_len <= len)1585continue;1586if(!patch->old_name && !patch->new_name) {1587if(!patch->def_name) {1588error(Q_("git diff header lacks filename information when removing "1589"%dleading pathname component (line%d)",1590"git diff header lacks filename information when removing "1591"%dleading pathname components (line%d)",1592 state->p_value),1593 state->p_value, state->linenr);1594return-128;1595}1596 patch->old_name =xstrdup(patch->def_name);1597 patch->new_name =xstrdup(patch->def_name);1598}1599if((!patch->new_name && !patch->is_delete) ||1600(!patch->old_name && !patch->is_new)) {1601error(_("git diff header lacks filename information "1602"(line%d)"), state->linenr);1603return-128;1604}1605 patch->is_toplevel_relative =1;1606*hdrsize = git_hdr_len;1607return offset;1608}16091610/* --- followed by +++ ? */1611if(memcmp("--- ", line,4) ||memcmp("+++ ", line + len,4))1612continue;16131614/*1615 * We only accept unified patches, so we want it to1616 * at least have "@@ -a,b +c,d @@\n", which is 14 chars1617 * minimum ("@@ -0,0 +1 @@\n" is the shortest).1618 */1619 nextlen =linelen(line + len, size - len);1620if(size < nextlen +14||memcmp("@@ -", line + len + nextlen,4))1621continue;16221623/* Ok, we'll consider it a patch */1624if(parse_traditional_patch(state, line, line+len, patch))1625return-128;1626*hdrsize = len + nextlen;1627 state->linenr +=2;1628return offset;1629}1630return-1;1631}16321633static voidrecord_ws_error(struct apply_state *state,1634unsigned result,1635const char*line,1636int len,1637int linenr)1638{1639char*err;16401641if(!result)1642return;16431644 state->whitespace_error++;1645if(state->squelch_whitespace_errors &&1646 state->squelch_whitespace_errors < state->whitespace_error)1647return;16481649 err =whitespace_error_string(result);1650if(state->apply_verbosity > verbosity_silent)1651fprintf(stderr,"%s:%d:%s.\n%.*s\n",1652 state->patch_input_file, linenr, err, len, line);1653free(err);1654}16551656static voidcheck_whitespace(struct apply_state *state,1657const char*line,1658int len,1659unsigned ws_rule)1660{1661unsigned result =ws_check(line +1, len -1, ws_rule);16621663record_ws_error(state, result, line +1, len -2, state->linenr);1664}16651666/*1667 * Check if the patch has context lines with CRLF or1668 * the patch wants to remove lines with CRLF.1669 */1670static voidcheck_old_for_crlf(struct patch *patch,const char*line,int len)1671{1672if(len >=2&& line[len-1] =='\n'&& line[len-2] =='\r') {1673 patch->ws_rule |= WS_CR_AT_EOL;1674 patch->crlf_in_old =1;1675}1676}167716781679/*1680 * Parse a unified diff. Note that this really needs to parse each1681 * fragment separately, since the only way to know the difference1682 * between a "---" that is part of a patch, and a "---" that starts1683 * the next patch is to look at the line counts..1684 */1685static intparse_fragment(struct apply_state *state,1686const char*line,1687unsigned long size,1688struct patch *patch,1689struct fragment *fragment)1690{1691int added, deleted;1692int len =linelen(line, size), offset;1693unsigned long oldlines, newlines;1694unsigned long leading, trailing;16951696 offset =parse_fragment_header(line, len, fragment);1697if(offset <0)1698return-1;1699if(offset >0&& patch->recount)1700recount_diff(line + offset, size - offset, fragment);1701 oldlines = fragment->oldlines;1702 newlines = fragment->newlines;1703 leading =0;1704 trailing =0;17051706/* Parse the thing.. */1707 line += len;1708 size -= len;1709 state->linenr++;1710 added = deleted =0;1711for(offset = len;17120< size;1713 offset += len, size -= len, line += len, state->linenr++) {1714if(!oldlines && !newlines)1715break;1716 len =linelen(line, size);1717if(!len || line[len-1] !='\n')1718return-1;1719switch(*line) {1720default:1721return-1;1722case'\n':/* newer GNU diff, an empty context line */1723case' ':1724 oldlines--;1725 newlines--;1726if(!deleted && !added)1727 leading++;1728 trailing++;1729check_old_for_crlf(patch, line, len);1730if(!state->apply_in_reverse &&1731 state->ws_error_action == correct_ws_error)1732check_whitespace(state, line, len, patch->ws_rule);1733break;1734case'-':1735if(!state->apply_in_reverse)1736check_old_for_crlf(patch, line, len);1737if(state->apply_in_reverse &&1738 state->ws_error_action != nowarn_ws_error)1739check_whitespace(state, line, len, patch->ws_rule);1740 deleted++;1741 oldlines--;1742 trailing =0;1743break;1744case'+':1745if(state->apply_in_reverse)1746check_old_for_crlf(patch, line, len);1747if(!state->apply_in_reverse &&1748 state->ws_error_action != nowarn_ws_error)1749check_whitespace(state, line, len, patch->ws_rule);1750 added++;1751 newlines--;1752 trailing =0;1753break;17541755/*1756 * We allow "\ No newline at end of file". Depending1757 * on locale settings when the patch was produced we1758 * don't know what this line looks like. The only1759 * thing we do know is that it begins with "\ ".1760 * Checking for 12 is just for sanity check -- any1761 * l10n of "\ No newline..." is at least that long.1762 */1763case'\\':1764if(len <12||memcmp(line,"\\",2))1765return-1;1766break;1767}1768}1769if(oldlines || newlines)1770return-1;1771if(!deleted && !added)1772return-1;17731774 fragment->leading = leading;1775 fragment->trailing = trailing;17761777/*1778 * If a fragment ends with an incomplete line, we failed to include1779 * it in the above loop because we hit oldlines == newlines == 01780 * before seeing it.1781 */1782if(12< size && !memcmp(line,"\\",2))1783 offset +=linelen(line, size);17841785 patch->lines_added += added;1786 patch->lines_deleted += deleted;17871788if(0< patch->is_new && oldlines)1789returnerror(_("new file depends on old contents"));1790if(0< patch->is_delete && newlines)1791returnerror(_("deleted file still has contents"));1792return offset;1793}17941795/*1796 * We have seen "diff --git a/... b/..." header (or a traditional patch1797 * header). Read hunks that belong to this patch into fragments and hang1798 * them to the given patch structure.1799 *1800 * The (fragment->patch, fragment->size) pair points into the memory given1801 * by the caller, not a copy, when we return.1802 *1803 * Returns:1804 * -1 in case of error,1805 * the number of bytes in the patch otherwise.1806 */1807static intparse_single_patch(struct apply_state *state,1808const char*line,1809unsigned long size,1810struct patch *patch)1811{1812unsigned long offset =0;1813unsigned long oldlines =0, newlines =0, context =0;1814struct fragment **fragp = &patch->fragments;18151816while(size >4&& !memcmp(line,"@@ -",4)) {1817struct fragment *fragment;1818int len;18191820 fragment =xcalloc(1,sizeof(*fragment));1821 fragment->linenr = state->linenr;1822 len =parse_fragment(state, line, size, patch, fragment);1823if(len <=0) {1824free(fragment);1825returnerror(_("corrupt patch at line%d"), state->linenr);1826}1827 fragment->patch = line;1828 fragment->size = len;1829 oldlines += fragment->oldlines;1830 newlines += fragment->newlines;1831 context += fragment->leading + fragment->trailing;18321833*fragp = fragment;1834 fragp = &fragment->next;18351836 offset += len;1837 line += len;1838 size -= len;1839}18401841/*1842 * If something was removed (i.e. we have old-lines) it cannot1843 * be creation, and if something was added it cannot be1844 * deletion. However, the reverse is not true; --unified=01845 * patches that only add are not necessarily creation even1846 * though they do not have any old lines, and ones that only1847 * delete are not necessarily deletion.1848 *1849 * Unfortunately, a real creation/deletion patch do _not_ have1850 * any context line by definition, so we cannot safely tell it1851 * apart with --unified=0 insanity. At least if the patch has1852 * more than one hunk it is not creation or deletion.1853 */1854if(patch->is_new <0&&1855(oldlines || (patch->fragments && patch->fragments->next)))1856 patch->is_new =0;1857if(patch->is_delete <0&&1858(newlines || (patch->fragments && patch->fragments->next)))1859 patch->is_delete =0;18601861if(0< patch->is_new && oldlines)1862returnerror(_("new file%sdepends on old contents"), patch->new_name);1863if(0< patch->is_delete && newlines)1864returnerror(_("deleted file%sstill has contents"), patch->old_name);1865if(!patch->is_delete && !newlines && context && state->apply_verbosity > verbosity_silent)1866fprintf_ln(stderr,1867_("** warning: "1868"file%sbecomes empty but is not deleted"),1869 patch->new_name);18701871return offset;1872}18731874staticinlineintmetadata_changes(struct patch *patch)1875{1876return patch->is_rename >0||1877 patch->is_copy >0||1878 patch->is_new >0||1879 patch->is_delete ||1880(patch->old_mode && patch->new_mode &&1881 patch->old_mode != patch->new_mode);1882}18831884static char*inflate_it(const void*data,unsigned long size,1885unsigned long inflated_size)1886{1887 git_zstream stream;1888void*out;1889int st;18901891memset(&stream,0,sizeof(stream));18921893 stream.next_in = (unsigned char*)data;1894 stream.avail_in = size;1895 stream.next_out = out =xmalloc(inflated_size);1896 stream.avail_out = inflated_size;1897git_inflate_init(&stream);1898 st =git_inflate(&stream, Z_FINISH);1899git_inflate_end(&stream);1900if((st != Z_STREAM_END) || stream.total_out != inflated_size) {1901free(out);1902return NULL;1903}1904return out;1905}19061907/*1908 * Read a binary hunk and return a new fragment; fragment->patch1909 * points at an allocated memory that the caller must free, so1910 * it is marked as "->free_patch = 1".1911 */1912static struct fragment *parse_binary_hunk(struct apply_state *state,1913char**buf_p,1914unsigned long*sz_p,1915int*status_p,1916int*used_p)1917{1918/*1919 * Expect a line that begins with binary patch method ("literal"1920 * or "delta"), followed by the length of data before deflating.1921 * a sequence of 'length-byte' followed by base-85 encoded data1922 * should follow, terminated by a newline.1923 *1924 * Each 5-byte sequence of base-85 encodes up to 4 bytes,1925 * and we would limit the patch line to 66 characters,1926 * so one line can fit up to 13 groups that would decode1927 * to 52 bytes max. The length byte 'A'-'Z' corresponds1928 * to 1-26 bytes, and 'a'-'z' corresponds to 27-52 bytes.1929 */1930int llen, used;1931unsigned long size = *sz_p;1932char*buffer = *buf_p;1933int patch_method;1934unsigned long origlen;1935char*data = NULL;1936int hunk_size =0;1937struct fragment *frag;19381939 llen =linelen(buffer, size);1940 used = llen;19411942*status_p =0;19431944if(starts_with(buffer,"delta ")) {1945 patch_method = BINARY_DELTA_DEFLATED;1946 origlen =strtoul(buffer +6, NULL,10);1947}1948else if(starts_with(buffer,"literal ")) {1949 patch_method = BINARY_LITERAL_DEFLATED;1950 origlen =strtoul(buffer +8, NULL,10);1951}1952else1953return NULL;19541955 state->linenr++;1956 buffer += llen;1957while(1) {1958int byte_length, max_byte_length, newsize;1959 llen =linelen(buffer, size);1960 used += llen;1961 state->linenr++;1962if(llen ==1) {1963/* consume the blank line */1964 buffer++;1965 size--;1966break;1967}1968/*1969 * Minimum line is "A00000\n" which is 7-byte long,1970 * and the line length must be multiple of 5 plus 2.1971 */1972if((llen <7) || (llen-2) %5)1973goto corrupt;1974 max_byte_length = (llen -2) /5*4;1975 byte_length = *buffer;1976if('A'<= byte_length && byte_length <='Z')1977 byte_length = byte_length -'A'+1;1978else if('a'<= byte_length && byte_length <='z')1979 byte_length = byte_length -'a'+27;1980else1981goto corrupt;1982/* if the input length was not multiple of 4, we would1983 * have filler at the end but the filler should never1984 * exceed 3 bytes1985 */1986if(max_byte_length < byte_length ||1987 byte_length <= max_byte_length -4)1988goto corrupt;1989 newsize = hunk_size + byte_length;1990 data =xrealloc(data, newsize);1991if(decode_85(data + hunk_size, buffer +1, byte_length))1992goto corrupt;1993 hunk_size = newsize;1994 buffer += llen;1995 size -= llen;1996}19971998 frag =xcalloc(1,sizeof(*frag));1999 frag->patch =inflate_it(data, hunk_size, origlen);2000 frag->free_patch =1;2001if(!frag->patch)2002goto corrupt;2003free(data);2004 frag->size = origlen;2005*buf_p = buffer;2006*sz_p = size;2007*used_p = used;2008 frag->binary_patch_method = patch_method;2009return frag;20102011 corrupt:2012free(data);2013*status_p = -1;2014error(_("corrupt binary patch at line%d: %.*s"),2015 state->linenr-1, llen-1, buffer);2016return NULL;2017}20182019/*2020 * Returns:2021 * -1 in case of error,2022 * the length of the parsed binary patch otherwise2023 */2024static intparse_binary(struct apply_state *state,2025char*buffer,2026unsigned long size,2027struct patch *patch)2028{2029/*2030 * We have read "GIT binary patch\n"; what follows is a line2031 * that says the patch method (currently, either "literal" or2032 * "delta") and the length of data before deflating; a2033 * sequence of 'length-byte' followed by base-85 encoded data2034 * follows.2035 *2036 * When a binary patch is reversible, there is another binary2037 * hunk in the same format, starting with patch method (either2038 * "literal" or "delta") with the length of data, and a sequence2039 * of length-byte + base-85 encoded data, terminated with another2040 * empty line. This data, when applied to the postimage, produces2041 * the preimage.2042 */2043struct fragment *forward;2044struct fragment *reverse;2045int status;2046int used, used_1;20472048 forward =parse_binary_hunk(state, &buffer, &size, &status, &used);2049if(!forward && !status)2050/* there has to be one hunk (forward hunk) */2051returnerror(_("unrecognized binary patch at line%d"), state->linenr-1);2052if(status)2053/* otherwise we already gave an error message */2054return status;20552056 reverse =parse_binary_hunk(state, &buffer, &size, &status, &used_1);2057if(reverse)2058 used += used_1;2059else if(status) {2060/*2061 * Not having reverse hunk is not an error, but having2062 * a corrupt reverse hunk is.2063 */2064free((void*) forward->patch);2065free(forward);2066return status;2067}2068 forward->next = reverse;2069 patch->fragments = forward;2070 patch->is_binary =1;2071return used;2072}20732074static voidprefix_one(struct apply_state *state,char**name)2075{2076char*old_name = *name;2077if(!old_name)2078return;2079*name =prefix_filename(state->prefix, *name);2080free(old_name);2081}20822083static voidprefix_patch(struct apply_state *state,struct patch *p)2084{2085if(!state->prefix || p->is_toplevel_relative)2086return;2087prefix_one(state, &p->new_name);2088prefix_one(state, &p->old_name);2089}20902091/*2092 * include/exclude2093 */20942095static voidadd_name_limit(struct apply_state *state,2096const char*name,2097int exclude)2098{2099struct string_list_item *it;21002101 it =string_list_append(&state->limit_by_name, name);2102 it->util = exclude ? NULL : (void*)1;2103}21042105static intuse_patch(struct apply_state *state,struct patch *p)2106{2107const char*pathname = p->new_name ? p->new_name : p->old_name;2108int i;21092110/* Paths outside are not touched regardless of "--include" */2111if(0< state->prefix_length) {2112int pathlen =strlen(pathname);2113if(pathlen <= state->prefix_length ||2114memcmp(state->prefix, pathname, state->prefix_length))2115return0;2116}21172118/* See if it matches any of exclude/include rule */2119for(i =0; i < state->limit_by_name.nr; i++) {2120struct string_list_item *it = &state->limit_by_name.items[i];2121if(!wildmatch(it->string, pathname,0))2122return(it->util != NULL);2123}21242125/*2126 * If we had any include, a path that does not match any rule is2127 * not used. Otherwise, we saw bunch of exclude rules (or none)2128 * and such a path is used.2129 */2130return!state->has_include;2131}21322133/*2134 * Read the patch text in "buffer" that extends for "size" bytes; stop2135 * reading after seeing a single patch (i.e. changes to a single file).2136 * Create fragments (i.e. patch hunks) and hang them to the given patch.2137 *2138 * Returns:2139 * -1 if no header was found or parse_binary() failed,2140 * -128 on another error,2141 * the number of bytes consumed otherwise,2142 * so that the caller can call us again for the next patch.2143 */2144static intparse_chunk(struct apply_state *state,char*buffer,unsigned long size,struct patch *patch)2145{2146int hdrsize, patchsize;2147int offset =find_header(state, buffer, size, &hdrsize, patch);21482149if(offset <0)2150return offset;21512152prefix_patch(state, patch);21532154if(!use_patch(state, patch))2155 patch->ws_rule =0;2156else2157 patch->ws_rule =whitespace_rule(patch->new_name2158? patch->new_name2159: patch->old_name);21602161 patchsize =parse_single_patch(state,2162 buffer + offset + hdrsize,2163 size - offset - hdrsize,2164 patch);21652166if(patchsize <0)2167return-128;21682169if(!patchsize) {2170static const char git_binary[] ="GIT binary patch\n";2171int hd = hdrsize + offset;2172unsigned long llen =linelen(buffer + hd, size - hd);21732174if(llen ==sizeof(git_binary) -1&&2175!memcmp(git_binary, buffer + hd, llen)) {2176int used;2177 state->linenr++;2178 used =parse_binary(state, buffer + hd + llen,2179 size - hd - llen, patch);2180if(used <0)2181return-1;2182if(used)2183 patchsize = used + llen;2184else2185 patchsize =0;2186}2187else if(!memcmp(" differ\n", buffer + hd + llen -8,8)) {2188static const char*binhdr[] = {2189"Binary files ",2190"Files ",2191 NULL,2192};2193int i;2194for(i =0; binhdr[i]; i++) {2195int len =strlen(binhdr[i]);2196if(len < size - hd &&2197!memcmp(binhdr[i], buffer + hd, len)) {2198 state->linenr++;2199 patch->is_binary =1;2200 patchsize = llen;2201break;2202}2203}2204}22052206/* Empty patch cannot be applied if it is a text patch2207 * without metadata change. A binary patch appears2208 * empty to us here.2209 */2210if((state->apply || state->check) &&2211(!patch->is_binary && !metadata_changes(patch))) {2212error(_("patch with only garbage at line%d"), state->linenr);2213return-128;2214}2215}22162217return offset + hdrsize + patchsize;2218}22192220static voidreverse_patches(struct patch *p)2221{2222for(; p; p = p->next) {2223struct fragment *frag = p->fragments;22242225SWAP(p->new_name, p->old_name);2226SWAP(p->new_mode, p->old_mode);2227SWAP(p->is_new, p->is_delete);2228SWAP(p->lines_added, p->lines_deleted);2229SWAP(p->old_sha1_prefix, p->new_sha1_prefix);22302231for(; frag; frag = frag->next) {2232SWAP(frag->newpos, frag->oldpos);2233SWAP(frag->newlines, frag->oldlines);2234}2235}2236}22372238static const char pluses[] =2239"++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++";2240static const char minuses[]=2241"----------------------------------------------------------------------";22422243static voidshow_stats(struct apply_state *state,struct patch *patch)2244{2245struct strbuf qname = STRBUF_INIT;2246char*cp = patch->new_name ? patch->new_name : patch->old_name;2247int max, add, del;22482249quote_c_style(cp, &qname, NULL,0);22502251/*2252 * "scale" the filename2253 */2254 max = state->max_len;2255if(max >50)2256 max =50;22572258if(qname.len > max) {2259 cp =strchr(qname.buf + qname.len +3- max,'/');2260if(!cp)2261 cp = qname.buf + qname.len +3- max;2262strbuf_splice(&qname,0, cp - qname.buf,"...",3);2263}22642265if(patch->is_binary) {2266printf(" %-*s | Bin\n", max, qname.buf);2267strbuf_release(&qname);2268return;2269}22702271printf(" %-*s |", max, qname.buf);2272strbuf_release(&qname);22732274/*2275 * scale the add/delete2276 */2277 max = max + state->max_change >70?70- max : state->max_change;2278 add = patch->lines_added;2279 del = patch->lines_deleted;22802281if(state->max_change >0) {2282int total = ((add + del) * max + state->max_change /2) / state->max_change;2283 add = (add * max + state->max_change /2) / state->max_change;2284 del = total - add;2285}2286printf("%5d %.*s%.*s\n", patch->lines_added + patch->lines_deleted,2287 add, pluses, del, minuses);2288}22892290static intread_old_data(struct stat *st,struct patch *patch,2291const char*path,struct strbuf *buf)2292{2293enum safe_crlf safe_crlf = patch->crlf_in_old ?2294 SAFE_CRLF_KEEP_CRLF : SAFE_CRLF_RENORMALIZE;2295switch(st->st_mode & S_IFMT) {2296case S_IFLNK:2297if(strbuf_readlink(buf, path, st->st_size) <0)2298returnerror(_("unable to read symlink%s"), path);2299return0;2300case S_IFREG:2301if(strbuf_read_file(buf, path, st->st_size) != st->st_size)2302returnerror(_("unable to open or read%s"), path);2303/*2304 * "git apply" without "--index/--cached" should never look2305 * at the index; the target file may not have been added to2306 * the index yet, and we may not even be in any Git repository.2307 * Pass NULL to convert_to_git() to stress this; the function2308 * should never look at the index when explicit crlf option2309 * is given.2310 */2311convert_to_git(NULL, path, buf->buf, buf->len, buf, safe_crlf);2312return0;2313default:2314return-1;2315}2316}23172318/*2319 * Update the preimage, and the common lines in postimage,2320 * from buffer buf of length len. If postlen is 0 the postimage2321 * is updated in place, otherwise it's updated on a new buffer2322 * of length postlen2323 */23242325static voidupdate_pre_post_images(struct image *preimage,2326struct image *postimage,2327char*buf,2328size_t len,size_t postlen)2329{2330int i, ctx, reduced;2331char*new, *old, *fixed;2332struct image fixed_preimage;23332334/*2335 * Update the preimage with whitespace fixes. Note that we2336 * are not losing preimage->buf -- apply_one_fragment() will2337 * free "oldlines".2338 */2339prepare_image(&fixed_preimage, buf, len,1);2340assert(postlen2341? fixed_preimage.nr == preimage->nr2342: fixed_preimage.nr <= preimage->nr);2343for(i =0; i < fixed_preimage.nr; i++)2344 fixed_preimage.line[i].flag = preimage->line[i].flag;2345free(preimage->line_allocated);2346*preimage = fixed_preimage;23472348/*2349 * Adjust the common context lines in postimage. This can be2350 * done in-place when we are shrinking it with whitespace2351 * fixing, but needs a new buffer when ignoring whitespace or2352 * expanding leading tabs to spaces.2353 *2354 * We trust the caller to tell us if the update can be done2355 * in place (postlen==0) or not.2356 */2357 old = postimage->buf;2358if(postlen)2359new= postimage->buf =xmalloc(postlen);2360else2361new= old;2362 fixed = preimage->buf;23632364for(i = reduced = ctx =0; i < postimage->nr; i++) {2365size_t l_len = postimage->line[i].len;2366if(!(postimage->line[i].flag & LINE_COMMON)) {2367/* an added line -- no counterparts in preimage */2368memmove(new, old, l_len);2369 old += l_len;2370new+= l_len;2371continue;2372}23732374/* a common context -- skip it in the original postimage */2375 old += l_len;23762377/* and find the corresponding one in the fixed preimage */2378while(ctx < preimage->nr &&2379!(preimage->line[ctx].flag & LINE_COMMON)) {2380 fixed += preimage->line[ctx].len;2381 ctx++;2382}23832384/*2385 * preimage is expected to run out, if the caller2386 * fixed addition of trailing blank lines.2387 */2388if(preimage->nr <= ctx) {2389 reduced++;2390continue;2391}23922393/* and copy it in, while fixing the line length */2394 l_len = preimage->line[ctx].len;2395memcpy(new, fixed, l_len);2396new+= l_len;2397 fixed += l_len;2398 postimage->line[i].len = l_len;2399 ctx++;2400}24012402if(postlen2403? postlen <new- postimage->buf2404: postimage->len <new- postimage->buf)2405die("BUG: caller miscounted postlen: asked%d, orig =%d, used =%d",2406(int)postlen, (int) postimage->len, (int)(new- postimage->buf));24072408/* Fix the length of the whole thing */2409 postimage->len =new- postimage->buf;2410 postimage->nr -= reduced;2411}24122413static intline_by_line_fuzzy_match(struct image *img,2414struct image *preimage,2415struct image *postimage,2416unsigned longtry,2417int try_lno,2418int preimage_limit)2419{2420int i;2421size_t imgoff =0;2422size_t preoff =0;2423size_t postlen = postimage->len;2424size_t extra_chars;2425char*buf;2426char*preimage_eof;2427char*preimage_end;2428struct strbuf fixed;2429char*fixed_buf;2430size_t fixed_len;24312432for(i =0; i < preimage_limit; i++) {2433size_t prelen = preimage->line[i].len;2434size_t imglen = img->line[try_lno+i].len;24352436if(!fuzzy_matchlines(img->buf +try+ imgoff, imglen,2437 preimage->buf + preoff, prelen))2438return0;2439if(preimage->line[i].flag & LINE_COMMON)2440 postlen += imglen - prelen;2441 imgoff += imglen;2442 preoff += prelen;2443}24442445/*2446 * Ok, the preimage matches with whitespace fuzz.2447 *2448 * imgoff now holds the true length of the target that2449 * matches the preimage before the end of the file.2450 *2451 * Count the number of characters in the preimage that fall2452 * beyond the end of the file and make sure that all of them2453 * are whitespace characters. (This can only happen if2454 * we are removing blank lines at the end of the file.)2455 */2456 buf = preimage_eof = preimage->buf + preoff;2457for( ; i < preimage->nr; i++)2458 preoff += preimage->line[i].len;2459 preimage_end = preimage->buf + preoff;2460for( ; buf < preimage_end; buf++)2461if(!isspace(*buf))2462return0;24632464/*2465 * Update the preimage and the common postimage context2466 * lines to use the same whitespace as the target.2467 * If whitespace is missing in the target (i.e.2468 * if the preimage extends beyond the end of the file),2469 * use the whitespace from the preimage.2470 */2471 extra_chars = preimage_end - preimage_eof;2472strbuf_init(&fixed, imgoff + extra_chars);2473strbuf_add(&fixed, img->buf +try, imgoff);2474strbuf_add(&fixed, preimage_eof, extra_chars);2475 fixed_buf =strbuf_detach(&fixed, &fixed_len);2476update_pre_post_images(preimage, postimage,2477 fixed_buf, fixed_len, postlen);2478return1;2479}24802481static intmatch_fragment(struct apply_state *state,2482struct image *img,2483struct image *preimage,2484struct image *postimage,2485unsigned longtry,2486int try_lno,2487unsigned ws_rule,2488int match_beginning,int match_end)2489{2490int i;2491char*fixed_buf, *buf, *orig, *target;2492struct strbuf fixed;2493size_t fixed_len, postlen;2494int preimage_limit;24952496if(preimage->nr + try_lno <= img->nr) {2497/*2498 * The hunk falls within the boundaries of img.2499 */2500 preimage_limit = preimage->nr;2501if(match_end && (preimage->nr + try_lno != img->nr))2502return0;2503}else if(state->ws_error_action == correct_ws_error &&2504(ws_rule & WS_BLANK_AT_EOF)) {2505/*2506 * This hunk extends beyond the end of img, and we are2507 * removing blank lines at the end of the file. This2508 * many lines from the beginning of the preimage must2509 * match with img, and the remainder of the preimage2510 * must be blank.2511 */2512 preimage_limit = img->nr - try_lno;2513}else{2514/*2515 * The hunk extends beyond the end of the img and2516 * we are not removing blanks at the end, so we2517 * should reject the hunk at this position.2518 */2519return0;2520}25212522if(match_beginning && try_lno)2523return0;25242525/* Quick hash check */2526for(i =0; i < preimage_limit; i++)2527if((img->line[try_lno + i].flag & LINE_PATCHED) ||2528(preimage->line[i].hash != img->line[try_lno + i].hash))2529return0;25302531if(preimage_limit == preimage->nr) {2532/*2533 * Do we have an exact match? If we were told to match2534 * at the end, size must be exactly at try+fragsize,2535 * otherwise try+fragsize must be still within the preimage,2536 * and either case, the old piece should match the preimage2537 * exactly.2538 */2539if((match_end2540? (try+ preimage->len == img->len)2541: (try+ preimage->len <= img->len)) &&2542!memcmp(img->buf +try, preimage->buf, preimage->len))2543return1;2544}else{2545/*2546 * The preimage extends beyond the end of img, so2547 * there cannot be an exact match.2548 *2549 * There must be one non-blank context line that match2550 * a line before the end of img.2551 */2552char*buf_end;25532554 buf = preimage->buf;2555 buf_end = buf;2556for(i =0; i < preimage_limit; i++)2557 buf_end += preimage->line[i].len;25582559for( ; buf < buf_end; buf++)2560if(!isspace(*buf))2561break;2562if(buf == buf_end)2563return0;2564}25652566/*2567 * No exact match. If we are ignoring whitespace, run a line-by-line2568 * fuzzy matching. We collect all the line length information because2569 * we need it to adjust whitespace if we match.2570 */2571if(state->ws_ignore_action == ignore_ws_change)2572returnline_by_line_fuzzy_match(img, preimage, postimage,2573try, try_lno, preimage_limit);25742575if(state->ws_error_action != correct_ws_error)2576return0;25772578/*2579 * The hunk does not apply byte-by-byte, but the hash says2580 * it might with whitespace fuzz. We weren't asked to2581 * ignore whitespace, we were asked to correct whitespace2582 * errors, so let's try matching after whitespace correction.2583 *2584 * While checking the preimage against the target, whitespace2585 * errors in both fixed, we count how large the corresponding2586 * postimage needs to be. The postimage prepared by2587 * apply_one_fragment() has whitespace errors fixed on added2588 * lines already, but the common lines were propagated as-is,2589 * which may become longer when their whitespace errors are2590 * fixed.2591 */25922593/* First count added lines in postimage */2594 postlen =0;2595for(i =0; i < postimage->nr; i++) {2596if(!(postimage->line[i].flag & LINE_COMMON))2597 postlen += postimage->line[i].len;2598}25992600/*2601 * The preimage may extend beyond the end of the file,2602 * but in this loop we will only handle the part of the2603 * preimage that falls within the file.2604 */2605strbuf_init(&fixed, preimage->len +1);2606 orig = preimage->buf;2607 target = img->buf +try;2608for(i =0; i < preimage_limit; i++) {2609size_t oldlen = preimage->line[i].len;2610size_t tgtlen = img->line[try_lno + i].len;2611size_t fixstart = fixed.len;2612struct strbuf tgtfix;2613int match;26142615/* Try fixing the line in the preimage */2616ws_fix_copy(&fixed, orig, oldlen, ws_rule, NULL);26172618/* Try fixing the line in the target */2619strbuf_init(&tgtfix, tgtlen);2620ws_fix_copy(&tgtfix, target, tgtlen, ws_rule, NULL);26212622/*2623 * If they match, either the preimage was based on2624 * a version before our tree fixed whitespace breakage,2625 * or we are lacking a whitespace-fix patch the tree2626 * the preimage was based on already had (i.e. target2627 * has whitespace breakage, the preimage doesn't).2628 * In either case, we are fixing the whitespace breakages2629 * so we might as well take the fix together with their2630 * real change.2631 */2632 match = (tgtfix.len == fixed.len - fixstart &&2633!memcmp(tgtfix.buf, fixed.buf + fixstart,2634 fixed.len - fixstart));26352636/* Add the length if this is common with the postimage */2637if(preimage->line[i].flag & LINE_COMMON)2638 postlen += tgtfix.len;26392640strbuf_release(&tgtfix);2641if(!match)2642goto unmatch_exit;26432644 orig += oldlen;2645 target += tgtlen;2646}264726482649/*2650 * Now handle the lines in the preimage that falls beyond the2651 * end of the file (if any). They will only match if they are2652 * empty or only contain whitespace (if WS_BLANK_AT_EOL is2653 * false).2654 */2655for( ; i < preimage->nr; i++) {2656size_t fixstart = fixed.len;/* start of the fixed preimage */2657size_t oldlen = preimage->line[i].len;2658int j;26592660/* Try fixing the line in the preimage */2661ws_fix_copy(&fixed, orig, oldlen, ws_rule, NULL);26622663for(j = fixstart; j < fixed.len; j++)2664if(!isspace(fixed.buf[j]))2665goto unmatch_exit;26662667 orig += oldlen;2668}26692670/*2671 * Yes, the preimage is based on an older version that still2672 * has whitespace breakages unfixed, and fixing them makes the2673 * hunk match. Update the context lines in the postimage.2674 */2675 fixed_buf =strbuf_detach(&fixed, &fixed_len);2676if(postlen < postimage->len)2677 postlen =0;2678update_pre_post_images(preimage, postimage,2679 fixed_buf, fixed_len, postlen);2680return1;26812682 unmatch_exit:2683strbuf_release(&fixed);2684return0;2685}26862687static intfind_pos(struct apply_state *state,2688struct image *img,2689struct image *preimage,2690struct image *postimage,2691int line,2692unsigned ws_rule,2693int match_beginning,int match_end)2694{2695int i;2696unsigned long backwards, forwards,try;2697int backwards_lno, forwards_lno, try_lno;26982699/*2700 * If match_beginning or match_end is specified, there is no2701 * point starting from a wrong line that will never match and2702 * wander around and wait for a match at the specified end.2703 */2704if(match_beginning)2705 line =0;2706else if(match_end)2707 line = img->nr - preimage->nr;27082709/*2710 * Because the comparison is unsigned, the following test2711 * will also take care of a negative line number that can2712 * result when match_end and preimage is larger than the target.2713 */2714if((size_t) line > img->nr)2715 line = img->nr;27162717try=0;2718for(i =0; i < line; i++)2719try+= img->line[i].len;27202721/*2722 * There's probably some smart way to do this, but I'll leave2723 * that to the smart and beautiful people. I'm simple and stupid.2724 */2725 backwards =try;2726 backwards_lno = line;2727 forwards =try;2728 forwards_lno = line;2729 try_lno = line;27302731for(i =0; ; i++) {2732if(match_fragment(state, img, preimage, postimage,2733try, try_lno, ws_rule,2734 match_beginning, match_end))2735return try_lno;27362737 again:2738if(backwards_lno ==0&& forwards_lno == img->nr)2739break;27402741if(i &1) {2742if(backwards_lno ==0) {2743 i++;2744goto again;2745}2746 backwards_lno--;2747 backwards -= img->line[backwards_lno].len;2748try= backwards;2749 try_lno = backwards_lno;2750}else{2751if(forwards_lno == img->nr) {2752 i++;2753goto again;2754}2755 forwards += img->line[forwards_lno].len;2756 forwards_lno++;2757try= forwards;2758 try_lno = forwards_lno;2759}27602761}2762return-1;2763}27642765static voidremove_first_line(struct image *img)2766{2767 img->buf += img->line[0].len;2768 img->len -= img->line[0].len;2769 img->line++;2770 img->nr--;2771}27722773static voidremove_last_line(struct image *img)2774{2775 img->len -= img->line[--img->nr].len;2776}27772778/*2779 * The change from "preimage" and "postimage" has been found to2780 * apply at applied_pos (counts in line numbers) in "img".2781 * Update "img" to remove "preimage" and replace it with "postimage".2782 */2783static voidupdate_image(struct apply_state *state,2784struct image *img,2785int applied_pos,2786struct image *preimage,2787struct image *postimage)2788{2789/*2790 * remove the copy of preimage at offset in img2791 * and replace it with postimage2792 */2793int i, nr;2794size_t remove_count, insert_count, applied_at =0;2795char*result;2796int preimage_limit;27972798/*2799 * If we are removing blank lines at the end of img,2800 * the preimage may extend beyond the end.2801 * If that is the case, we must be careful only to2802 * remove the part of the preimage that falls within2803 * the boundaries of img. Initialize preimage_limit2804 * to the number of lines in the preimage that falls2805 * within the boundaries.2806 */2807 preimage_limit = preimage->nr;2808if(preimage_limit > img->nr - applied_pos)2809 preimage_limit = img->nr - applied_pos;28102811for(i =0; i < applied_pos; i++)2812 applied_at += img->line[i].len;28132814 remove_count =0;2815for(i =0; i < preimage_limit; i++)2816 remove_count += img->line[applied_pos + i].len;2817 insert_count = postimage->len;28182819/* Adjust the contents */2820 result =xmalloc(st_add3(st_sub(img->len, remove_count), insert_count,1));2821memcpy(result, img->buf, applied_at);2822memcpy(result + applied_at, postimage->buf, postimage->len);2823memcpy(result + applied_at + postimage->len,2824 img->buf + (applied_at + remove_count),2825 img->len - (applied_at + remove_count));2826free(img->buf);2827 img->buf = result;2828 img->len += insert_count - remove_count;2829 result[img->len] ='\0';28302831/* Adjust the line table */2832 nr = img->nr + postimage->nr - preimage_limit;2833if(preimage_limit < postimage->nr) {2834/*2835 * NOTE: this knows that we never call remove_first_line()2836 * on anything other than pre/post image.2837 */2838REALLOC_ARRAY(img->line, nr);2839 img->line_allocated = img->line;2840}2841if(preimage_limit != postimage->nr)2842memmove(img->line + applied_pos + postimage->nr,2843 img->line + applied_pos + preimage_limit,2844(img->nr - (applied_pos + preimage_limit)) *2845sizeof(*img->line));2846memcpy(img->line + applied_pos,2847 postimage->line,2848 postimage->nr *sizeof(*img->line));2849if(!state->allow_overlap)2850for(i =0; i < postimage->nr; i++)2851 img->line[applied_pos + i].flag |= LINE_PATCHED;2852 img->nr = nr;2853}28542855/*2856 * Use the patch-hunk text in "frag" to prepare two images (preimage and2857 * postimage) for the hunk. Find lines that match "preimage" in "img" and2858 * replace the part of "img" with "postimage" text.2859 */2860static intapply_one_fragment(struct apply_state *state,2861struct image *img,struct fragment *frag,2862int inaccurate_eof,unsigned ws_rule,2863int nth_fragment)2864{2865int match_beginning, match_end;2866const char*patch = frag->patch;2867int size = frag->size;2868char*old, *oldlines;2869struct strbuf newlines;2870int new_blank_lines_at_end =0;2871int found_new_blank_lines_at_end =0;2872int hunk_linenr = frag->linenr;2873unsigned long leading, trailing;2874int pos, applied_pos;2875struct image preimage;2876struct image postimage;28772878memset(&preimage,0,sizeof(preimage));2879memset(&postimage,0,sizeof(postimage));2880 oldlines =xmalloc(size);2881strbuf_init(&newlines, size);28822883 old = oldlines;2884while(size >0) {2885char first;2886int len =linelen(patch, size);2887int plen;2888int added_blank_line =0;2889int is_blank_context =0;2890size_t start;28912892if(!len)2893break;28942895/*2896 * "plen" is how much of the line we should use for2897 * the actual patch data. Normally we just remove the2898 * first character on the line, but if the line is2899 * followed by "\ No newline", then we also remove the2900 * last one (which is the newline, of course).2901 */2902 plen = len -1;2903if(len < size && patch[len] =='\\')2904 plen--;2905 first = *patch;2906if(state->apply_in_reverse) {2907if(first =='-')2908 first ='+';2909else if(first =='+')2910 first ='-';2911}29122913switch(first) {2914case'\n':2915/* Newer GNU diff, empty context line */2916if(plen <0)2917/* ... followed by '\No newline'; nothing */2918break;2919*old++ ='\n';2920strbuf_addch(&newlines,'\n');2921add_line_info(&preimage,"\n",1, LINE_COMMON);2922add_line_info(&postimage,"\n",1, LINE_COMMON);2923 is_blank_context =1;2924break;2925case' ':2926if(plen && (ws_rule & WS_BLANK_AT_EOF) &&2927ws_blank_line(patch +1, plen, ws_rule))2928 is_blank_context =1;2929case'-':2930memcpy(old, patch +1, plen);2931add_line_info(&preimage, old, plen,2932(first ==' '? LINE_COMMON :0));2933 old += plen;2934if(first =='-')2935break;2936/* Fall-through for ' ' */2937case'+':2938/* --no-add does not add new lines */2939if(first =='+'&& state->no_add)2940break;29412942 start = newlines.len;2943if(first !='+'||2944!state->whitespace_error ||2945 state->ws_error_action != correct_ws_error) {2946strbuf_add(&newlines, patch +1, plen);2947}2948else{2949ws_fix_copy(&newlines, patch +1, plen, ws_rule, &state->applied_after_fixing_ws);2950}2951add_line_info(&postimage, newlines.buf + start, newlines.len - start,2952(first =='+'?0: LINE_COMMON));2953if(first =='+'&&2954(ws_rule & WS_BLANK_AT_EOF) &&2955ws_blank_line(patch +1, plen, ws_rule))2956 added_blank_line =1;2957break;2958case'@':case'\\':2959/* Ignore it, we already handled it */2960break;2961default:2962if(state->apply_verbosity > verbosity_normal)2963error(_("invalid start of line: '%c'"), first);2964 applied_pos = -1;2965goto out;2966}2967if(added_blank_line) {2968if(!new_blank_lines_at_end)2969 found_new_blank_lines_at_end = hunk_linenr;2970 new_blank_lines_at_end++;2971}2972else if(is_blank_context)2973;2974else2975 new_blank_lines_at_end =0;2976 patch += len;2977 size -= len;2978 hunk_linenr++;2979}2980if(inaccurate_eof &&2981 old > oldlines && old[-1] =='\n'&&2982 newlines.len >0&& newlines.buf[newlines.len -1] =='\n') {2983 old--;2984strbuf_setlen(&newlines, newlines.len -1);2985}29862987 leading = frag->leading;2988 trailing = frag->trailing;29892990/*2991 * A hunk to change lines at the beginning would begin with2992 * @@ -1,L +N,M @@2993 * but we need to be careful. -U0 that inserts before the second2994 * line also has this pattern.2995 *2996 * And a hunk to add to an empty file would begin with2997 * @@ -0,0 +N,M @@2998 *2999 * In other words, a hunk that is (frag->oldpos <= 1) with or3000 * without leading context must match at the beginning.3001 */3002 match_beginning = (!frag->oldpos ||3003(frag->oldpos ==1&& !state->unidiff_zero));30043005/*3006 * A hunk without trailing lines must match at the end.3007 * However, we simply cannot tell if a hunk must match end3008 * from the lack of trailing lines if the patch was generated3009 * with unidiff without any context.3010 */3011 match_end = !state->unidiff_zero && !trailing;30123013 pos = frag->newpos ? (frag->newpos -1) :0;3014 preimage.buf = oldlines;3015 preimage.len = old - oldlines;3016 postimage.buf = newlines.buf;3017 postimage.len = newlines.len;3018 preimage.line = preimage.line_allocated;3019 postimage.line = postimage.line_allocated;30203021for(;;) {30223023 applied_pos =find_pos(state, img, &preimage, &postimage, pos,3024 ws_rule, match_beginning, match_end);30253026if(applied_pos >=0)3027break;30283029/* Am I at my context limits? */3030if((leading <= state->p_context) && (trailing <= state->p_context))3031break;3032if(match_beginning || match_end) {3033 match_beginning = match_end =0;3034continue;3035}30363037/*3038 * Reduce the number of context lines; reduce both3039 * leading and trailing if they are equal otherwise3040 * just reduce the larger context.3041 */3042if(leading >= trailing) {3043remove_first_line(&preimage);3044remove_first_line(&postimage);3045 pos--;3046 leading--;3047}3048if(trailing > leading) {3049remove_last_line(&preimage);3050remove_last_line(&postimage);3051 trailing--;3052}3053}30543055if(applied_pos >=0) {3056if(new_blank_lines_at_end &&3057 preimage.nr + applied_pos >= img->nr &&3058(ws_rule & WS_BLANK_AT_EOF) &&3059 state->ws_error_action != nowarn_ws_error) {3060record_ws_error(state, WS_BLANK_AT_EOF,"+",1,3061 found_new_blank_lines_at_end);3062if(state->ws_error_action == correct_ws_error) {3063while(new_blank_lines_at_end--)3064remove_last_line(&postimage);3065}3066/*3067 * We would want to prevent write_out_results()3068 * from taking place in apply_patch() that follows3069 * the callchain led us here, which is:3070 * apply_patch->check_patch_list->check_patch->3071 * apply_data->apply_fragments->apply_one_fragment3072 */3073if(state->ws_error_action == die_on_ws_error)3074 state->apply =0;3075}30763077if(state->apply_verbosity > verbosity_normal && applied_pos != pos) {3078int offset = applied_pos - pos;3079if(state->apply_in_reverse)3080 offset =0- offset;3081fprintf_ln(stderr,3082Q_("Hunk #%dsucceeded at%d(offset%dline).",3083"Hunk #%dsucceeded at%d(offset%dlines).",3084 offset),3085 nth_fragment, applied_pos +1, offset);3086}30873088/*3089 * Warn if it was necessary to reduce the number3090 * of context lines.3091 */3092if((leading != frag->leading ||3093 trailing != frag->trailing) && state->apply_verbosity > verbosity_silent)3094fprintf_ln(stderr,_("Context reduced to (%ld/%ld)"3095" to apply fragment at%d"),3096 leading, trailing, applied_pos+1);3097update_image(state, img, applied_pos, &preimage, &postimage);3098}else{3099if(state->apply_verbosity > verbosity_normal)3100error(_("while searching for:\n%.*s"),3101(int)(old - oldlines), oldlines);3102}31033104out:3105free(oldlines);3106strbuf_release(&newlines);3107free(preimage.line_allocated);3108free(postimage.line_allocated);31093110return(applied_pos <0);3111}31123113static intapply_binary_fragment(struct apply_state *state,3114struct image *img,3115struct patch *patch)3116{3117struct fragment *fragment = patch->fragments;3118unsigned long len;3119void*dst;31203121if(!fragment)3122returnerror(_("missing binary patch data for '%s'"),3123 patch->new_name ?3124 patch->new_name :3125 patch->old_name);31263127/* Binary patch is irreversible without the optional second hunk */3128if(state->apply_in_reverse) {3129if(!fragment->next)3130returnerror(_("cannot reverse-apply a binary patch "3131"without the reverse hunk to '%s'"),3132 patch->new_name3133? patch->new_name : patch->old_name);3134 fragment = fragment->next;3135}3136switch(fragment->binary_patch_method) {3137case BINARY_DELTA_DEFLATED:3138 dst =patch_delta(img->buf, img->len, fragment->patch,3139 fragment->size, &len);3140if(!dst)3141return-1;3142clear_image(img);3143 img->buf = dst;3144 img->len = len;3145return0;3146case BINARY_LITERAL_DEFLATED:3147clear_image(img);3148 img->len = fragment->size;3149 img->buf =xmemdupz(fragment->patch, img->len);3150return0;3151}3152return-1;3153}31543155/*3156 * Replace "img" with the result of applying the binary patch.3157 * The binary patch data itself in patch->fragment is still kept3158 * but the preimage prepared by the caller in "img" is freed here3159 * or in the helper function apply_binary_fragment() this calls.3160 */3161static intapply_binary(struct apply_state *state,3162struct image *img,3163struct patch *patch)3164{3165const char*name = patch->old_name ? patch->old_name : patch->new_name;3166struct object_id oid;31673168/*3169 * For safety, we require patch index line to contain3170 * full 40-byte textual SHA1 for old and new, at least for now.3171 */3172if(strlen(patch->old_sha1_prefix) !=40||3173strlen(patch->new_sha1_prefix) !=40||3174get_oid_hex(patch->old_sha1_prefix, &oid) ||3175get_oid_hex(patch->new_sha1_prefix, &oid))3176returnerror(_("cannot apply binary patch to '%s' "3177"without full index line"), name);31783179if(patch->old_name) {3180/*3181 * See if the old one matches what the patch3182 * applies to.3183 */3184hash_sha1_file(img->buf, img->len, blob_type, oid.hash);3185if(strcmp(oid_to_hex(&oid), patch->old_sha1_prefix))3186returnerror(_("the patch applies to '%s' (%s), "3187"which does not match the "3188"current contents."),3189 name,oid_to_hex(&oid));3190}3191else{3192/* Otherwise, the old one must be empty. */3193if(img->len)3194returnerror(_("the patch applies to an empty "3195"'%s' but it is not empty"), name);3196}31973198get_oid_hex(patch->new_sha1_prefix, &oid);3199if(is_null_oid(&oid)) {3200clear_image(img);3201return0;/* deletion patch */3202}32033204if(has_sha1_file(oid.hash)) {3205/* We already have the postimage */3206enum object_type type;3207unsigned long size;3208char*result;32093210 result =read_sha1_file(oid.hash, &type, &size);3211if(!result)3212returnerror(_("the necessary postimage%sfor "3213"'%s' cannot be read"),3214 patch->new_sha1_prefix, name);3215clear_image(img);3216 img->buf = result;3217 img->len = size;3218}else{3219/*3220 * We have verified buf matches the preimage;3221 * apply the patch data to it, which is stored3222 * in the patch->fragments->{patch,size}.3223 */3224if(apply_binary_fragment(state, img, patch))3225returnerror(_("binary patch does not apply to '%s'"),3226 name);32273228/* verify that the result matches */3229hash_sha1_file(img->buf, img->len, blob_type, oid.hash);3230if(strcmp(oid_to_hex(&oid), patch->new_sha1_prefix))3231returnerror(_("binary patch to '%s' creates incorrect result (expecting%s, got%s)"),3232 name, patch->new_sha1_prefix,oid_to_hex(&oid));3233}32343235return0;3236}32373238static intapply_fragments(struct apply_state *state,struct image *img,struct patch *patch)3239{3240struct fragment *frag = patch->fragments;3241const char*name = patch->old_name ? patch->old_name : patch->new_name;3242unsigned ws_rule = patch->ws_rule;3243unsigned inaccurate_eof = patch->inaccurate_eof;3244int nth =0;32453246if(patch->is_binary)3247returnapply_binary(state, img, patch);32483249while(frag) {3250 nth++;3251if(apply_one_fragment(state, img, frag, inaccurate_eof, ws_rule, nth)) {3252error(_("patch failed:%s:%ld"), name, frag->oldpos);3253if(!state->apply_with_reject)3254return-1;3255 frag->rejected =1;3256}3257 frag = frag->next;3258}3259return0;3260}32613262static intread_blob_object(struct strbuf *buf,const struct object_id *oid,unsigned mode)3263{3264if(S_ISGITLINK(mode)) {3265strbuf_grow(buf,100);3266strbuf_addf(buf,"Subproject commit%s\n",oid_to_hex(oid));3267}else{3268enum object_type type;3269unsigned long sz;3270char*result;32713272 result =read_sha1_file(oid->hash, &type, &sz);3273if(!result)3274return-1;3275/* XXX read_sha1_file NUL-terminates */3276strbuf_attach(buf, result, sz, sz +1);3277}3278return0;3279}32803281static intread_file_or_gitlink(const struct cache_entry *ce,struct strbuf *buf)3282{3283if(!ce)3284return0;3285returnread_blob_object(buf, &ce->oid, ce->ce_mode);3286}32873288static struct patch *in_fn_table(struct apply_state *state,const char*name)3289{3290struct string_list_item *item;32913292if(name == NULL)3293return NULL;32943295 item =string_list_lookup(&state->fn_table, name);3296if(item != NULL)3297return(struct patch *)item->util;32983299return NULL;3300}33013302/*3303 * item->util in the filename table records the status of the path.3304 * Usually it points at a patch (whose result records the contents3305 * of it after applying it), but it could be PATH_WAS_DELETED for a3306 * path that a previously applied patch has already removed, or3307 * PATH_TO_BE_DELETED for a path that a later patch would remove.3308 *3309 * The latter is needed to deal with a case where two paths A and B3310 * are swapped by first renaming A to B and then renaming B to A;3311 * moving A to B should not be prevented due to presence of B as we3312 * will remove it in a later patch.3313 */3314#define PATH_TO_BE_DELETED ((struct patch *) -2)3315#define PATH_WAS_DELETED ((struct patch *) -1)33163317static intto_be_deleted(struct patch *patch)3318{3319return patch == PATH_TO_BE_DELETED;3320}33213322static intwas_deleted(struct patch *patch)3323{3324return patch == PATH_WAS_DELETED;3325}33263327static voidadd_to_fn_table(struct apply_state *state,struct patch *patch)3328{3329struct string_list_item *item;33303331/*3332 * Always add new_name unless patch is a deletion3333 * This should cover the cases for normal diffs,3334 * file creations and copies3335 */3336if(patch->new_name != NULL) {3337 item =string_list_insert(&state->fn_table, patch->new_name);3338 item->util = patch;3339}33403341/*3342 * store a failure on rename/deletion cases because3343 * later chunks shouldn't patch old names3344 */3345if((patch->new_name == NULL) || (patch->is_rename)) {3346 item =string_list_insert(&state->fn_table, patch->old_name);3347 item->util = PATH_WAS_DELETED;3348}3349}33503351static voidprepare_fn_table(struct apply_state *state,struct patch *patch)3352{3353/*3354 * store information about incoming file deletion3355 */3356while(patch) {3357if((patch->new_name == NULL) || (patch->is_rename)) {3358struct string_list_item *item;3359 item =string_list_insert(&state->fn_table, patch->old_name);3360 item->util = PATH_TO_BE_DELETED;3361}3362 patch = patch->next;3363}3364}33653366static intcheckout_target(struct index_state *istate,3367struct cache_entry *ce,struct stat *st)3368{3369struct checkout costate = CHECKOUT_INIT;33703371 costate.refresh_cache =1;3372 costate.istate = istate;3373if(checkout_entry(ce, &costate, NULL) ||lstat(ce->name, st))3374returnerror(_("cannot checkout%s"), ce->name);3375return0;3376}33773378static struct patch *previous_patch(struct apply_state *state,3379struct patch *patch,3380int*gone)3381{3382struct patch *previous;33833384*gone =0;3385if(patch->is_copy || patch->is_rename)3386return NULL;/* "git" patches do not depend on the order */33873388 previous =in_fn_table(state, patch->old_name);3389if(!previous)3390return NULL;33913392if(to_be_deleted(previous))3393return NULL;/* the deletion hasn't happened yet */33943395if(was_deleted(previous))3396*gone =1;33973398return previous;3399}34003401static intverify_index_match(const struct cache_entry *ce,struct stat *st)3402{3403if(S_ISGITLINK(ce->ce_mode)) {3404if(!S_ISDIR(st->st_mode))3405return-1;3406return0;3407}3408returnce_match_stat(ce, st, CE_MATCH_IGNORE_VALID|CE_MATCH_IGNORE_SKIP_WORKTREE);3409}34103411#define SUBMODULE_PATCH_WITHOUT_INDEX 134123413static intload_patch_target(struct apply_state *state,3414struct strbuf *buf,3415const struct cache_entry *ce,3416struct stat *st,3417struct patch *patch,3418const char*name,3419unsigned expected_mode)3420{3421if(state->cached || state->check_index) {3422if(read_file_or_gitlink(ce, buf))3423returnerror(_("failed to read%s"), name);3424}else if(name) {3425if(S_ISGITLINK(expected_mode)) {3426if(ce)3427returnread_file_or_gitlink(ce, buf);3428else3429return SUBMODULE_PATCH_WITHOUT_INDEX;3430}else if(has_symlink_leading_path(name,strlen(name))) {3431returnerror(_("reading from '%s' beyond a symbolic link"), name);3432}else{3433if(read_old_data(st, patch, name, buf))3434returnerror(_("failed to read%s"), name);3435}3436}3437return0;3438}34393440/*3441 * We are about to apply "patch"; populate the "image" with the3442 * current version we have, from the working tree or from the index,3443 * depending on the situation e.g. --cached/--index. If we are3444 * applying a non-git patch that incrementally updates the tree,3445 * we read from the result of a previous diff.3446 */3447static intload_preimage(struct apply_state *state,3448struct image *image,3449struct patch *patch,struct stat *st,3450const struct cache_entry *ce)3451{3452struct strbuf buf = STRBUF_INIT;3453size_t len;3454char*img;3455struct patch *previous;3456int status;34573458 previous =previous_patch(state, patch, &status);3459if(status)3460returnerror(_("path%shas been renamed/deleted"),3461 patch->old_name);3462if(previous) {3463/* We have a patched copy in memory; use that. */3464strbuf_add(&buf, previous->result, previous->resultsize);3465}else{3466 status =load_patch_target(state, &buf, ce, st, patch,3467 patch->old_name, patch->old_mode);3468if(status <0)3469return status;3470else if(status == SUBMODULE_PATCH_WITHOUT_INDEX) {3471/*3472 * There is no way to apply subproject3473 * patch without looking at the index.3474 * NEEDSWORK: shouldn't this be flagged3475 * as an error???3476 */3477free_fragment_list(patch->fragments);3478 patch->fragments = NULL;3479}else if(status) {3480returnerror(_("failed to read%s"), patch->old_name);3481}3482}34833484 img =strbuf_detach(&buf, &len);3485prepare_image(image, img, len, !patch->is_binary);3486return0;3487}34883489static intthree_way_merge(struct image *image,3490char*path,3491const struct object_id *base,3492const struct object_id *ours,3493const struct object_id *theirs)3494{3495 mmfile_t base_file, our_file, their_file;3496 mmbuffer_t result = { NULL };3497int status;34983499read_mmblob(&base_file, base);3500read_mmblob(&our_file, ours);3501read_mmblob(&their_file, theirs);3502 status =ll_merge(&result, path,3503&base_file,"base",3504&our_file,"ours",3505&their_file,"theirs", NULL);3506free(base_file.ptr);3507free(our_file.ptr);3508free(their_file.ptr);3509if(status <0|| !result.ptr) {3510free(result.ptr);3511return-1;3512}3513clear_image(image);3514 image->buf = result.ptr;3515 image->len = result.size;35163517return status;3518}35193520/*3521 * When directly falling back to add/add three-way merge, we read from3522 * the current contents of the new_name. In no cases other than that3523 * this function will be called.3524 */3525static intload_current(struct apply_state *state,3526struct image *image,3527struct patch *patch)3528{3529struct strbuf buf = STRBUF_INIT;3530int status, pos;3531size_t len;3532char*img;3533struct stat st;3534struct cache_entry *ce;3535char*name = patch->new_name;3536unsigned mode = patch->new_mode;35373538if(!patch->is_new)3539die("BUG: patch to%sis not a creation", patch->old_name);35403541 pos =cache_name_pos(name,strlen(name));3542if(pos <0)3543returnerror(_("%s: does not exist in index"), name);3544 ce = active_cache[pos];3545if(lstat(name, &st)) {3546if(errno != ENOENT)3547returnerror_errno("%s", name);3548if(checkout_target(&the_index, ce, &st))3549return-1;3550}3551if(verify_index_match(ce, &st))3552returnerror(_("%s: does not match index"), name);35533554 status =load_patch_target(state, &buf, ce, &st, patch, name, mode);3555if(status <0)3556return status;3557else if(status)3558return-1;3559 img =strbuf_detach(&buf, &len);3560prepare_image(image, img, len, !patch->is_binary);3561return0;3562}35633564static inttry_threeway(struct apply_state *state,3565struct image *image,3566struct patch *patch,3567struct stat *st,3568const struct cache_entry *ce)3569{3570struct object_id pre_oid, post_oid, our_oid;3571struct strbuf buf = STRBUF_INIT;3572size_t len;3573int status;3574char*img;3575struct image tmp_image;35763577/* No point falling back to 3-way merge in these cases */3578if(patch->is_delete ||3579S_ISGITLINK(patch->old_mode) ||S_ISGITLINK(patch->new_mode))3580return-1;35813582/* Preimage the patch was prepared for */3583if(patch->is_new)3584write_sha1_file("",0, blob_type, pre_oid.hash);3585else if(get_sha1(patch->old_sha1_prefix, pre_oid.hash) ||3586read_blob_object(&buf, &pre_oid, patch->old_mode))3587returnerror(_("repository lacks the necessary blob to fall back on 3-way merge."));35883589if(state->apply_verbosity > verbosity_silent)3590fprintf(stderr,_("Falling back to three-way merge...\n"));35913592 img =strbuf_detach(&buf, &len);3593prepare_image(&tmp_image, img, len,1);3594/* Apply the patch to get the post image */3595if(apply_fragments(state, &tmp_image, patch) <0) {3596clear_image(&tmp_image);3597return-1;3598}3599/* post_oid is theirs */3600write_sha1_file(tmp_image.buf, tmp_image.len, blob_type, post_oid.hash);3601clear_image(&tmp_image);36023603/* our_oid is ours */3604if(patch->is_new) {3605if(load_current(state, &tmp_image, patch))3606returnerror(_("cannot read the current contents of '%s'"),3607 patch->new_name);3608}else{3609if(load_preimage(state, &tmp_image, patch, st, ce))3610returnerror(_("cannot read the current contents of '%s'"),3611 patch->old_name);3612}3613write_sha1_file(tmp_image.buf, tmp_image.len, blob_type, our_oid.hash);3614clear_image(&tmp_image);36153616/* in-core three-way merge between post and our using pre as base */3617 status =three_way_merge(image, patch->new_name,3618&pre_oid, &our_oid, &post_oid);3619if(status <0) {3620if(state->apply_verbosity > verbosity_silent)3621fprintf(stderr,3622_("Failed to fall back on three-way merge...\n"));3623return status;3624}36253626if(status) {3627 patch->conflicted_threeway =1;3628if(patch->is_new)3629oidclr(&patch->threeway_stage[0]);3630else3631oidcpy(&patch->threeway_stage[0], &pre_oid);3632oidcpy(&patch->threeway_stage[1], &our_oid);3633oidcpy(&patch->threeway_stage[2], &post_oid);3634if(state->apply_verbosity > verbosity_silent)3635fprintf(stderr,3636_("Applied patch to '%s' with conflicts.\n"),3637 patch->new_name);3638}else{3639if(state->apply_verbosity > verbosity_silent)3640fprintf(stderr,3641_("Applied patch to '%s' cleanly.\n"),3642 patch->new_name);3643}3644return0;3645}36463647static intapply_data(struct apply_state *state,struct patch *patch,3648struct stat *st,const struct cache_entry *ce)3649{3650struct image image;36513652if(load_preimage(state, &image, patch, st, ce) <0)3653return-1;36543655if(patch->direct_to_threeway ||3656apply_fragments(state, &image, patch) <0) {3657/* Note: with --reject, apply_fragments() returns 0 */3658if(!state->threeway ||try_threeway(state, &image, patch, st, ce) <0)3659return-1;3660}3661 patch->result = image.buf;3662 patch->resultsize = image.len;3663add_to_fn_table(state, patch);3664free(image.line_allocated);36653666if(0< patch->is_delete && patch->resultsize)3667returnerror(_("removal patch leaves file contents"));36683669return0;3670}36713672/*3673 * If "patch" that we are looking at modifies or deletes what we have,3674 * we would want it not to lose any local modification we have, either3675 * in the working tree or in the index.3676 *3677 * This also decides if a non-git patch is a creation patch or a3678 * modification to an existing empty file. We do not check the state3679 * of the current tree for a creation patch in this function; the caller3680 * check_patch() separately makes sure (and errors out otherwise) that3681 * the path the patch creates does not exist in the current tree.3682 */3683static intcheck_preimage(struct apply_state *state,3684struct patch *patch,3685struct cache_entry **ce,3686struct stat *st)3687{3688const char*old_name = patch->old_name;3689struct patch *previous = NULL;3690int stat_ret =0, status;3691unsigned st_mode =0;36923693if(!old_name)3694return0;36953696assert(patch->is_new <=0);3697 previous =previous_patch(state, patch, &status);36983699if(status)3700returnerror(_("path%shas been renamed/deleted"), old_name);3701if(previous) {3702 st_mode = previous->new_mode;3703}else if(!state->cached) {3704 stat_ret =lstat(old_name, st);3705if(stat_ret && errno != ENOENT)3706returnerror_errno("%s", old_name);3707}37083709if(state->check_index && !previous) {3710int pos =cache_name_pos(old_name,strlen(old_name));3711if(pos <0) {3712if(patch->is_new <0)3713goto is_new;3714returnerror(_("%s: does not exist in index"), old_name);3715}3716*ce = active_cache[pos];3717if(stat_ret <0) {3718if(checkout_target(&the_index, *ce, st))3719return-1;3720}3721if(!state->cached &&verify_index_match(*ce, st))3722returnerror(_("%s: does not match index"), old_name);3723if(state->cached)3724 st_mode = (*ce)->ce_mode;3725}else if(stat_ret <0) {3726if(patch->is_new <0)3727goto is_new;3728returnerror_errno("%s", old_name);3729}37303731if(!state->cached && !previous)3732 st_mode =ce_mode_from_stat(*ce, st->st_mode);37333734if(patch->is_new <0)3735 patch->is_new =0;3736if(!patch->old_mode)3737 patch->old_mode = st_mode;3738if((st_mode ^ patch->old_mode) & S_IFMT)3739returnerror(_("%s: wrong type"), old_name);3740if(st_mode != patch->old_mode)3741warning(_("%shas type%o, expected%o"),3742 old_name, st_mode, patch->old_mode);3743if(!patch->new_mode && !patch->is_delete)3744 patch->new_mode = st_mode;3745return0;37463747 is_new:3748 patch->is_new =1;3749 patch->is_delete =0;3750FREE_AND_NULL(patch->old_name);3751return0;3752}375337543755#define EXISTS_IN_INDEX 13756#define EXISTS_IN_WORKTREE 237573758static intcheck_to_create(struct apply_state *state,3759const char*new_name,3760int ok_if_exists)3761{3762struct stat nst;37633764if(state->check_index &&3765cache_name_pos(new_name,strlen(new_name)) >=0&&3766!ok_if_exists)3767return EXISTS_IN_INDEX;3768if(state->cached)3769return0;37703771if(!lstat(new_name, &nst)) {3772if(S_ISDIR(nst.st_mode) || ok_if_exists)3773return0;3774/*3775 * A leading component of new_name might be a symlink3776 * that is going to be removed with this patch, but3777 * still pointing at somewhere that has the path.3778 * In such a case, path "new_name" does not exist as3779 * far as git is concerned.3780 */3781if(has_symlink_leading_path(new_name,strlen(new_name)))3782return0;37833784return EXISTS_IN_WORKTREE;3785}else if(!is_missing_file_error(errno)) {3786returnerror_errno("%s", new_name);3787}3788return0;3789}37903791static uintptr_tregister_symlink_changes(struct apply_state *state,3792const char*path,3793uintptr_t what)3794{3795struct string_list_item *ent;37963797 ent =string_list_lookup(&state->symlink_changes, path);3798if(!ent) {3799 ent =string_list_insert(&state->symlink_changes, path);3800 ent->util = (void*)0;3801}3802 ent->util = (void*)(what | ((uintptr_t)ent->util));3803return(uintptr_t)ent->util;3804}38053806static uintptr_tcheck_symlink_changes(struct apply_state *state,const char*path)3807{3808struct string_list_item *ent;38093810 ent =string_list_lookup(&state->symlink_changes, path);3811if(!ent)3812return0;3813return(uintptr_t)ent->util;3814}38153816static voidprepare_symlink_changes(struct apply_state *state,struct patch *patch)3817{3818for( ; patch; patch = patch->next) {3819if((patch->old_name &&S_ISLNK(patch->old_mode)) &&3820(patch->is_rename || patch->is_delete))3821/* the symlink at patch->old_name is removed */3822register_symlink_changes(state, patch->old_name, APPLY_SYMLINK_GOES_AWAY);38233824if(patch->new_name &&S_ISLNK(patch->new_mode))3825/* the symlink at patch->new_name is created or remains */3826register_symlink_changes(state, patch->new_name, APPLY_SYMLINK_IN_RESULT);3827}3828}38293830static intpath_is_beyond_symlink_1(struct apply_state *state,struct strbuf *name)3831{3832do{3833unsigned int change;38343835while(--name->len && name->buf[name->len] !='/')3836;/* scan backwards */3837if(!name->len)3838break;3839 name->buf[name->len] ='\0';3840 change =check_symlink_changes(state, name->buf);3841if(change & APPLY_SYMLINK_IN_RESULT)3842return1;3843if(change & APPLY_SYMLINK_GOES_AWAY)3844/*3845 * This cannot be "return 0", because we may3846 * see a new one created at a higher level.3847 */3848continue;38493850/* otherwise, check the preimage */3851if(state->check_index) {3852struct cache_entry *ce;38533854 ce =cache_file_exists(name->buf, name->len, ignore_case);3855if(ce &&S_ISLNK(ce->ce_mode))3856return1;3857}else{3858struct stat st;3859if(!lstat(name->buf, &st) &&S_ISLNK(st.st_mode))3860return1;3861}3862}while(1);3863return0;3864}38653866static intpath_is_beyond_symlink(struct apply_state *state,const char*name_)3867{3868int ret;3869struct strbuf name = STRBUF_INIT;38703871assert(*name_ !='\0');3872strbuf_addstr(&name, name_);3873 ret =path_is_beyond_symlink_1(state, &name);3874strbuf_release(&name);38753876return ret;3877}38783879static intcheck_unsafe_path(struct patch *patch)3880{3881const char*old_name = NULL;3882const char*new_name = NULL;3883if(patch->is_delete)3884 old_name = patch->old_name;3885else if(!patch->is_new && !patch->is_copy)3886 old_name = patch->old_name;3887if(!patch->is_delete)3888 new_name = patch->new_name;38893890if(old_name && !verify_path(old_name))3891returnerror(_("invalid path '%s'"), old_name);3892if(new_name && !verify_path(new_name))3893returnerror(_("invalid path '%s'"), new_name);3894return0;3895}38963897/*3898 * Check and apply the patch in-core; leave the result in patch->result3899 * for the caller to write it out to the final destination.3900 */3901static intcheck_patch(struct apply_state *state,struct patch *patch)3902{3903struct stat st;3904const char*old_name = patch->old_name;3905const char*new_name = patch->new_name;3906const char*name = old_name ? old_name : new_name;3907struct cache_entry *ce = NULL;3908struct patch *tpatch;3909int ok_if_exists;3910int status;39113912 patch->rejected =1;/* we will drop this after we succeed */39133914 status =check_preimage(state, patch, &ce, &st);3915if(status)3916return status;3917 old_name = patch->old_name;39183919/*3920 * A type-change diff is always split into a patch to delete3921 * old, immediately followed by a patch to create new (see3922 * diff.c::run_diff()); in such a case it is Ok that the entry3923 * to be deleted by the previous patch is still in the working3924 * tree and in the index.3925 *3926 * A patch to swap-rename between A and B would first rename A3927 * to B and then rename B to A. While applying the first one,3928 * the presence of B should not stop A from getting renamed to3929 * B; ask to_be_deleted() about the later rename. Removal of3930 * B and rename from A to B is handled the same way by asking3931 * was_deleted().3932 */3933if((tpatch =in_fn_table(state, new_name)) &&3934(was_deleted(tpatch) ||to_be_deleted(tpatch)))3935 ok_if_exists =1;3936else3937 ok_if_exists =0;39383939if(new_name &&3940((0< patch->is_new) || patch->is_rename || patch->is_copy)) {3941int err =check_to_create(state, new_name, ok_if_exists);39423943if(err && state->threeway) {3944 patch->direct_to_threeway =1;3945}else switch(err) {3946case0:3947break;/* happy */3948case EXISTS_IN_INDEX:3949returnerror(_("%s: already exists in index"), new_name);3950break;3951case EXISTS_IN_WORKTREE:3952returnerror(_("%s: already exists in working directory"),3953 new_name);3954default:3955return err;3956}39573958if(!patch->new_mode) {3959if(0< patch->is_new)3960 patch->new_mode = S_IFREG |0644;3961else3962 patch->new_mode = patch->old_mode;3963}3964}39653966if(new_name && old_name) {3967int same = !strcmp(old_name, new_name);3968if(!patch->new_mode)3969 patch->new_mode = patch->old_mode;3970if((patch->old_mode ^ patch->new_mode) & S_IFMT) {3971if(same)3972returnerror(_("new mode (%o) of%sdoes not "3973"match old mode (%o)"),3974 patch->new_mode, new_name,3975 patch->old_mode);3976else3977returnerror(_("new mode (%o) of%sdoes not "3978"match old mode (%o) of%s"),3979 patch->new_mode, new_name,3980 patch->old_mode, old_name);3981}3982}39833984if(!state->unsafe_paths &&check_unsafe_path(patch))3985return-128;39863987/*3988 * An attempt to read from or delete a path that is beyond a3989 * symbolic link will be prevented by load_patch_target() that3990 * is called at the beginning of apply_data() so we do not3991 * have to worry about a patch marked with "is_delete" bit3992 * here. We however need to make sure that the patch result3993 * is not deposited to a path that is beyond a symbolic link3994 * here.3995 */3996if(!patch->is_delete &&path_is_beyond_symlink(state, patch->new_name))3997returnerror(_("affected file '%s' is beyond a symbolic link"),3998 patch->new_name);39994000if(apply_data(state, patch, &st, ce) <0)4001returnerror(_("%s: patch does not apply"), name);4002 patch->rejected =0;4003return0;4004}40054006static intcheck_patch_list(struct apply_state *state,struct patch *patch)4007{4008int err =0;40094010prepare_symlink_changes(state, patch);4011prepare_fn_table(state, patch);4012while(patch) {4013int res;4014if(state->apply_verbosity > verbosity_normal)4015say_patch_name(stderr,4016_("Checking patch%s..."), patch);4017 res =check_patch(state, patch);4018if(res == -128)4019return-128;4020 err |= res;4021 patch = patch->next;4022}4023return err;4024}40254026static intread_apply_cache(struct apply_state *state)4027{4028if(state->index_file)4029returnread_cache_from(state->index_file);4030else4031returnread_cache();4032}40334034/* This function tries to read the object name from the current index */4035static intget_current_oid(struct apply_state *state,const char*path,4036struct object_id *oid)4037{4038int pos;40394040if(read_apply_cache(state) <0)4041return-1;4042 pos =cache_name_pos(path,strlen(path));4043if(pos <0)4044return-1;4045oidcpy(oid, &active_cache[pos]->oid);4046return0;4047}40484049static intpreimage_oid_in_gitlink_patch(struct patch *p,struct object_id *oid)4050{4051/*4052 * A usable gitlink patch has only one fragment (hunk) that looks like:4053 * @@ -1 +1 @@4054 * -Subproject commit <old sha1>4055 * +Subproject commit <new sha1>4056 * or4057 * @@ -1 +0,0 @@4058 * -Subproject commit <old sha1>4059 * for a removal patch.4060 */4061struct fragment *hunk = p->fragments;4062static const char heading[] ="-Subproject commit ";4063char*preimage;40644065if(/* does the patch have only one hunk? */4066 hunk && !hunk->next &&4067/* is its preimage one line? */4068 hunk->oldpos ==1&& hunk->oldlines ==1&&4069/* does preimage begin with the heading? */4070(preimage =memchr(hunk->patch,'\n', hunk->size)) != NULL &&4071starts_with(++preimage, heading) &&4072/* does it record full SHA-1? */4073!get_oid_hex(preimage +sizeof(heading) -1, oid) &&4074 preimage[sizeof(heading) + GIT_SHA1_HEXSZ -1] =='\n'&&4075/* does the abbreviated name on the index line agree with it? */4076starts_with(preimage +sizeof(heading) -1, p->old_sha1_prefix))4077return0;/* it all looks fine */40784079/* we may have full object name on the index line */4080returnget_oid_hex(p->old_sha1_prefix, oid);4081}40824083/* Build an index that contains the just the files needed for a 3way merge */4084static intbuild_fake_ancestor(struct apply_state *state,struct patch *list)4085{4086struct patch *patch;4087struct index_state result = { NULL };4088static struct lock_file lock;4089int res;40904091/* Once we start supporting the reverse patch, it may be4092 * worth showing the new sha1 prefix, but until then...4093 */4094for(patch = list; patch; patch = patch->next) {4095struct object_id oid;4096struct cache_entry *ce;4097const char*name;40984099 name = patch->old_name ? patch->old_name : patch->new_name;4100if(0< patch->is_new)4101continue;41024103if(S_ISGITLINK(patch->old_mode)) {4104if(!preimage_oid_in_gitlink_patch(patch, &oid))4105;/* ok, the textual part looks sane */4106else4107returnerror(_("sha1 information is lacking or "4108"useless for submodule%s"), name);4109}else if(!get_sha1_blob(patch->old_sha1_prefix, oid.hash)) {4110;/* ok */4111}else if(!patch->lines_added && !patch->lines_deleted) {4112/* mode-only change: update the current */4113if(get_current_oid(state, patch->old_name, &oid))4114returnerror(_("mode change for%s, which is not "4115"in current HEAD"), name);4116}else4117returnerror(_("sha1 information is lacking or useless "4118"(%s)."), name);41194120 ce =make_cache_entry(patch->old_mode, oid.hash, name,0,0);4121if(!ce)4122returnerror(_("make_cache_entry failed for path '%s'"),4123 name);4124if(add_index_entry(&result, ce, ADD_CACHE_OK_TO_ADD)) {4125free(ce);4126returnerror(_("could not add%sto temporary index"),4127 name);4128}4129}41304131hold_lock_file_for_update(&lock, state->fake_ancestor, LOCK_DIE_ON_ERROR);4132 res =write_locked_index(&result, &lock, COMMIT_LOCK);4133discard_index(&result);41344135if(res)4136returnerror(_("could not write temporary index to%s"),4137 state->fake_ancestor);41384139return0;4140}41414142static voidstat_patch_list(struct apply_state *state,struct patch *patch)4143{4144int files, adds, dels;41454146for(files = adds = dels =0; patch ; patch = patch->next) {4147 files++;4148 adds += patch->lines_added;4149 dels += patch->lines_deleted;4150show_stats(state, patch);4151}41524153print_stat_summary(stdout, files, adds, dels);4154}41554156static voidnumstat_patch_list(struct apply_state *state,4157struct patch *patch)4158{4159for( ; patch; patch = patch->next) {4160const char*name;4161 name = patch->new_name ? patch->new_name : patch->old_name;4162if(patch->is_binary)4163printf("-\t-\t");4164else4165printf("%d\t%d\t", patch->lines_added, patch->lines_deleted);4166write_name_quoted(name, stdout, state->line_termination);4167}4168}41694170static voidshow_file_mode_name(const char*newdelete,unsigned int mode,const char*name)4171{4172if(mode)4173printf("%smode%06o%s\n", newdelete, mode, name);4174else4175printf("%s %s\n", newdelete, name);4176}41774178static voidshow_mode_change(struct patch *p,int show_name)4179{4180if(p->old_mode && p->new_mode && p->old_mode != p->new_mode) {4181if(show_name)4182printf(" mode change%06o =>%06o%s\n",4183 p->old_mode, p->new_mode, p->new_name);4184else4185printf(" mode change%06o =>%06o\n",4186 p->old_mode, p->new_mode);4187}4188}41894190static voidshow_rename_copy(struct patch *p)4191{4192const char*renamecopy = p->is_rename ?"rename":"copy";4193const char*old, *new;41944195/* Find common prefix */4196 old = p->old_name;4197new= p->new_name;4198while(1) {4199const char*slash_old, *slash_new;4200 slash_old =strchr(old,'/');4201 slash_new =strchr(new,'/');4202if(!slash_old ||4203!slash_new ||4204 slash_old - old != slash_new -new||4205memcmp(old,new, slash_new -new))4206break;4207 old = slash_old +1;4208new= slash_new +1;4209}4210/* p->old_name thru old is the common prefix, and old and new4211 * through the end of names are renames4212 */4213if(old != p->old_name)4214printf("%s%.*s{%s=>%s} (%d%%)\n", renamecopy,4215(int)(old - p->old_name), p->old_name,4216 old,new, p->score);4217else4218printf("%s %s=>%s(%d%%)\n", renamecopy,4219 p->old_name, p->new_name, p->score);4220show_mode_change(p,0);4221}42224223static voidsummary_patch_list(struct patch *patch)4224{4225struct patch *p;42264227for(p = patch; p; p = p->next) {4228if(p->is_new)4229show_file_mode_name("create", p->new_mode, p->new_name);4230else if(p->is_delete)4231show_file_mode_name("delete", p->old_mode, p->old_name);4232else{4233if(p->is_rename || p->is_copy)4234show_rename_copy(p);4235else{4236if(p->score) {4237printf(" rewrite%s(%d%%)\n",4238 p->new_name, p->score);4239show_mode_change(p,0);4240}4241else4242show_mode_change(p,1);4243}4244}4245}4246}42474248static voidpatch_stats(struct apply_state *state,struct patch *patch)4249{4250int lines = patch->lines_added + patch->lines_deleted;42514252if(lines > state->max_change)4253 state->max_change = lines;4254if(patch->old_name) {4255int len =quote_c_style(patch->old_name, NULL, NULL,0);4256if(!len)4257 len =strlen(patch->old_name);4258if(len > state->max_len)4259 state->max_len = len;4260}4261if(patch->new_name) {4262int len =quote_c_style(patch->new_name, NULL, NULL,0);4263if(!len)4264 len =strlen(patch->new_name);4265if(len > state->max_len)4266 state->max_len = len;4267}4268}42694270static intremove_file(struct apply_state *state,struct patch *patch,int rmdir_empty)4271{4272if(state->update_index) {4273if(remove_file_from_cache(patch->old_name) <0)4274returnerror(_("unable to remove%sfrom index"), patch->old_name);4275}4276if(!state->cached) {4277if(!remove_or_warn(patch->old_mode, patch->old_name) && rmdir_empty) {4278remove_path(patch->old_name);4279}4280}4281return0;4282}42834284static intadd_index_file(struct apply_state *state,4285const char*path,4286unsigned mode,4287void*buf,4288unsigned long size)4289{4290struct stat st;4291struct cache_entry *ce;4292int namelen =strlen(path);4293unsigned ce_size =cache_entry_size(namelen);42944295if(!state->update_index)4296return0;42974298 ce =xcalloc(1, ce_size);4299memcpy(ce->name, path, namelen);4300 ce->ce_mode =create_ce_mode(mode);4301 ce->ce_flags =create_ce_flags(0);4302 ce->ce_namelen = namelen;4303if(S_ISGITLINK(mode)) {4304const char*s;43054306if(!skip_prefix(buf,"Subproject commit ", &s) ||4307get_oid_hex(s, &ce->oid)) {4308free(ce);4309returnerror(_("corrupt patch for submodule%s"), path);4310}4311}else{4312if(!state->cached) {4313if(lstat(path, &st) <0) {4314free(ce);4315returnerror_errno(_("unable to stat newly "4316"created file '%s'"),4317 path);4318}4319fill_stat_cache_info(ce, &st);4320}4321if(write_sha1_file(buf, size, blob_type, ce->oid.hash) <0) {4322free(ce);4323returnerror(_("unable to create backing store "4324"for newly created file%s"), path);4325}4326}4327if(add_cache_entry(ce, ADD_CACHE_OK_TO_ADD) <0) {4328free(ce);4329returnerror(_("unable to add cache entry for%s"), path);4330}43314332return0;4333}43344335/*4336 * Returns:4337 * -1 if an unrecoverable error happened4338 * 0 if everything went well4339 * 1 if a recoverable error happened4340 */4341static inttry_create_file(const char*path,unsigned int mode,const char*buf,unsigned long size)4342{4343int fd, res;4344struct strbuf nbuf = STRBUF_INIT;43454346if(S_ISGITLINK(mode)) {4347struct stat st;4348if(!lstat(path, &st) &&S_ISDIR(st.st_mode))4349return0;4350return!!mkdir(path,0777);4351}43524353if(has_symlinks &&S_ISLNK(mode))4354/* Although buf:size is counted string, it also is NUL4355 * terminated.4356 */4357return!!symlink(buf, path);43584359 fd =open(path, O_CREAT | O_EXCL | O_WRONLY, (mode &0100) ?0777:0666);4360if(fd <0)4361return1;43624363if(convert_to_working_tree(path, buf, size, &nbuf)) {4364 size = nbuf.len;4365 buf = nbuf.buf;4366}43674368 res =write_in_full(fd, buf, size) <0;4369if(res)4370error_errno(_("failed to write to '%s'"), path);4371strbuf_release(&nbuf);43724373if(close(fd) <0&& !res)4374returnerror_errno(_("closing file '%s'"), path);43754376return res ? -1:0;4377}43784379/*4380 * We optimistically assume that the directories exist,4381 * which is true 99% of the time anyway. If they don't,4382 * we create them and try again.4383 *4384 * Returns:4385 * -1 on error4386 * 0 otherwise4387 */4388static intcreate_one_file(struct apply_state *state,4389char*path,4390unsigned mode,4391const char*buf,4392unsigned long size)4393{4394int res;43954396if(state->cached)4397return0;43984399 res =try_create_file(path, mode, buf, size);4400if(res <0)4401return-1;4402if(!res)4403return0;44044405if(errno == ENOENT) {4406if(safe_create_leading_directories(path))4407return0;4408 res =try_create_file(path, mode, buf, size);4409if(res <0)4410return-1;4411if(!res)4412return0;4413}44144415if(errno == EEXIST || errno == EACCES) {4416/* We may be trying to create a file where a directory4417 * used to be.4418 */4419struct stat st;4420if(!lstat(path, &st) && (!S_ISDIR(st.st_mode) || !rmdir(path)))4421 errno = EEXIST;4422}44234424if(errno == EEXIST) {4425unsigned int nr =getpid();44264427for(;;) {4428char newpath[PATH_MAX];4429mksnpath(newpath,sizeof(newpath),"%s~%u", path, nr);4430 res =try_create_file(newpath, mode, buf, size);4431if(res <0)4432return-1;4433if(!res) {4434if(!rename(newpath, path))4435return0;4436unlink_or_warn(newpath);4437break;4438}4439if(errno != EEXIST)4440break;4441++nr;4442}4443}4444returnerror_errno(_("unable to write file '%s' mode%o"),4445 path, mode);4446}44474448static intadd_conflicted_stages_file(struct apply_state *state,4449struct patch *patch)4450{4451int stage, namelen;4452unsigned ce_size, mode;4453struct cache_entry *ce;44544455if(!state->update_index)4456return0;4457 namelen =strlen(patch->new_name);4458 ce_size =cache_entry_size(namelen);4459 mode = patch->new_mode ? patch->new_mode : (S_IFREG |0644);44604461remove_file_from_cache(patch->new_name);4462for(stage =1; stage <4; stage++) {4463if(is_null_oid(&patch->threeway_stage[stage -1]))4464continue;4465 ce =xcalloc(1, ce_size);4466memcpy(ce->name, patch->new_name, namelen);4467 ce->ce_mode =create_ce_mode(mode);4468 ce->ce_flags =create_ce_flags(stage);4469 ce->ce_namelen = namelen;4470oidcpy(&ce->oid, &patch->threeway_stage[stage -1]);4471if(add_cache_entry(ce, ADD_CACHE_OK_TO_ADD) <0) {4472free(ce);4473returnerror(_("unable to add cache entry for%s"),4474 patch->new_name);4475}4476}44774478return0;4479}44804481static intcreate_file(struct apply_state *state,struct patch *patch)4482{4483char*path = patch->new_name;4484unsigned mode = patch->new_mode;4485unsigned long size = patch->resultsize;4486char*buf = patch->result;44874488if(!mode)4489 mode = S_IFREG |0644;4490if(create_one_file(state, path, mode, buf, size))4491return-1;44924493if(patch->conflicted_threeway)4494returnadd_conflicted_stages_file(state, patch);4495else4496returnadd_index_file(state, path, mode, buf, size);4497}44984499/* phase zero is to remove, phase one is to create */4500static intwrite_out_one_result(struct apply_state *state,4501struct patch *patch,4502int phase)4503{4504if(patch->is_delete >0) {4505if(phase ==0)4506returnremove_file(state, patch,1);4507return0;4508}4509if(patch->is_new >0|| patch->is_copy) {4510if(phase ==1)4511returncreate_file(state, patch);4512return0;4513}4514/*4515 * Rename or modification boils down to the same4516 * thing: remove the old, write the new4517 */4518if(phase ==0)4519returnremove_file(state, patch, patch->is_rename);4520if(phase ==1)4521returncreate_file(state, patch);4522return0;4523}45244525static intwrite_out_one_reject(struct apply_state *state,struct patch *patch)4526{4527FILE*rej;4528char namebuf[PATH_MAX];4529struct fragment *frag;4530int cnt =0;4531struct strbuf sb = STRBUF_INIT;45324533for(cnt =0, frag = patch->fragments; frag; frag = frag->next) {4534if(!frag->rejected)4535continue;4536 cnt++;4537}45384539if(!cnt) {4540if(state->apply_verbosity > verbosity_normal)4541say_patch_name(stderr,4542_("Applied patch%scleanly."), patch);4543return0;4544}45454546/* This should not happen, because a removal patch that leaves4547 * contents are marked "rejected" at the patch level.4548 */4549if(!patch->new_name)4550die(_("internal error"));45514552/* Say this even without --verbose */4553strbuf_addf(&sb,Q_("Applying patch %%swith%dreject...",4554"Applying patch %%swith%drejects...",4555 cnt),4556 cnt);4557if(state->apply_verbosity > verbosity_silent)4558say_patch_name(stderr, sb.buf, patch);4559strbuf_release(&sb);45604561 cnt =strlen(patch->new_name);4562if(ARRAY_SIZE(namebuf) <= cnt +5) {4563 cnt =ARRAY_SIZE(namebuf) -5;4564warning(_("truncating .rej filename to %.*s.rej"),4565 cnt -1, patch->new_name);4566}4567memcpy(namebuf, patch->new_name, cnt);4568memcpy(namebuf + cnt,".rej",5);45694570 rej =fopen(namebuf,"w");4571if(!rej)4572returnerror_errno(_("cannot open%s"), namebuf);45734574/* Normal git tools never deal with .rej, so do not pretend4575 * this is a git patch by saying --git or giving extended4576 * headers. While at it, maybe please "kompare" that wants4577 * the trailing TAB and some garbage at the end of line ;-).4578 */4579fprintf(rej,"diff a/%sb/%s\t(rejected hunks)\n",4580 patch->new_name, patch->new_name);4581for(cnt =1, frag = patch->fragments;4582 frag;4583 cnt++, frag = frag->next) {4584if(!frag->rejected) {4585if(state->apply_verbosity > verbosity_silent)4586fprintf_ln(stderr,_("Hunk #%dapplied cleanly."), cnt);4587continue;4588}4589if(state->apply_verbosity > verbosity_silent)4590fprintf_ln(stderr,_("Rejected hunk #%d."), cnt);4591fprintf(rej,"%.*s", frag->size, frag->patch);4592if(frag->patch[frag->size-1] !='\n')4593fputc('\n', rej);4594}4595fclose(rej);4596return-1;4597}45984599/*4600 * Returns:4601 * -1 if an error happened4602 * 0 if the patch applied cleanly4603 * 1 if the patch did not apply cleanly4604 */4605static intwrite_out_results(struct apply_state *state,struct patch *list)4606{4607int phase;4608int errs =0;4609struct patch *l;4610struct string_list cpath = STRING_LIST_INIT_DUP;46114612for(phase =0; phase <2; phase++) {4613 l = list;4614while(l) {4615if(l->rejected)4616 errs =1;4617else{4618if(write_out_one_result(state, l, phase)) {4619string_list_clear(&cpath,0);4620return-1;4621}4622if(phase ==1) {4623if(write_out_one_reject(state, l))4624 errs =1;4625if(l->conflicted_threeway) {4626string_list_append(&cpath, l->new_name);4627 errs =1;4628}4629}4630}4631 l = l->next;4632}4633}46344635if(cpath.nr) {4636struct string_list_item *item;46374638string_list_sort(&cpath);4639if(state->apply_verbosity > verbosity_silent) {4640for_each_string_list_item(item, &cpath)4641fprintf(stderr,"U%s\n", item->string);4642}4643string_list_clear(&cpath,0);46444645rerere(0);4646}46474648return errs;4649}46504651/*4652 * Try to apply a patch.4653 *4654 * Returns:4655 * -128 if a bad error happened (like patch unreadable)4656 * -1 if patch did not apply and user cannot deal with it4657 * 0 if the patch applied4658 * 1 if the patch did not apply but user might fix it4659 */4660static intapply_patch(struct apply_state *state,4661int fd,4662const char*filename,4663int options)4664{4665size_t offset;4666struct strbuf buf = STRBUF_INIT;/* owns the patch text */4667struct patch *list = NULL, **listp = &list;4668int skipped_patch =0;4669int res =0;46704671 state->patch_input_file = filename;4672if(read_patch_file(&buf, fd) <0)4673return-128;4674 offset =0;4675while(offset < buf.len) {4676struct patch *patch;4677int nr;46784679 patch =xcalloc(1,sizeof(*patch));4680 patch->inaccurate_eof = !!(options & APPLY_OPT_INACCURATE_EOF);4681 patch->recount = !!(options & APPLY_OPT_RECOUNT);4682 nr =parse_chunk(state, buf.buf + offset, buf.len - offset, patch);4683if(nr <0) {4684free_patch(patch);4685if(nr == -128) {4686 res = -128;4687goto end;4688}4689break;4690}4691if(state->apply_in_reverse)4692reverse_patches(patch);4693if(use_patch(state, patch)) {4694patch_stats(state, patch);4695*listp = patch;4696 listp = &patch->next;4697}4698else{4699if(state->apply_verbosity > verbosity_normal)4700say_patch_name(stderr,_("Skipped patch '%s'."), patch);4701free_patch(patch);4702 skipped_patch++;4703}4704 offset += nr;4705}47064707if(!list && !skipped_patch) {4708error(_("unrecognized input"));4709 res = -128;4710goto end;4711}47124713if(state->whitespace_error && (state->ws_error_action == die_on_ws_error))4714 state->apply =0;47154716 state->update_index = state->check_index && state->apply;4717if(state->update_index && state->newfd <0) {4718if(state->index_file)4719 state->newfd =hold_lock_file_for_update(state->lock_file,4720 state->index_file,4721 LOCK_DIE_ON_ERROR);4722else4723 state->newfd =hold_locked_index(state->lock_file, LOCK_DIE_ON_ERROR);4724}47254726if(state->check_index &&read_apply_cache(state) <0) {4727error(_("unable to read index file"));4728 res = -128;4729goto end;4730}47314732if(state->check || state->apply) {4733int r =check_patch_list(state, list);4734if(r == -128) {4735 res = -128;4736goto end;4737}4738if(r <0&& !state->apply_with_reject) {4739 res = -1;4740goto end;4741}4742}47434744if(state->apply) {4745int write_res =write_out_results(state, list);4746if(write_res <0) {4747 res = -128;4748goto end;4749}4750if(write_res >0) {4751/* with --3way, we still need to write the index out */4752 res = state->apply_with_reject ? -1:1;4753goto end;4754}4755}47564757if(state->fake_ancestor &&4758build_fake_ancestor(state, list)) {4759 res = -128;4760goto end;4761}47624763if(state->diffstat && state->apply_verbosity > verbosity_silent)4764stat_patch_list(state, list);47654766if(state->numstat && state->apply_verbosity > verbosity_silent)4767numstat_patch_list(state, list);47684769if(state->summary && state->apply_verbosity > verbosity_silent)4770summary_patch_list(list);47714772end:4773free_patch_list(list);4774strbuf_release(&buf);4775string_list_clear(&state->fn_table,0);4776return res;4777}47784779static intapply_option_parse_exclude(const struct option *opt,4780const char*arg,int unset)4781{4782struct apply_state *state = opt->value;4783add_name_limit(state, arg,1);4784return0;4785}47864787static intapply_option_parse_include(const struct option *opt,4788const char*arg,int unset)4789{4790struct apply_state *state = opt->value;4791add_name_limit(state, arg,0);4792 state->has_include =1;4793return0;4794}47954796static intapply_option_parse_p(const struct option *opt,4797const char*arg,4798int unset)4799{4800struct apply_state *state = opt->value;4801 state->p_value =atoi(arg);4802 state->p_value_known =1;4803return0;4804}48054806static intapply_option_parse_space_change(const struct option *opt,4807const char*arg,int unset)4808{4809struct apply_state *state = opt->value;4810if(unset)4811 state->ws_ignore_action = ignore_ws_none;4812else4813 state->ws_ignore_action = ignore_ws_change;4814return0;4815}48164817static intapply_option_parse_whitespace(const struct option *opt,4818const char*arg,int unset)4819{4820struct apply_state *state = opt->value;4821 state->whitespace_option = arg;4822if(parse_whitespace_option(state, arg))4823exit(1);4824return0;4825}48264827static intapply_option_parse_directory(const struct option *opt,4828const char*arg,int unset)4829{4830struct apply_state *state = opt->value;4831strbuf_reset(&state->root);4832strbuf_addstr(&state->root, arg);4833strbuf_complete(&state->root,'/');4834return0;4835}48364837intapply_all_patches(struct apply_state *state,4838int argc,4839const char**argv,4840int options)4841{4842int i;4843int res;4844int errs =0;4845int read_stdin =1;48464847for(i =0; i < argc; i++) {4848const char*arg = argv[i];4849char*to_free = NULL;4850int fd;48514852if(!strcmp(arg,"-")) {4853 res =apply_patch(state,0,"<stdin>", options);4854if(res <0)4855goto end;4856 errs |= res;4857 read_stdin =0;4858continue;4859}else4860 arg = to_free =prefix_filename(state->prefix, arg);48614862 fd =open(arg, O_RDONLY);4863if(fd <0) {4864error(_("can't open patch '%s':%s"), arg,strerror(errno));4865 res = -128;4866free(to_free);4867goto end;4868}4869 read_stdin =0;4870set_default_whitespace_mode(state);4871 res =apply_patch(state, fd, arg, options);4872close(fd);4873free(to_free);4874if(res <0)4875goto end;4876 errs |= res;4877}4878set_default_whitespace_mode(state);4879if(read_stdin) {4880 res =apply_patch(state,0,"<stdin>", options);4881if(res <0)4882goto end;4883 errs |= res;4884}48854886if(state->whitespace_error) {4887if(state->squelch_whitespace_errors &&4888 state->squelch_whitespace_errors < state->whitespace_error) {4889int squelched =4890 state->whitespace_error - state->squelch_whitespace_errors;4891warning(Q_("squelched%dwhitespace error",4892"squelched%dwhitespace errors",4893 squelched),4894 squelched);4895}4896if(state->ws_error_action == die_on_ws_error) {4897error(Q_("%dline adds whitespace errors.",4898"%dlines add whitespace errors.",4899 state->whitespace_error),4900 state->whitespace_error);4901 res = -128;4902goto end;4903}4904if(state->applied_after_fixing_ws && state->apply)4905warning(Q_("%dline applied after"4906" fixing whitespace errors.",4907"%dlines applied after"4908" fixing whitespace errors.",4909 state->applied_after_fixing_ws),4910 state->applied_after_fixing_ws);4911else if(state->whitespace_error)4912warning(Q_("%dline adds whitespace errors.",4913"%dlines add whitespace errors.",4914 state->whitespace_error),4915 state->whitespace_error);4916}49174918if(state->update_index) {4919 res =write_locked_index(&the_index, state->lock_file, COMMIT_LOCK);4920if(res) {4921error(_("Unable to write new index file"));4922 res = -128;4923goto end;4924}4925 state->newfd = -1;4926}49274928 res = !!errs;49294930end:4931if(state->newfd >=0) {4932rollback_lock_file(state->lock_file);4933 state->newfd = -1;4934}49354936if(state->apply_verbosity <= verbosity_silent) {4937set_error_routine(state->saved_error_routine);4938set_warn_routine(state->saved_warn_routine);4939}49404941if(res > -1)4942return res;4943return(res == -1?1:128);4944}49454946intapply_parse_options(int argc,const char**argv,4947struct apply_state *state,4948int*force_apply,int*options,4949const char*const*apply_usage)4950{4951struct option builtin_apply_options[] = {4952{ OPTION_CALLBACK,0,"exclude", state,N_("path"),4953N_("don't apply changes matching the given path"),49540, apply_option_parse_exclude },4955{ OPTION_CALLBACK,0,"include", state,N_("path"),4956N_("apply changes matching the given path"),49570, apply_option_parse_include },4958{ OPTION_CALLBACK,'p', NULL, state,N_("num"),4959N_("remove <num> leading slashes from traditional diff paths"),49600, apply_option_parse_p },4961OPT_BOOL(0,"no-add", &state->no_add,4962N_("ignore additions made by the patch")),4963OPT_BOOL(0,"stat", &state->diffstat,4964N_("instead of applying the patch, output diffstat for the input")),4965OPT_NOOP_NOARG(0,"allow-binary-replacement"),4966OPT_NOOP_NOARG(0,"binary"),4967OPT_BOOL(0,"numstat", &state->numstat,4968N_("show number of added and deleted lines in decimal notation")),4969OPT_BOOL(0,"summary", &state->summary,4970N_("instead of applying the patch, output a summary for the input")),4971OPT_BOOL(0,"check", &state->check,4972N_("instead of applying the patch, see if the patch is applicable")),4973OPT_BOOL(0,"index", &state->check_index,4974N_("make sure the patch is applicable to the current index")),4975OPT_BOOL(0,"cached", &state->cached,4976N_("apply a patch without touching the working tree")),4977OPT_BOOL(0,"unsafe-paths", &state->unsafe_paths,4978N_("accept a patch that touches outside the working area")),4979OPT_BOOL(0,"apply", force_apply,4980N_("also apply the patch (use with --stat/--summary/--check)")),4981OPT_BOOL('3',"3way", &state->threeway,4982N_("attempt three-way merge if a patch does not apply")),4983OPT_FILENAME(0,"build-fake-ancestor", &state->fake_ancestor,4984N_("build a temporary index based on embedded index information")),4985/* Think twice before adding "--nul" synonym to this */4986OPT_SET_INT('z', NULL, &state->line_termination,4987N_("paths are separated with NUL character"),'\0'),4988OPT_INTEGER('C', NULL, &state->p_context,4989N_("ensure at least <n> lines of context match")),4990{ OPTION_CALLBACK,0,"whitespace", state,N_("action"),4991N_("detect new or modified lines that have whitespace errors"),49920, apply_option_parse_whitespace },4993{ OPTION_CALLBACK,0,"ignore-space-change", state, NULL,4994N_("ignore changes in whitespace when finding context"),4995 PARSE_OPT_NOARG, apply_option_parse_space_change },4996{ OPTION_CALLBACK,0,"ignore-whitespace", state, NULL,4997N_("ignore changes in whitespace when finding context"),4998 PARSE_OPT_NOARG, apply_option_parse_space_change },4999OPT_BOOL('R',"reverse", &state->apply_in_reverse,5000N_("apply the patch in reverse")),5001OPT_BOOL(0,"unidiff-zero", &state->unidiff_zero,5002N_("don't expect at least one line of context")),5003OPT_BOOL(0,"reject", &state->apply_with_reject,5004N_("leave the rejected hunks in corresponding *.rej files")),5005OPT_BOOL(0,"allow-overlap", &state->allow_overlap,5006N_("allow overlapping hunks")),5007OPT__VERBOSE(&state->apply_verbosity,N_("be verbose")),5008OPT_BIT(0,"inaccurate-eof", options,5009N_("tolerate incorrectly detected missing new-line at the end of file"),5010 APPLY_OPT_INACCURATE_EOF),5011OPT_BIT(0,"recount", options,5012N_("do not trust the line counts in the hunk headers"),5013 APPLY_OPT_RECOUNT),5014{ OPTION_CALLBACK,0,"directory", state,N_("root"),5015N_("prepend <root> to all filenames"),50160, apply_option_parse_directory },5017OPT_END()5018};50195020returnparse_options(argc, argv, state->prefix, builtin_apply_options, apply_usage,0);5021}