Project

General

Profile

1
#!/bin/bash -e
2
set -o errexit -o pipefail # errexit in case caller's #! line missing -e
3

    
4
if test ! "$_util_sh_include_guard_utils"; then
5
_util_sh_include_guard_utils=1
6

    
7
isset() { declare -p "$1" &>/dev/null; }
8

    
9
realpath() { readlink -f -- "$1"; }
10

    
11
lowercase() { tr A-Z a-z <<<"$1"; }
12

    
13
str2varname() { lowercase "${1//[^a-zA-Z0-9_]/_}"; }
14
	# lowercase: on case-insensitive filesystems, paths sometimes canonicalize
15
	# to a different capitalization than the original
16

    
17
include_guard_var() { str2varname "$(realpath "$1")"; }
18

    
19
self_not_included() # usage: if self_not_included; then ... fi
20
{
21
	test $# -ge 1 || set -- "${BASH_SOURCE[1]}"
22
	local include_guard="$(include_guard_var "$1")"
23
	alias self_being_included=false
24
	! isset "$include_guard" && \
25
	{ eval "$include_guard"=1; alias self_being_included=true; }
26
}
27

    
28
# to load newly-defined aliases for use in functions in the same file:
29
## fi # load new aliases
30
## if self_being_included; then
31
# this is needed because aliases defined inside an if statement are not
32
# available inside that if statement
33

    
34
fi
35

    
36

    
37
if self_not_included "${BASH_SOURCE[0]}"; then
38

    
39

    
40
#### options
41

    
42
shopt -s expand_aliases
43
# **DON'T** do `shopt -s lastpipe` because this causes a segfault on Linux in
44
# stderr_matches(). (it also isn't supported on Mac.) use @PIPESTATUS instead.
45

    
46

    
47
#### stubs
48

    
49
die()
50
{ return "$?"; } # can't use `:` because that resets $?
51

    
52
alias log_local='declare PS4="$PS4" log_level="$log_level"'
53

    
54
function log++() { :; }
55
alias log++='"log++" ' # last space alias-expands next word
56
alias log--='"log--" ' # last space alias-expands next word
57
alias log!='"log!" ' # last space alias-expands next word
58

    
59
function log() { :; }
60

    
61
__caller_indent='log_indent="$log_indent$log_indent_step"'
62
alias caller_indent="$__caller_indent"
63
alias indent="declare $__caller_indent"
64

    
65
function canon_rel_path() { echo "$1"; }
66

    
67
function echo_func() { :; }
68
alias echo_func='"echo_func" "$FUNCNAME" "$@" && indent || true'
69

    
70
function echo_run() { :; }
71
alias echo_run='"echo_run" ' # last space alias-expands next word
72

    
73
# auto-echo common external commands
74
for cmd in env rm which; do alias "$cmd=echo_run $cmd"; done; unset cmd
75

    
76
echo_builtin() { :; }
77

    
78
function echo_vars() { :; }
79

    
80

    
81
#### logic
82

    
83
not() { ! "$@"; } # usage: wrapper_cmd not wrapped_cmd... # inverts exit status
84

    
85
bool!() # usage: "$(bool! "$bool_var")"
86
{ if test ! "$1"; then echo -n 1; fi } # empty<->non-empty
87

    
88

    
89
#### vars
90

    
91
alias local_array='declare -a'
92
	# `local` does not support arrays in older versions of bash/on Mac
93

    
94
set_var() { eval "$1"'="$2"'; }
95

    
96
set_default() { if ! isset "$1"; then set_var "$@"; fi; }
97

    
98
set_inv() { set_var no_"$1" "$(test "${!1}" || echo 1)"; }
99

    
100
# usage: local var=...; local_inv
101
alias local_inv=\
102
'declare "no_$var=$(test "${!var}" || echo 1)"; echo_vars no_$var'
103

    
104
unexport() { export -n "$@"; }
105
	# `declare +x` won't work because it defines the var if it isn't set
106

    
107
alias local_export='declare -x' # combines effects of local and export
108

    
109
alias export_array='declare -ax'
110
	# `export` does not support arrays in older versions of bash/on Mac
111

    
112
# to make export only visible locally: local var="$var"; export var
113
# within cmd: var="$var" cmd...
114

    
115
get_prefix_vars() { : "${prefix:?}"; eval echo '${!'$prefix'*}'; }
116

    
117
# usage: local prefix=..._; import_vars
118
# when used inside another alias 2+ levels deep, *must* be run inside a function
119
# idempotent: vars already set will *not* be overwritten
120
alias import_vars="$(cat <<'EOF'
121
: "${prefix:?}"
122
declare src_var dest_var
123
for src_var in $(get_prefix_vars); do
124
	dest_var="${src_var#$prefix}"
125
	# use ${...-...} to avoid overwriting an already-set var
126
	declare "$dest_var=${!dest_var-${!src_var}}"; echo_vars "$dest_var"
127
done
128
EOF
129
)"
130

    
131

    
132
#### integers
133

    
134
let!() { let "$@" || true; } # always returns true; safe to use for setting
135
	# "If the last ARG evaluates to 0, let returns 1" (`help let`)
136

    
137
bool2int() { try test ! "$1"; echo "$e"; } # empty->0; non-empty->1
138

    
139
int2exit() { (( "$1" != 0 )); }
140

    
141
exit2bool() { if (( $? == 0 )); then echo 1; fi } # 0->non-empty; !=0->empty
142

    
143

    
144
#### floats
145

    
146
int_part() { echo "${1%%.*}"; }
147

    
148
dec_suffix() { echo "${1#$(int_part "$1")}"; }
149

    
150
round_down() { int_part "$1"; }
151

    
152
float+int() { echo "$(($(int_part "$1")+$2))$(dec_suffix "$1")"; }
153

    
154
float_set_min() { if (($(int_part $1) >= $2)); then echo $1; else echo $2; fi; }
155

    
156

    
157
#### strings
158

    
159
starts_with() { test "${2#$1}" != "$2"; } # usage: starts_with pattern str
160

    
161
ends_with() { test "${2%$1}" != "$2"; } # usage: ends_with pattern str
162

    
163
match_prefix() # usage: match_prefix pattern str
164
{ if starts_with "$1" "$2"; then echo "${2%${2#$1}}"; fi }
165

    
166
rm_prefix() { echo "${2#$1}"; } # usage: rm_prefix pattern str
167

    
168
contains_match() { starts_with "*$1" "$2"; } # usage: contains_match pattern str
169

    
170
repeat() # usage: str=... n=... repeat
171
{
172
	: "${str?}" "${n:?}"; local result= n="$n" # n will be modified in function
173
	for (( ; n > 0; n-- )); do result="$result$str"; done
174
	echo "$result"
175
}
176

    
177
# usage: outer_cmd $sed_cmd ...
178
sed_cmd="env LANG= sed -`case "$(uname)" in Darwin) echo El;; *) echo ru;;esac`"
179
	# LANG: avoid invalid UTF-8 "illegal byte sequence" errors when LANG=*.UTF-8
180
	# -l: line buffered / -u: unbuffered
181
alias sed="$sed_cmd"
182
	# can't be function because this causes segfault in redir() subshell when
183
	# used with make.sh make() filter
184

    
185
fi # load new aliases
186
if self_being_included; then
187

    
188
rtrim() { log_local; log+ 3; sed 's/[[:space:]]+$//' <<<"$1"; }
189

    
190

    
191
#### arrays
192

    
193
echo1() { echo "$1"; } # usage: echo1 values...
194

    
195
esc() # usage: array=($(log++; prep_env... (eg. cd); esc args...))
196
{ local arg; for arg in "$@"; do printf '%q ' "$arg"; done; }
197

    
198
# usage: split delim str; use ${parts[@]}
199
function split() { split__with_IFS "$@"; echo_vars parts; }
200
	# no echo_func because used by log++
201
split__with_IFS() { local IFS="$1"; parts=($2); } # limit effects of IFS
202
alias split='declare parts; "split"'
203

    
204
join() { local IFS="$delim"; echo "$*"; } # usage: delim=char join elems...
205

    
206
reverse() # usage: array=($(reverse args...))
207
{
208
	local i
209
	for (( i=$#; i > 0; i-- )); do printf '%q ' "${!i}"; done
210
}
211

    
212
contains() # usage: contains value in_array...
213
{
214
	local value="$1"; shift
215
	local elem
216
	for elem in "$@"; do if test "$elem" = "$value"; then return 0; fi; done
217
	return 1
218
}
219

    
220
is_array() # handles unset vars (=false)
221
{
222
	isset "$1" || return 1
223
	local decl; decl="$(declare -p "$1")" || return; echo_vars decl
224
	starts_with 'declare -a' "$decl" # also matches -ax
225
}
226

    
227

    
228
#### terminal
229

    
230
### formatting
231

    
232
has_bg()
233
{
234
	# inverse (black background)/set background (normal colors)/set background
235
	# (bright colors) (xfree86.org/current/ctlseqs.html#Character_Attributes)
236
	starts_with 7 "$1" || starts_with 4 "$1" || starts_with 10 "$1"
237
}
238

    
239
format() # usage: format format_expr msg
240
# format_expr: the #s in xfree86.org/current/ctlseqs.html#Character_Attributes
241
{
242
	local format="$1" msg="$2"
243
	if starts_with '[' "$msg"; then format=; fi #don't add padding if formatted
244
	if has_bg "$format"; then msg=" $msg "; fi # auto-add padding if has bg
245
	echo "${format:+[0;${format}m}$msg${format:+}"
246
}
247

    
248
plain() { echo "$1"; }
249

    
250
fade() { format 90 "$@"; } # medium gray fades on white *&* black backgrounds
251

    
252

    
253
#### errors
254

    
255
err_fd=2 # stderr
256

    
257
# usage: local func=...; set_func_loc; use $file, $line
258
alias set_func_loc="$(cat <<'EOF'
259
: "${func:?}"
260
local func_info="$(shopt -s extdebug; declare -F "$func")" # 'func line file'
261
func_info="${func_info#$func }"
262
local line="${func_info%% *}"
263
local file="${func_info#$line }"
264
EOF
265
)"
266

    
267
fi # load new aliases
268
if self_being_included; then
269

    
270
func_loc() # gets where function declared in the format file:line
271
{
272
	local func="$1"; set_func_loc
273
	file="$(canon_rel_path "$file")" || return
274
	echo "$file:$line"
275
}
276

    
277
### stack traces
278

    
279
alias init_i='declare i="${i-0}"'
280
alias next_stack_frame='let! i++'
281

    
282
# makes stack_trace() skip the entry for the caller
283
alias skip_stack_frame='init_i; next_stack_frame'
284

    
285
fi # load new aliases
286
if self_being_included; then
287

    
288
# usage: [i=#] get_stack_frame # i: 0-based index from top of stack
289
# to get all stack frames:
290
# init_i; while get_stack_frame; do use $func $file $line; next_stack_frame;done
291
# better than `caller` builtin because returns info in separate vars
292
get_stack_frame()
293
{
294
	skip_stack_frame; init_i
295
	# the extra FUNCNAME/BASH_LINENO entries have dummy values (main/0)
296
	func="${FUNCNAME[$i]}" # the called function, which = the current function
297
	file="${BASH_SOURCE[$i+1]}" # not the *current* file, but the call's file
298
	line="${BASH_LINENO[$i]}" # the line the function was called at
299
	test "$file" # exit false if invalid index
300
}
301
alias get_stack_frame='declare func file line && "get_stack_frame"'
302
	# && instead of ; so it can be used as a while cond
303

    
304
format_stack_frame() # usage: "$(func=__ file=__ line=__ format_stack_frame)"
305
{
306
	file="$(canon_rel_path "$file")" || return
307
	local caller="$file:$line"
308
	local func_loc; func_loc="$(func_loc "$func")" || return
309
	func_loc="${func_loc#$file:}" # include just line # if file same
310
	echo "$func()    $(plain "@$caller -> $func_loc")"
311
}
312

    
313

    
314
#### debugging
315

    
316
debug_fd="$err_fd"
317

    
318
ps() { echo "$@" >&"$debug_fd"; } # usage: ps str...
319

    
320
pv() { declare -p "$@" >&"$debug_fd"; } # usage: pv var... # debug-prints vars
321

    
322
pf() { declare -f "$@" >&"$debug_fd"; } # usage: pf func... # prints func decls
323

    
324

    
325
#### caching
326

    
327
## shell-variable-based caching
328

    
329
# usage: local cache_key=...; load_cache; \
330
# if ! cached; then save_cache value || return; fi; echo_cached_value
331
# cache_key for function inputs: "$(declare -p kw_param...) $*"
332
alias load_cache='declare cache_var="$(str2varname "${FUNCNAME}___$cache_key")"'
333
alias cached='isset "$cache_var"'
334
alias save_cache='set_var "$cache_var"'
335
alias echo_cached_value='echo "${!cache_var}"'
336

    
337
clear_cache() # usage: func=... clear_cache
338
{ : "${func:?}"; unset $(prefix="${func}___" get_prefix_vars); }
339

    
340
fi # load new aliases
341
if self_being_included; then
342

    
343

    
344
#### functions
345

    
346
func_exists() { declare -f "$1" >/dev/null; }
347

    
348
kw_params() # usage: func() { kw_params param_var...; }; ...; param_var=... cmd
349
# removes keyword-param-only vars from the environment
350
{ unexport "$@"; }
351

    
352
1st_non_opt() { while starts_with - "$1"; do shift; done; echo "$1"; }
353

    
354
# usage: cmd=... foreach_arg
355
function foreach_arg()
356
{
357
	echo_func; kw_params cmd; : "${cmd:?}"
358
	local a; for a in "$@"; do
359
		a="$(log++ echo_run "$cmd" "$a")" || return; args+=("$a")
360
	done
361
	echo_vars args
362
}
363
alias foreach_arg='"foreach_arg" "$@"; set -- "${args[@]}"; unset args'
364

    
365
alias self_name='echo "${FUNCNAME%%__*}"' # usage: "$(self_name)"
366

    
367
alias self='command "$(self_name)"' # usage: wrapper() { self ...; }
368
alias self_sys='sys_cmd "$(self_name)"' # wrapper() { self_sys ...; }
369
alias self_builtin='builtin "${FUNCNAME%%__*}"' #wrapper() { self_builtin ...; }
370

    
371
all_funcs() # usage: for func in $(all_funcs); do ...; done # all declared funcs
372
{ declare -F|while read -r line; do echo -n "${line#declare -f } "; done; }
373

    
374
copy_func() # usage: from=... to=... copy_func
375
# $to must not exist. to get around the no-clobber restriction, use `unset -f`.
376
{
377
	log++ echo_func
378
	: "${from:?}" "${to:?}"
379
	func_exists "$from" || die "function does not exist: $from"
380
	! func_exists "$to" || die "function already exists: $to"
381
	local from_def="$(declare -f "$from")"
382
	eval "$to${from_def#$from}"
383
}
384

    
385
func_override() # usage: func_override old_name__suffix
386
{ log++ echo_func; from="${1%__*}" to="$1" copy_func; }
387

    
388
ensure_nested_func() # usage: func__nested_func() { ensure_nested_func; ... }
389
{
390
	local nested_func="${FUNCNAME[1]}"
391
	local func="${nested_func%%__*}"
392
	contains "$func" "${FUNCNAME[@]}" || \
393
		die "$nested_func() must be used by $func()"
394
}
395

    
396

    
397
#### aliases
398

    
399
fi # load new aliases
400
if self_being_included; then
401

    
402
unalias() { self_builtin "$@" 2>&- || true; } # no error if undefined
403

    
404
# usage: alias alias_='var=value run_cmd '
405
function run_cmd() { "$@"; }
406
alias run_cmd='"run_cmd" ' # last space alias-expands next word
407

    
408
alias_append() { eval "$(alias "$1")"'"$2"';} #usage: alias_append alias '; cmd'
409

    
410

    
411
#### commands
412

    
413
type() # handles fact that any alias would already be expanded
414
{ (unalias "$(1st_non_opt "$@")"; self_builtin "$@") || return; }
415

    
416
is_callable() { type -t -- "$1" >/dev/null; }
417

    
418
is_extern() { test "$(type -t -- "$1")" = file; }
419

    
420
is_intern() { is_callable "$1" && ! is_extern "$1"; }
421

    
422
is_dot_script()
423
{ log_local;log++; echo_func; test "${BASH_LINENO[${#BASH_LINENO[@]}-1]}" != 0;}
424

    
425
require_dot_script() # usage: require_dot_script || return
426
{
427
	echo_func
428
	if ! is_dot_script; then # was run without initial "."
429
		echo "usage: . $top_script (note initial \".\")"|fold -s >&2
430
		return 2
431
	fi
432
}
433

    
434
sys_cmd_path() { echo_func; echo_builtin command -p which "$1"|echo_stdout; }
435

    
436
# makes command in $1 a system command
437
# allows running a system command of the same name as the script
438
alias cmd2sys="$(cat <<'EOF'
439
declare _1="$1"; shift
440
_1="$(indent; log++ sys_cmd_path "$_1")" || return
441
set -- "$_1" "$@"
442
EOF
443
)"
444

    
445
fi # load new aliases
446
if self_being_included; then
447

    
448
sys_cmd() { cmd2sys; command "$@"; } # usage: sys_cmd cmd... # runs system cmd
449
	# allows running a system command of the same name as the script
450

    
451
function sudo()
452
{
453
	echo_func
454
	if is_callable "$1"; then set -- env PATH="$PATH" "$@"; fi # preserve PATH
455
	self -E "$@"
456
}
457
alias sudo='"sudo" ' # last space alias-expands next word
458

    
459

    
460
#### exceptions
461

    
462
fi # load new aliases
463
if self_being_included; then
464

    
465
exit() { self_builtin "${1:-$?}"; } # exit sometimes inxeplicably ignores $?
466

    
467
errexit() # usage: cmd || errexit status # works in functions *and* subshells
468
{ return "$1"; }
469
	# can't use `(exit "$1")` because a bug in bash prevents subshells from
470
	# triggering errexit (would need to append `|| return` for it to work)
471

    
472
# usage: cmd || { save_e; ...; rethrow; }
473

    
474
alias export_e='e=$?'
475

    
476
# **WARNING**: if using this after a command that might succeed (rather than
477
# only upon error), you must `unset e` before the command
478
# idempotent: also works if save_e already called
479
alias save_e='# idempotent: use $e if the caller already called save_e
480
declare e_=$?;
481
declare e="$(if test "$e_" = 0; then echo "${e:-0}"; else echo "$e_"; fi)"'
482

    
483
rethrow() { errexit "${e:-0}"; } # only does anything if $e != 0
484
rethrow!() { rethrow && false; } # always errexit, even if $e = 0
485
rethrow_exit() { rethrow || exit; } # exit even where errexit disabled
486

    
487
is_err() { ! rethrow; } # rethrow->*false* if error
488

    
489
fi # load new aliases
490
if self_being_included; then
491

    
492
# usage: try cmd...; ignore_e status; if catch status; then ...; fi; \
493
# finally...; end_try
494

    
495
alias prep_try='declare e=0 benign_error="$benign_error"'
496

    
497
# usage: ...; try cmd... # *MUST* be at beginning of statement
498
#     OR prep_try; var=... "try" cmd...
499
function try() { benign_error=1 "$@" || { export_e; true; }; }
500
alias try='prep_try; "try" ' # last space alias-expands next word
501

    
502
catch() { test "$e" = "${1:-0}" && e=0; } # also works w/ $1=''
503

    
504
ignore_e() { if catch "$@"; then benign_error=1; fi; } # also works w/ $1=''
505

    
506
alias end_try='rethrow'
507

    
508
ignore() { save_e; ignore_e "$@"; rethrow; } # usage: try cmd || ignore status
509

    
510
### signals
511

    
512
sig_e() { echo $(( 128+$(kill -l "$1") )); } # usage: sig_e SIGINT, etc.
513

    
514
func_override catch__exceptions
515
catch() # supports SIG* as exception type
516
{
517
	log_local; log++; echo_func
518
	if starts_with SIG "$1"; then set -- "$(sig_e "$1")"; fi
519
	catch__exceptions "$@"
520
}
521

    
522
# usage: piped_cmd cmd1...|cmd2... # cmd2 doesn't read all its input
523
function piped_cmd() { "$@" || ignore SIGPIPE; }
524
alias piped_cmd='"piped_cmd" ' # last space alias-expands next word
525

    
526
fi # load new aliases
527
if self_being_included; then
528

    
529

    
530
#### text
531

    
532
nl='
533
'
534

    
535
# usage: by itself:                            split_lines  str; use ${lines[@]}
536
#        with wrapper: declare lines; wrapper "split_lines" str; use ${lines[@]}
537
function split_lines() { split "$nl" "$1"; lines=("${parts[@]}"); }
538
	# no echo_func because used by log++
539
alias split_lines='declare lines; "split_lines"'
540

    
541

    
542
#### paths
543

    
544
strip/() { echo "${1%/}"; } # strips trailing /s
545

    
546
wildcard/() # usage: array=($(log++; [cd ...;] wildcard/ unquoted_pattern...))
547
{ cmd=strip/ foreach_arg; esc "$@"; }
548

    
549
wildcard.() # usage: array=($(log++; [cd ...;] wildcard. unquoted_pattern...))
550
# currently only removes . .. at beginning of list
551
{
552
	set -- $(wildcard/ "$@") # first strip trailing /s
553
	local to_rm=(. ..)
554
	local item
555
	if contains "$1" "${to_rm[@]}"; then
556
		shift
557
		if contains "$1" "${to_rm[@]}"; then shift; fi
558
	fi
559
	esc "$@"
560
}
561

    
562
#### streams
563

    
564
pipe_delay() # usage: cmd1 | { pipe_delay; cmd2; }
565
{ sleep 0.1; } # s; display after leading output of cmd1
566

    
567

    
568
#### verbose output
569

    
570

    
571
usage() { echo "Usage: $1" >&2; return 2; }
572

    
573

    
574
### log++
575

    
576
log_fd=2 # initially stderr
577

    
578
if test "$explicit_errors_only"; then verbosity=0; fi # hide startup logging
579

    
580
# set verbosity
581
if isset verbose; then : "${verbosity:=$(bool2int "$verbose")}"; fi
582
if isset vb; then : "${verbosity:=$vb}"; fi
583
: "${verbosity=1}" # default
584
: "${verbosity:=0}" # ensure non-empty
585
export verbosity # propagate to invoked commands
586

    
587
is_outermost="$(! isset log_level; exit2bool)" # if util.sh env not yet set up
588

    
589
# set log_level
590
: "${log_level=$(( ${#PS4}-1 ))}" # defaults to # non-space symbols in PS4
591
export log_level # propagate to invoked commands
592
export PS4 # follows log_level, so also propagate this
593

    
594
verbosity_int() { round_down "$verbosity"; }
595

    
596
# verbosities (and `make` equivalents):
597
# 0: just print errors. useful for cron jobs.
598
#    vs. make: equivalent to --silent, but suppresses external command output
599
# 1: also external commands run. useful for running at the command line.
600
#    vs. make: not provided (but sorely needed to avoid excessive output)
601
# 2: full graphical call tree. useful for determining where error occurred.
602
#    vs. make: equivalent to default verbosity, but with much-needed indents
603
# 3: also values of kw params and variables. useful for low-level debugging.
604
#    vs. make: not provided; need to manually use $(error $(var))
605
# 4: also variables in util.sh commands. useful for debugging util.sh.
606
#    vs. make: somewhat similar to --print-data-base
607
# 5: also variables in logging commands themselves. useful for debugging echo_*.
608
#    vs. make: not provided; need to search Makefile for @ at beginning of cmd
609
# 6+: not currently used (i.e. same as 5)
610

    
611
# definition: the log_level is the minimum verbosity needed to display a message
612
# for messages that use can_log(), the log_level starts with *1*, not 0
613
# for unfiltered messages, the log_level is 0 (i.e. still output at verbosity=0)
614
# to view a message's log_level, count the # of + signs before it in the output
615

    
616
fi # load new aliases
617
if self_being_included; then
618

    
619
# usage: in func:      log_local; log++; ...
620
#        outside func: log_local; log++; ...; log--
621
#        before cmd:   log++ cmd  OR  log+ num cmd  OR  log++ log++... cmd
622
# with a cmd, assignments are applied just to it, so log_local is not needed
623
# without a cmd, assignments are applied to caller ("$@" expands to nothing)
624
# "${@:2}" expands to all of $@ after *1st* arg, not 2nd ($@ indexes start at 1)
625
log:() # sets explicit log_level
626
{
627
	if test $# -gt 1; then log_local; fi # if cmd, only apply assignments to it
628
	# no local vars because w/o cmd, assignments should be applied to caller
629
	log_level="$1"
630
	PS4="$(str="${PS4:0:1}" n=$((log_level-1)) repeat)${PS4: -2}"
631
	"${@:2}"
632
}
633
log+() { log: $((log_level+$1)) "${@:2}"; }
634
log-() { log+ "-$1" "${@:2}"; }
635
# no log:/+/- alias needed because next word is not an alias-expandable cmd
636
function log++() { log+ 1 "$@"; }
637
function log--() { log- 1 "$@"; }
638
function log!() { log: 0 "$@"; } # force-displays next log message
639
# see aliases in stubs
640

    
641
verbosity_min() # usage: verbosity_min {<min>|''}
642
# WARNING: '' is a special value that causes $verbosity to be overwritten to ''
643
{ if test ! "$1" -o "$(verbosity_int)" -lt "$1"; then verbosity="$1"; fi; }
644
alias verbosity_min='declare verbosity="$verbosity"; "verbosity_min"'
645

    
646
# usage: (verbosity_compat; cmd)
647
function verbosity_compat()
648
{ log_local; log++; echo_func; if ((verbosity == 1)); then unset verbosity; fi;}
649
alias verbosity_compat='declare verbosity="$verbosity"; "verbosity_compat"'
650

    
651

    
652
# indent for call tree. this is *not* the log_level (below).
653
: "${log_indent_step=| }" "${log_indent=}"
654
export log_indent_step log_indent # propagate to invoked commands
655

    
656
# see indent alias in stubs
657

    
658

    
659
fi # load new aliases
660
if self_being_included; then
661

    
662
can_log() { test "$log_level" -le "$(verbosity_int)"; }
663
	# verbosity=0 turns off all logging
664

    
665
can_highlight_log_msg() { test "$log_level" -le 1; }
666

    
667
highlight_log_msg() # usage: [format=...] highlight_log_msg msg
668
# format: the # in xfree86.org/current/ctlseqs.html#Character_Attributes
669
{
670
	log_local; log+ 2; echo_func; kw_params format; log- 2
671
	local format="${format-1}" # bold
672
	if ! can_highlight_log_msg; then format=0; fi #remove surrounding formatting
673
	format "$format" "$1"
674
}
675

    
676
log_line!() # highlights log_level 1 messages to stand out against other output
677
{ echo "$log_indent$PS4$(highlight_log_msg "$1")" >&"$log_fd"; }
678

    
679
log_msg!()
680
{
681
	declare lines; log+ 2 "split_lines" "$1"
682
	local l; for l in "${lines[@]}"; do log_line! "$l"; done
683
}
684

    
685
log() { if can_log; then log_msg! "$@"; fi; }
686

    
687
log_custom() # usage: symbol=... log_custom msg
688
{ log_indent="${log_indent//[^ ]/$symbol}" PS4="${PS4//[^ ]/$symbol}" log "$@";}
689

    
690
bg_r='101;97' # red background with white text
691

    
692
log_err() { symbol='#' format="$bg_r" log_fd="$err_fd" log! log_custom "$@";}
693

    
694
log_info() { symbol=: log_custom "$@"; }
695

    
696
mk_hint() { format=7 highlight_log_msg "$@";}
697

    
698
log_err_hint!() { log_err "$(mk_hint "$@")"; }
699

    
700
log_err_hint() # usage: cmd || [benign_error=1] log_err_hint msg [|| handle err]
701
# msg only displayed if not benign error
702
{
703
	log++ kw_params benign_error
704
	if test ! "$benign_error"; then log_err_hint! "$@"; fi
705
}
706

    
707
die() # usage: if msg uses $(...):    cmd || { save_e; [type=...] die msg; }
708
#              if msg uses only vars: cmd || [type=...] die msg
709
{ save_e; log++ kw_params type; "log_${type:-err}" "$1"; rethrow!; }
710

    
711
die_e() # usage: cmd || [benign_error=1] die_e [|| handle error]
712
{
713
	save_e; log++ kw_params benign_error
714
	if test "$e" = "$(sig_e SIGPIPE)"; then benign_error=1; fi
715
	if test "$benign_error"; then log_local; log++; fi
716
	type="${benign_error:+info}" die "command exited with \
717
$(if test "$benign_error"; then echo status; else echo error; fi) $e"
718
	rethrow
719
}
720

    
721
die_error_hidden() # usage: cmd || verbosity_min=# die_error_hidden [|| ...]
722
{
723
	save_e; log++ echo_func; log++ kw_params verbosity_min
724
	: "${verbosity_min:?}"; log++ echo_vars verbosity
725
	if test "$(verbosity_int)" -lt "$verbosity_min"; then
726
		log_err_hint 'to see error details, prepend `vb='"$verbosity_min"'` to the command'
727
	fi
728
	rethrow
729
}
730

    
731

    
732
#### paths
733

    
734
# cache realpath
735
: "${realpath_cache=}" # default off because slower than without
736
if test "$realpath_cache"; then
737
func_override realpath__no_cache
738
realpath() # caches the last result for efficiency
739
{
740
	local cache_key="$*"; load_cache
741
	if ! cached; then save_cache "$(realpath__no_cache "$@")" || return; fi
742
	echo_cached_value
743
}
744
fi
745

    
746
rel_path() # usage: base_dir=... path=... rel_path
747
{
748
	log_local; log++; kw_params base_dir path
749
	: "${base_dir:?}" "${path:?}"
750
	
751
	local path="$path/" # add *extra* / to match path when exactly = base_dir
752
	path="${path#$base_dir/}" # remove prefix shared with base_dir
753
	path="${path%/}" # remove any remaining extra trailing /
754
	
755
	if test ! "$path"; then path=.; fi # ensure non-empty
756
	
757
	echo_vars path
758
	echo "$path"
759
}
760

    
761
cd -P . # expand symlinks in $PWD so it matches the output of realpath
762
# do before setting $top_script_abs so realpath has less symlinks to resolve
763

    
764
canon_rel_path() # usage: [base_dir=...] canon_rel_path path
765
# falls back to original path if can't resolve
766
{
767
	kw_params base_dir; local path="$1" base_dir="${base_dir-$PWD}"
768
	canon_rel_path__try || echo "$path"
769
}
770
canon_rel_path__try()
771
{
772
	ensure_nested_func
773
	base_dir="$(realpath "$base_dir")" || return
774
	path="$(realpath "$path")" || return
775
	rel_path
776
}
777

    
778
canon_dir_rel_path() # usage: [base_dir=...] canon_dir_rel_path path
779
# if the path is a symlink, just its parent dir will be canonicalized
780
{
781
	kw_params base_dir; local base_dir="${base_dir-$PWD}"
782
	base_dir="$(realpath "$base_dir")" || return
783
	local path; path="$(realpath "$(dirname "$1")")/$(basename "$1")" || return
784
	rel_path
785
}
786

    
787
# makes $1 a canon_rel_path if it's a filesystem path
788
alias cmd2rel_path="$(cat <<'EOF'
789
if is_extern "$1" && test -e "$1"; then # not relative to PATH
790
	declare _1="$1"; shift
791
	_1="$(log++ canon_rel_path "$_1")" || return
792
	set -- "$_1" "$@"
793
fi
794
EOF
795
)"
796

    
797
# usage: path_parents path; use ${dirs[@]} # includes the path itself
798
function path_parents()
799
{
800
	echo_func; local path="$1" prev_path=; dirs=()
801
	while test "$path" != "$prev_path"; do
802
		prev_path="$path"
803
		dirs+=("$path")
804
		path="${path%/*}"
805
	done
806
}
807
alias path_parents='declare dirs; "path_parents"'
808

    
809

    
810
#### verbose output
811

    
812

    
813
### command echoing
814

    
815
alias echo_params='log "$*"'
816

    
817
fi # load new aliases
818
if self_being_included; then
819

    
820
echo_cmd() { echo_params; }
821

    
822
function echo_run() { echo_params; "$@"; }
823
# see echo_run alias after stub
824

    
825
echo_builtin() { echo_run builtin "$@"; } # usage: echo_builtin builtin_cmd...
826

    
827
echo_eval() { echo_params; builtin eval "$@"; }
828

    
829
## vars
830

    
831
echo_vars() # usage: echo_vars var... # also prints unset vars
832
{
833
	log_local; log++ # same log_level as echo_func
834
	if can_log; then
835
		local set_exprs= shared_flags=
836
		local var; for var in "${@%%=*}"; do
837
			if ! isset "$var"; then declare "$var"='<unset>'; fi
838
			
839
			# merge repeated flags
840
			local decl="$(declare -p "$var")"; decl="${decl#declare }"
841
			local flags="${decl%% *}" def="${decl#* }"
842
			if test ! "$shared_flags"; then shared_flags="$flags"; fi
843
			if test "$flags" != "$shared_flags"; then
844
				set_exprs="$set_exprs$flags "
845
			fi
846
			set_exprs="$set_exprs$def "
847
		done
848
		# put all vars on same line so they don't clutter up the logging output
849
		log "declare $shared_flags $set_exprs"
850
	fi
851
}
852

    
853
echo_export() { builtin export "$@"; echo_vars "$@"; }
854

    
855
alias export="echo_export" # automatically echo env vars when they are set
856

    
857
func_override kw_params__lang
858
kw_params() { kw_params__lang "$@"; echo_vars "$@"; } # echo all keyword params
859

    
860
## functions
861

    
862
# usage: func() { echo_func; ... }
863
function echo_func()
864
# usage: "echo_func" "$FUNCNAME" "$@" && indent || true
865
# exit status: whether function call was echoed
866
{
867
	log_local; log++; can_log || return
868
	local func="$1"; shift
869
	local loc; loc="$(log++ func_loc "$func")" || return
870
	echo_cmd "$func" "$@" "   $(plain "@$loc")"
871
}
872
# see echo_func alias after stub
873

    
874
fi # load new aliases
875
if self_being_included; then
876

    
877

    
878
#### fds
879

    
880
fd_exists() { (: <&"$1") 2>/dev/null; }
881

    
882
require_fd_not_exists() # usage: require_fd_not_exists fd || return 0
883
{ ! fd_exists "$1" || type=info die "fd $1 already exists, skipping"; }
884

    
885
set_fds() # usage: set_fds redirect...
886
# WARNING: does not currently support redirecting an fd to itself (due to bash
887
# bug that requires the dest fd to be closed before it can be reopened)
888
{
889
	echo_func
890
	
891
	# add #<>&- before every #<>&# reopen to fix strange bash bug
892
	local redirs=() i
893
	for i in "$@"; do
894
		# remove empty redirects resulting from using `redirs= cmd...` to clear
895
		# the redirs and then using $redirs as an array
896
		if test "$i"; then
897
			local redir_prefix="$(match_prefix '*[<>]' "$i")"
898
			local dest="$(        rm_prefix    '*[<>]' "$i")"
899
			if test "$dest" && ! starts_with '&' "$dest"; then # escape dest
900
				i="$redir_prefix$(printf %q "$dest")"
901
			fi
902
			if test "$redir_prefix"; then redirs+=("$redir_prefix&-"); fi
903
			redirs+=("$i")
904
		fi
905
	done
906
	set -- "${redirs[@]}"
907
	
908
	if (($# > 0)); then echo_eval exec "$@"; fi
909
}
910

    
911
fd_set_default() # usage: fd_set_default 'dest[<>]src'
912
{
913
	echo_func
914
	local dest="${1%%[<>]*}"
915
	require_fd_not_exists "$dest" || return 0
916
	set_fds "$1"
917
}
918

    
919
# convention: use fd 40/41/42 for command-specific alternate stdin/stdout/stderr
920
# mnemonic: 4 looks like A for Alternate
921
# do NOT use 1x, which are used by eval (which is used by set_fds())
922
# do NOT use 2x, which we use as global stdin/stdout/stderr
923

    
924
stdlog=3
925

    
926
setup_log_fd() # view logging output at verbosity >= 5
927
{
928
	log_local; log+ 4; log-- echo_func 
929
	fd_set_default "$stdlog>&2" || true # set up stdlog
930
	log_fd="$stdlog" # don't change $log_fd until stdlog is set up
931
}
932
setup_log_fd
933

    
934
set_global_fds()
935
# allows commands to access global stdin/stdout/stderr using fd 20/21/22
936
# this works even when /dev/tty isn't available
937
# view logging output at verbosity >= 3
938
{
939
	log_local; log+ 2; log-- echo_func
940
	# ignore errors if a source fd isn't open
941
	fd_set_default '20<&0' || true
942
	fd_set_default '21>&1' || true
943
	fd_set_default '22>&2' || true
944
	debug_fd=22 # debug to global stderr in case stderr filtered
945
}
946
set_global_fds
947

    
948
# usage: explicit_errors_only=1 script...
949
# show only explicitly-displayed errors (which have been redirected to fd 22)
950
# most of the time this has the same effect as `verbosity=0 script...`,
951
# which displays everything that isn't explicitly hidden
952
# this option should only be used for testing the explicit error displaying
953
if test "$explicit_errors_only"; then disable_logging; fi
954

    
955

    
956
log++ echo_vars is_outermost
957

    
958

    
959
#### paths
960

    
961
log++
962

    
963
top_script="${BASH_SOURCE[${#BASH_SOURCE[@]}-1]}"; echo_vars top_script
964
	# outermost script; unlike $0, also defined for .-scripts
965

    
966
top_symlink_dir="$(dirname "$top_script")"; echo_vars top_symlink_dir
967
top_symlink_dir_abs="$(realpath "$top_symlink_dir")"
968
	echo_vars top_symlink_dir_abs
969

    
970
top_script_abs="$(realpath "$top_script")"; echo_vars top_script_abs
971
	# realpath this before doing any cd so this points to the right place
972
top_dir_abs="$(dirname "$top_script_abs")"; echo_vars top_dir_abs
973

    
974
log--
975

    
976
set_paths()
977
{
978
	log_local; log++
979
	top_script="$(log++ canon_rel_path "$top_script_abs")" || return
980
		echo_vars top_script
981
	top_dir="$(dirname "$top_script")" || return; echo_vars top_dir
982
}
983
set_paths
984

    
985
# usage: $(enter_top_dir; cmd...)
986
function enter_top_dir() { echo_func; cd "$top_dir"; }
987
alias enter_top_dir='log++; "enter_top_dir"'
988

    
989
# usage: in_top_dir cmd...
990
function in_top_dir() { echo_func; (enter_top_dir; "$@"); }
991
alias in_top_dir='"in_top_dir" ' # last space alias-expands next word
992

    
993
PATH_rm() # usage: PATH_rm path... # removes components from the PATH
994
{
995
	echo_func; echo_vars PATH; : "${PATH?}"
996
	log_local
997
	log+ 2
998
	split : "$PATH"
999
	local new_paths=()
1000
	for path in "${parts[@]}"; do
1001
		if ! contains "$path" "$@"; then new_paths+=("$path"); fi
1002
	done
1003
	PATH="$(delim=: join "${new_paths[@]}")" || return
1004
	log- 2
1005
	echo_vars PATH
1006
}
1007

    
1008
no_PATH_recursion() # usage: (no_PATH_recursion; cmd...)
1009
# allows running a system command of the same name as the script
1010
{
1011
	echo_func
1012
	PATH_rm "$top_dir_abs" "$top_symlink_dir" "$top_symlink_dir_abs" "$top_dir"
1013
}
1014

    
1015
# makes command in $1 nonrecursive
1016
# allows running a system command of the same name as the script
1017
alias cmd2abs_path="$(cat <<'EOF'
1018
declare _1="$1"; shift
1019
_1="$(indent; no_PATH_recursion; log++; which "$_1"|echo_stdout)" || return
1020
set -- "$_1" "$@"
1021
EOF
1022
)"
1023

    
1024

    
1025
#### verbose output
1026

    
1027

    
1028
## internal commands
1029

    
1030
.()
1031
{
1032
	log_local; log++; log++ echo_func
1033
	cmd2rel_path; set -- "$FUNCNAME" "$@"
1034
	if (log++; echo_params; can_log); then indent; fi
1035
	builtin "$@"
1036
}
1037

    
1038
.rel() # usage: .rel file [args...] # file relative to ${BASH_SOURCE[0]} dir
1039
{
1040
	log++ log++ echo_func; local file="$1"; shift
1041
	. "$(canon_rel_path "$(dirname "$(realpath "${BASH_SOURCE[1]}")")/$file")" \
1042
"$@"
1043
}
1044

    
1045
cd() # usage: cd dir [path_var...] # path_vars will be rebased for the new dir
1046
# indent is permanent within subshell cd was used in
1047
{
1048
	log_local; log++ echo_func
1049
	local dir="$1"; shift
1050
	
1051
	# absolutize path_vars
1052
	for path_var in "$@"; do # must happen *before* cd to use correct currdir
1053
		set_var "$path_var" "$(realpath "${!path_var}")"
1054
	done
1055
	
1056
	# change dir
1057
	# -P: expand symlinks so $PWD matches the output of realpath
1058
	echo_run self_builtin -P "$dir"
1059
	if can_log; then caller_indent; fi
1060
	
1061
	func=realpath clear_cache
1062
	set_paths
1063
	
1064
	# re-relativize path_vars
1065
	for path_var in "$@"; do # must happen *after* cd to use correct currdir
1066
		set_var "$path_var" "$(canon_rel_path "${!path_var}")"
1067
	done
1068
}
1069

    
1070
## external commands
1071

    
1072
disable_logging() { set_fds "$log_fd>/dev/null"; }
1073

    
1074
# usage: redirs=(...); [cmd_name_log_inc=#] echo_redirs_cmd
1075
echo_redirs_cmd()
1076
{
1077
	local cmd_name_log_inc="${cmd_name_log_inc-0}"
1078
	
1079
	log++ echo_vars PATH
1080
	log+ "$cmd_name_log_inc" echo_cmd "$@" $(
1081
		# create redirs string
1082
		set -- "${redirs[@]}" # operate on ${redirs[@]}
1083
		while test "$#" -gt 0 && starts_with '[<>][^&]' "$1"
1084
		# print <>file redirs before cmd, because they introduce it
1085
		do log "$1 \\"; shift; done # log() will run *before* echo_cmd itself
1086
		echo "$@"
1087
	)
1088
}
1089

    
1090
function redir() # usage: local redirs=(#<>...); redir cmd...; unset redirs
1091
# to view only explicitly-displayed errors: explicit_errors_only=1 script...
1092
{
1093
	echo_func; kw_params redirs
1094
	
1095
	case "$1" in redir|command) "$@"; return;; esac # redir will be run later
1096
	(
1097
		log++ set_fds "${redirs[@]}"
1098
		unset redirs # don't redirect again in invoked command
1099
		(case "$1" in command__exec) shift;; esac; echo_redirs_cmd "$@")
1100
		if can_log; then indent; fi
1101
		"$@"
1102
	) || return
1103
}
1104
alias redir='"redir" ' # last space alias-expands next word
1105

    
1106
alias_append save_e '; unset redirs' # don't redirect error handlers
1107

    
1108
fi # load new aliases
1109
if self_being_included; then
1110

    
1111
command() # usage: [cmd_log_fd=|1|2|#] [verbosity_min=] [nonrecursive=1] \
1112
# command extern_cmd...
1113
{
1114
	echo_func; kw_params log_fd cmd_log_fd redirs verbosity_min
1115
	# if no cmd_log_fd, limit log_fd in case command uses util.sh
1116
	local cmd_log_fd="${cmd_log_fd-$log_fd}"
1117
	local redirs=("${redirs[@]}")
1118
	
1119
	# determine redirections
1120
	if test "$cmd_log_fd"; then
1121
		if can_log; then
1122
			if test "$cmd_log_fd" != "$log_fd"; then
1123
				redirs+=("$cmd_log_fd>&$log_fd")
1124
			fi # else no redir needed
1125
		else redirs+=("$cmd_log_fd>/dev/null");
1126
		fi
1127
	fi
1128
	
1129
	if test "$nonrecursive"; then cmd2abs_path; else cmd2rel_path; fi
1130
	redir command__exec "$@"
1131
}
1132
command__exec()
1133
{
1134
	ensure_nested_func
1135
	local verbosity_orig="$verbosity" # save for use in die_e
1136
	if test "$verbosity_min"; then verbosity_min "$verbosity_min"; fi
1137
	verbosity_compat
1138
	builtin command "$@" || { verbosity="$verbosity_orig"; die_e; }
1139
}
1140

    
1141

    
1142
### external command input/output
1143

    
1144
echo_stdin() # usage: input|echo_stdin|cmd
1145
{
1146
	if can_log; then
1147
		pipe_delay
1148
		echo ----- >&"$log_fd"
1149
		tee -a /dev/fd/"$log_fd";
1150
		echo ----- >&"$log_fd"
1151
	else cat
1152
	fi
1153
}
1154

    
1155
echo_stdout() { echo_stdin; } # usage: cmd|echo_stdout
1156

    
1157
stdout2fd() # usage: fd=# stdout2fd cmd...
1158
{
1159
	echo_func; kw_params fd; : "${fd?}"
1160
	if test "$fd" != 1; then local redirs=(">&$fd" "${redirs[@]}"); fi
1161
	redir "$@"
1162
}
1163

    
1164
function filter_fd() # usage: (fd=# [redirs=] filter_fd filter_cmd...; \
1165
# with filter...) # be sure ${redirs[@]} is not set to an outer value
1166
# useful e.g. to filter logging output or highlight errors
1167
{
1168
	echo_func; kw_params fd; : "${fd?}"
1169
	set_fds "$fd>" >(pipe_delay; stdout2fd "$@")
1170
	pipe_delay; pipe_delay # wait for >()'s pipe_delay and initial logging
1171
}
1172
alias filter_fd='"filter_fd" ' # last space alias-expands next word
1173

    
1174
stderr2stdout() # usage: { stderr2stdout cmd...|use stderr...; } 41>&1
1175
# **IMPORTANT**: fd 41 must later be redirected back to fd 1
1176
# unlike `2>&1`, keeps stderr going to stderr
1177
# redirects the command stdout to fd 41 to avoid collision with stderr
1178
{
1179
	echo_func
1180
	# fd 2 *must* be redirected back to fd 2, not log-filtered, in case there
1181
	# are other errors in addition to the benign error
1182
	piped_cmd "$@" 2> >(log++ echo_run tee /dev/fd/2) >&41 # redirects 2->{1,2}
1183
}
1184

    
1185
stdout_contains()
1186
# usage: { stderr2stdout cmd|stdout_contains echo_run grep ...; } 41>&1
1187
{
1188
	log_local; log++; echo_func
1189
	pipe_delay; pipe_delay; pipe_delay; "$@"|echo_stdout >/dev/null
1190
}
1191

    
1192
stderr_matches() # usage: pattern=... [ignore_e=# [benign_error=1]] \
1193
# stderr_matches cmd...
1194
{
1195
	echo_func; kw_params pattern ignore_e; : "${pattern?}"
1196
	
1197
	# not necessary to allow callers to handle the error themselves (which would
1198
	# require *every* caller to wrap this function in prep_try/rethrow), because
1199
	# they would just handle it by errexiting anyways
1200
	prep_try
1201
	
1202
	set +o errexit # avoid errexiting since @PIPESTATUS will be used instead
1203
	{ benign_error=1 stderr2stdout "$@"\
1204
|stdout_contains echo_run grep -E "$pattern"; } 41>&1
1205
		# benign_error: handle exit status logging in this func instead
1206
	local PIPESTATUS_=("${PIPESTATUS[@]}") # save b/c it's reset after each cmd
1207
	echo_vars PIPESTATUS_
1208
	set -o errexit
1209
	
1210
	# handle any command error
1211
	e="${PIPESTATUS_[0]}"
1212
	local matches="$(errexit "${PIPESTATUS_[1]}"; exit2bool)"
1213
	if test "$matches"; then ignore_e "$ignore_e" #also works w/ ignore_e=''
1214
	elif is_err && test ! "$benign_error"; then die_e # incorrectly suppressed
1215
	fi
1216
	rethrow_exit #force-exit b/c caller's test of return status disables errexit
1217
	
1218
	# handle any filter error
1219
	e="${PIPESTATUS_[1]}"
1220
	ignore_e 1 # false is not an error
1221
	# all other unsuccessful exit statuses are errors
1222
	rethrow_exit #force-exit b/c caller's test of return status disables errexit
1223
	
1224
	return "${PIPESTATUS_[1]}" # 2nd command's exit status -> $?
1225
}
1226

    
1227
fi # load new aliases
1228
if self_being_included; then
1229

    
1230
function ignore_err_msg() # usage: pattern=... [ignore_e=#] ignore_err_msg cmd
1231
# unlike `|| true`, this suppresses only errors caused by a particular error
1232
# *message*, rather than all error exit statuses
1233
{
1234
	echo_func; kw_params pattern; : "${pattern?}"
1235
	stderr_matches "$@" || true # also ignore false exit status on no match
1236
}
1237
alias ignore_err_msg='"ignore_err_msg" ' # last space alias-expands next word
1238

    
1239

    
1240
#### commands
1241

    
1242
already_exists_msg() # usage: cond || what=... already_exists_msg || return 0
1243
{
1244
	save_e # needed because $(mk_hint) resets $?
1245
	type=info die "$what already exists, skipping
1246
$(mk_hint 'to force-remake, prepend `rm=1` to the command')"
1247
}
1248

    
1249
require_not_exists() # usage: require_not_exists file || return 0
1250
{ test ! -e "$1" || what="file \"$1\"" already_exists_msg; }
1251

    
1252
function to_file() # usage: stdout=... [if_not_exists=1] [del=] to_file cmd...
1253
# auto-removes a command's output file on error (like make's .DELETE_ON_ERROR)
1254
{
1255
	echo_func; kw_params stdout if_not_exists del
1256
	: "${stdout?}"; local del="${del-1}"
1257
	if test "$if_not_exists"; then require_not_exists "$stdout" || return 0; fi
1258
	
1259
	local redirs=("${redirs[@]}" ">$stdout")
1260
	redir "$@" || { save_e; test ! "$del" || rm "$stdout"; rethrow; }
1261
}
1262
alias to_file='"to_file" ' # last space alias-expands next word
1263

    
1264
log_bg() { symbol='&' log_custom "$@"; }
1265

    
1266
log_last_bg() { log_bg '$!='"$!"; }
1267

    
1268
function bg_cmd() # usage: bg_cmd cmd...
1269
{ echo_func; log_bg "$@"; "$@" & log_last_bg; }
1270
alias bg_cmd='"bg_cmd" ' # last space alias-expands next word
1271

    
1272

    
1273
#### filesystem
1274

    
1275
could_be_glob() { echo_func; contains_match '\*' "$1"; }
1276

    
1277
is_dir() { echo_func; test -d "$1"; }
1278

    
1279
could_be_dir() { echo_func; ends_with / "$1" || is_dir "$1"; }
1280

    
1281
is_file() { echo_func; test -f "$1"; }
1282

    
1283
could_be_file()
1284
{ echo_func; { ! could_be_dir "$1" && ! could_be_glob "$1";} || is_file "$1"; }
1285

    
1286
alias mkdir='mkdir -p'
1287
alias cp='cp -p'
1288

    
1289
alias file_size=\
1290
"stat `case "$(uname)" in Darwin) echo -f %z;; *) echo --format=%s;; esac`"
1291

    
1292
alias wildcard='shopt -s nullglob; echo' # usage: "$(wildcard glob...)"
1293
alias wildcard1='shopt -s nullglob; echo1' # usage: "$(wildcard1 glob...)"
1294

    
1295
fi # load new aliases
1296
if self_being_included; then
1297

    
1298
mv2dir() { echo_func; mkdir "${!#}"; mv "$@"; } # usage: mv2dir ... dir
1299

    
1300
# usage: (mv_glob ... dir)
1301
function mv_glob() { echo_func; if (($# > 1)); then mv2dir "$@"; fi; }
1302
alias mv_glob='shopt -s nullglob; "mv_glob"'
1303

    
1304
### permissions
1305

    
1306
has_perms() # usage: perms=... has_perms item # perms: use find's -perm format
1307
{
1308
	echo_func; kw_params perms; : "${perms:?}"
1309
	test "$(find "$1" -maxdepth 0 -perm "$perms")"
1310
}
1311

    
1312
is_world_executable() { echo_func; perms=-o=x has_perms "$1"; } # -: all bits
1313

    
1314

    
1315
#### URLs
1316

    
1317
localize_url() { test _"$1" = _"$(hostname -f)" || echo "$1"; }
1318

    
1319
fi
(10-10/11)