1 /*
2  * GIT - The information manager from hell
3  */
4 
5 #include "cache.h"
6 #include "refs.h"
7 #include "builtin.h"
8 #include "strbuf.h"
9 
10 static const char builtin_check_ref_format_usage[] =
11 "git check-ref-format [--normalize] [<options>] <refname>\n"
12 "   or: git check-ref-format --branch <branchname-shorthand>";
13 
14 /*
15  * Return a copy of refname but with leading slashes removed and runs
16  * of adjacent slashes replaced with single slashes.
17  *
18  * This function is similar to normalize_path_copy(), but stripped down
19  * to meet check_ref_format's simpler needs.
20  */
collapse_slashes(const char * refname)21 static char *collapse_slashes(const char *refname)
22 {
23 	char *ret = xmallocz(strlen(refname));
24 	char ch;
25 	char prev = '/';
26 	char *cp = ret;
27 
28 	while ((ch = *refname++) != '\0') {
29 		if (prev == '/' && ch == prev)
30 			continue;
31 
32 		*cp++ = ch;
33 		prev = ch;
34 	}
35 	*cp = '\0';
36 	return ret;
37 }
38 
check_ref_format_branch(const char * arg)39 static int check_ref_format_branch(const char *arg)
40 {
41 	struct strbuf sb = STRBUF_INIT;
42 	const char *name;
43 	int nongit;
44 
45 	setup_git_directory_gently(&nongit);
46 	if (strbuf_check_branch_ref(&sb, arg) ||
47 	    !skip_prefix(sb.buf, "refs/heads/", &name))
48 		die("'%s' is not a valid branch name", arg);
49 	printf("%s\n", name);
50 	strbuf_release(&sb);
51 	return 0;
52 }
53 
cmd_check_ref_format(int argc,const char ** argv,const char * prefix)54 int cmd_check_ref_format(int argc, const char **argv, const char *prefix)
55 {
56 	int i;
57 	int normalize = 0;
58 	int flags = 0;
59 	const char *refname;
60 
61 	if (argc == 2 && !strcmp(argv[1], "-h"))
62 		usage(builtin_check_ref_format_usage);
63 
64 	if (argc == 3 && !strcmp(argv[1], "--branch"))
65 		return check_ref_format_branch(argv[2]);
66 
67 	for (i = 1; i < argc && argv[i][0] == '-'; i++) {
68 		if (!strcmp(argv[i], "--normalize") || !strcmp(argv[i], "--print"))
69 			normalize = 1;
70 		else if (!strcmp(argv[i], "--allow-onelevel"))
71 			flags |= REFNAME_ALLOW_ONELEVEL;
72 		else if (!strcmp(argv[i], "--no-allow-onelevel"))
73 			flags &= ~REFNAME_ALLOW_ONELEVEL;
74 		else if (!strcmp(argv[i], "--refspec-pattern"))
75 			flags |= REFNAME_REFSPEC_PATTERN;
76 		else
77 			usage(builtin_check_ref_format_usage);
78 	}
79 	if (! (i == argc - 1))
80 		usage(builtin_check_ref_format_usage);
81 
82 	refname = argv[i];
83 	if (normalize)
84 		refname = collapse_slashes(refname);
85 	if (check_refname_format(refname, flags))
86 		return 1;
87 	if (normalize)
88 		printf("%s\n", refname);
89 
90 	return 0;
91 }
92