You can not select more than 25 topics Topics must start with a letter or number, can include dashes ('-') and can be up to 35 characters long.

4038 lines
133 KiB

  1. #!/bin/bash
  2. ##
  3. ## TODO:
  4. ## - subordinate container should really be able to modify base image of their master
  5. ## - this could be done through docker-update
  6. ## - I'm not happy with the current build using 'build/' directory, this should be
  7. ## changed to:
  8. ## - always have a base image (specified in metadata), and always have hooks/install
  9. ## executed and merge in image (like docker-build-charm).
  10. ## - container base image is ALWAYS the image of the master container... this brings
  11. ## questions about a double way to express inheritage (through relations as it is
  12. ## implemented now, or through this base-image ?)
  13. ## - the name of the scripts for relation (aka relation_name-relation-joined) is bad as
  14. ## reading the name in a hooks/ dir, there are no way to know if we are the target or
  15. ## the base of the relation.
  16. ## - we could leverage a 'relations/' dir on the root of the charm, with both:
  17. ## 'relations/provide/relation_name' and 'relations/receive/relation_name'
  18. ## - a very bad point with the actual naming is that we can't have a providing AND
  19. ## receiving a relation with same name.
  20. ## - The cache system should keep md5 of docker-compose and other things between runs
  21. ## - The cache system should use underlying function that have only arguments inputs.
  22. ## This will allow to cache completely without issues function in time.
  23. ## - would probably need instrospection in charm custom action to know if these need
  24. ## init or relations to be set up.
  25. ## - Be clear about when the SERVICE name is used and the CHARM name is used.
  26. ## - in case of service contained in another container
  27. ## - in normal case
  28. ## - in docker-compose, can't use charm name: if we want 2 instances of the same charm
  29. ## we are stuck. What will be unique is the name of the service.
  30. ## - some relations are configured in compose.yml but should not trigger the loading
  31. ## of necessary component (for instance, apache --> log-rotate), if log-rotate is
  32. ## not there, this link should considered optional.
  33. ## - Could probably allow an unexistent charm to be populated with only "docker-image:"
  34. ## of the same name. Although this should trigger a visible warning.
  35. #:-
  36. [ -e /etc/shlib ] && . /etc/shlib || {
  37. echo "Unsatisfied dependency. Please install 'kal-shlib-core'."
  38. exit 1
  39. }
  40. #:-
  41. include common
  42. include pretty
  43. include parse
  44. include charm
  45. include array
  46. include cla
  47. depends shyaml docker
  48. exname="compose"
  49. version=0.1
  50. usage="$exname [COMPOSE_OPTS] [ACTION [ACTION_OPTS]]"
  51. help="\
  52. $WHITE$exname$NORMAL jobs is to run various shell scripts to build
  53. a running orchestrated and configured docker containers. These shell
  54. scripts will have the opportunity to build a 'docker-compose.yml'.
  55. Once init script and relations scripts are executed, $WHITE$exname$NORMAL
  56. delegate the launching to ${WHITE}docker-compose${NORMAL} by providing it
  57. the final 'docker-compose.yml'.
  58. $WHITE$exname$NORMAL also leverage charms to offer some additional custom
  59. actions per charm, which are simply other scripts that can be
  60. run without launching ${WHITE}docker-compose${NORMAL}.
  61. In compose message, color coding is enforced as such:
  62. - ${DARKCYAN}action$NORMAL,
  63. - ${DARKBLUE}relation$NORMAL,
  64. - ${DARKPINK}charm${NORMAL},
  65. - ${DARKYELLOW}service${NORMAL},
  66. - ${WHITE}option-name${NORMAL}/${WHITE}command-name${NORMAL}/${WHITE}Section-Title${NORMAL}
  67. $WHITE$exname$NORMAL reads '/etc/compose.conf' for global variables, and
  68. '/etc/compose.local.conf' for local host adjustements.
  69. "
  70. ## XXXvlab: this doesn't seem to work when 'compose' is called in
  71. ## a hook of a charm.
  72. #[[ "${BASH_SOURCE[0]}" == "" ]] && SOURCED=true
  73. $(return >/dev/null 2>&1) && SOURCED=true
  74. if [ "$UID" == 0 ]; then
  75. CACHEDIR=${CACHEDIR:-/var/cache/compose}
  76. VARDIR=${VARDIR:-/var/lib/compose}
  77. else
  78. [ "$XDG_CONFIG_HOME" ] && CACHEDIR=${CACHEDIR:-$XDG_CONFIG_HOME/compose}
  79. [ "$XDG_DATA_HOME" ] && VARDIR=${VARDIR:-$XDG_DATA_HOME/compose}
  80. CACHEDIR=${CACHEDIR:-$HOME/.cache/compose}
  81. VARDIR=${VARDIR:-$HOME/.local/share/compose}
  82. fi
  83. export VARDIR CACHEDIR
  84. md5_compat() { md5sum | cut -c -32; }
  85. quick_cat_file() { quick_cat_stdin < "$1"; }
  86. quick_cat_stdin() { local IFS=''; while read -r line; do echo "$line"; done ; }
  87. export -f quick_cat_file quick_cat_stdin md5_compat
  88. clean_cache() {
  89. local i=0
  90. for f in $(ls -t "$CACHEDIR/"*.cache.* 2>/dev/null | tail -n +500); do
  91. ((i++))
  92. rm -f "$f"
  93. done
  94. if (( i > 0 )); then
  95. debug "${WHITE}Cleaned cache:${NORMAL} Removed $((i)) elements (current cache size is $(du -sh "$CACHEDIR" | cut -f 1))"
  96. fi
  97. }
  98. usage="$exname SERVICE"'
  99. Deploy and manage a swarm of containers to provide services based on
  100. a ``compose.yml`` definition and charms from a ``charm-store``.
  101. '
  102. export DEFAULT_COMPOSE_FILE
  103. ##
  104. ## Merge YAML files
  105. ##
  106. export _merge_yaml_common_code="
  107. import sys
  108. import yaml
  109. try:
  110. from yaml import CSafeLoader as SafeLoader, CSafeDumper as SafeDumper
  111. except ImportError: ## pragma: no cover
  112. sys.stderr.write('YAML code in pure python\n')
  113. exit(1)
  114. from yaml import SafeLoader, SafeDumper
  115. class MySafeLoader(SafeLoader): pass
  116. class MySafeDumper(SafeDumper): pass
  117. try:
  118. # included in standard lib from Python 2.7
  119. from collections import OrderedDict
  120. except ImportError:
  121. # try importing the backported drop-in replacement
  122. # it's available on PyPI
  123. from ordereddict import OrderedDict
  124. ## Ensure that there are no collision with legacy OrderedDict
  125. ## that could be used for omap for instance.
  126. class MyOrderedDict(OrderedDict):
  127. pass
  128. MySafeDumper.add_representer(
  129. MyOrderedDict,
  130. lambda cls, data: cls.represent_dict(data.items()))
  131. def construct_omap(cls, node):
  132. cls.flatten_mapping(node)
  133. return MyOrderedDict(cls.construct_pairs(node))
  134. MySafeLoader.add_constructor(
  135. yaml.resolver.BaseResolver.DEFAULT_MAPPING_TAG,
  136. construct_omap)
  137. ##
  138. ## Support local and global objects
  139. ##
  140. class EncapsulatedNode(object): pass
  141. def mk_encapsulated_node(s, node):
  142. method = 'construct_%s' % (node.id, )
  143. data = getattr(s, method)(node)
  144. class _E(data.__class__, EncapsulatedNode):
  145. pass
  146. _E.__name__ = str(node.tag)
  147. _E._node = node
  148. return _E(data)
  149. def represent_encapsulated_node(s, o):
  150. value = s.represent_data(o.__class__.__bases__[0](o))
  151. value.tag = o.__class__.__name__
  152. return value
  153. MySafeDumper.add_multi_representer(EncapsulatedNode,
  154. represent_encapsulated_node)
  155. MySafeLoader.add_constructor(None, mk_encapsulated_node)
  156. def fc(filename):
  157. with open(filename) as f:
  158. return f.read()
  159. def merge(*args):
  160. # sys.stderr.write('%r\n' % (args, ))
  161. args = [arg for arg in args if arg is not None]
  162. if len(args) == 0:
  163. return None
  164. if len(args) == 1:
  165. return args[0]
  166. if all(isinstance(arg, (int, basestring, bool)) for arg in args):
  167. return args[-1]
  168. elif all(isinstance(arg, list) for arg in args):
  169. res = []
  170. for arg in args:
  171. for elt in arg:
  172. if elt in res:
  173. res.remove(elt)
  174. res.append(elt)
  175. return res
  176. elif all(isinstance(arg, dict) for arg in args):
  177. keys = set()
  178. for arg in args:
  179. keys |= set(arg.keys())
  180. dct = {}
  181. for key in keys:
  182. sub_args = []
  183. for arg in args:
  184. if key in arg:
  185. sub_args.append(arg)
  186. try:
  187. dct[key] = merge(*(a[key] for a in sub_args))
  188. except NotImplementedError as e:
  189. raise NotImplementedError(
  190. e.args[0],
  191. '%s.%s' % (key, e.args[1]) if e.args[1] else key,
  192. e.args[2])
  193. if dct[key] is None:
  194. del dct[key]
  195. return dct
  196. else:
  197. raise NotImplementedError(
  198. 'Unsupported types: %s'
  199. % (', '.join(list(set(arg.__class__.__name__ for arg in args)))), '', args)
  200. return None
  201. def merge_cli(*args):
  202. try:
  203. c = merge(*args)
  204. except NotImplementedError as e:
  205. sys.stderr.write('Merging Failed: %s.\n%s\n'
  206. ' Values are:\n %s\n'
  207. % (e.args[0],
  208. ' Conflicting key is %r.' % e.args[1] if e.args[1] else
  209. ' Conflict at base of structure.',
  210. '\\n '.join('v%d: %r' % (i, a)
  211. for i, a in enumerate(e.args[2]))))
  212. exit(1)
  213. if c is not None:
  214. print '%s' % yaml.dump(c, default_flow_style=False, Dumper=MySafeDumper)
  215. "
  216. merge_yaml() {
  217. if ! [ -r "$state_tmpdir/merge_yaml.py" ]; then
  218. cat <<EOF > "$state_tmpdir/merge_yaml.py"
  219. $_merge_yaml_common_code
  220. merge_cli(*(yaml.load(fc(f), Loader=MySafeLoader) for f in sys.argv[1:]))
  221. EOF
  222. fi
  223. python "$state_tmpdir/merge_yaml.py" "$@"
  224. }
  225. export -f merge_yaml
  226. merge_yaml_str() {
  227. local entries="$@"
  228. if ! [ -r "$state_tmpdir/merge_yaml_str.py" ]; then
  229. cat <<EOF > "$state_tmpdir/merge_yaml_str.py" || return 1
  230. $_merge_yaml_common_code
  231. merge_cli(*(yaml.load(f, Loader=MySafeLoader) for f in sys.argv[1:]))
  232. EOF
  233. fi
  234. python "$state_tmpdir/merge_yaml_str.py" "$@"
  235. }
  236. export -f merge_yaml_str
  237. yaml_key_val_str() {
  238. local entries="$@"
  239. if ! [ -r "$state_tmpdir/yaml_key_val_str.py" ]; then
  240. cat <<EOF > "$state_tmpdir/yaml_key_val_str.py"
  241. $_merge_yaml_common_code
  242. print '%s' % yaml.dump(
  243. {
  244. yaml.load(sys.argv[1], Loader=MySafeLoader):
  245. yaml.load(sys.argv[2], Loader=MySafeLoader)
  246. },
  247. default_flow_style=False,
  248. Dumper=MySafeDumper,
  249. )
  250. EOF
  251. fi
  252. python "$state_tmpdir/yaml_key_val_str.py" "$@"
  253. }
  254. export -f yaml_key_val_str
  255. ##
  256. ## Docker
  257. ##
  258. docker_has_image() {
  259. local image="$1"
  260. images=$(docker images -q "$image" 2>/dev/null) || {
  261. err "docker images call has failed unexpectedly."
  262. return 1
  263. }
  264. [ "$images" ]
  265. }
  266. export -f docker_has_image
  267. docker_image_id() {
  268. local image="$1" image_id cache_file="$state_dir/$FUNCNAME.cache.$(echo "$*" | md5_compat)"
  269. if [ -e "$cache_file" ]; then
  270. # debug "$FUNCNAME: cache hit ($*)"
  271. quick_cat_stdin < "$cache_file"
  272. return 0
  273. fi
  274. image_id=$(docker inspect "$image" --format='{{.Id}}') || return 1
  275. echo "$image_id" | tee "$cache_file"
  276. }
  277. export -f docker_image_id
  278. cached_cmd_on_image() {
  279. local image="$1" cache_file
  280. image_id=$(docker_image_id "$image") || return 1
  281. cache_file="$CACHEDIR/$FUNCNAME.cache.$(echo "$*" | md5_compat)"
  282. if [ -e "$cache_file" ]; then
  283. # debug "$FUNCNAME: cache hit ($*)"
  284. quick_cat_stdin < "$cache_file"
  285. return 0
  286. fi
  287. shift
  288. out=$(docker run -i --rm --entrypoint /bin/sh "$image_id" -c "$*") || return 1
  289. echo "$out" | tee "$cache_file"
  290. }
  291. export -f cached_cmd_on_image
  292. cmd_on_base_image() {
  293. local service="$1" base_image
  294. shift
  295. base_image=$(service_base_docker_image "$service") || return 1
  296. docker run -i --rm --entrypoint /bin/bash "$base_image" -c "$*"
  297. }
  298. export -f cmd_on_base_image
  299. cached_cmd_on_base_image() {
  300. local service="$1" base_image cache_file="$state_tmpdir/$FUNCNAME.cache.$(printf "%s\0" "$@" | md5_compat)"
  301. shift
  302. if [ -e "$cache_file" ]; then
  303. # debug "$FUNCNAME: cache hit ($*)"
  304. quick_cat_stdin < "$cache_file"
  305. return 0
  306. fi
  307. base_image=$(service_base_docker_image "$service") || return 1
  308. if ! docker_has_image "$base_image"; then
  309. docker pull "$base_image"
  310. fi
  311. result=$(cached_cmd_on_image "$base_image" "$@") || return 1
  312. echo "$result" | tee "$cache_file"
  313. }
  314. export -f cached_cmd_on_base_image
  315. image_exposed_ports_0() {
  316. local image="$1"
  317. docker inspect --format='{{range $p, $conf := .Config.ExposedPorts}}{{$p}}{{"\x00"}}{{end}}' "$image"
  318. }
  319. export -f image_exposed_ports_0
  320. ##
  321. ## Generic
  322. ##
  323. fn.exists() {
  324. declare -F "$1" >/dev/null
  325. }
  326. str_pattern_matches() {
  327. local str="$1"
  328. shift
  329. for pattern in "$@"; do
  330. eval "[[ \"$str\" == $pattern ]]" && return 0
  331. done
  332. return 1
  333. }
  334. str_matches() {
  335. local str="$1"
  336. shift
  337. for pattern in "$@"; do
  338. [[ "$str" == "$pattern" ]] && return 0
  339. done
  340. return 1
  341. }
  342. gen_password() {
  343. local l=( {a..z} {A..Z} {0..9} ) nl="${#l[@]}" size=${1:-16}
  344. while ((size--)); do
  345. echo -n "${l[$((RANDOM * nl / 32768))]}"
  346. done
  347. echo
  348. }
  349. export -f gen_password
  350. file_put() {
  351. local TARGET="$1"
  352. mkdir -p "$(dirname "$TARGET")" &&
  353. cat - > "$TARGET"
  354. }
  355. export -f file_put
  356. file_put_0() {
  357. local TARGET="$1"
  358. mkdir -p "$(dirname "$TARGET")" &&
  359. cat > "$TARGET"
  360. }
  361. export -f file_put_0
  362. fetch_file() {
  363. local src="$1"
  364. case "$src" in
  365. *"://"*)
  366. err "Unsupported target scheme."
  367. return 1
  368. ;;
  369. *)
  370. ## Try direct
  371. if ! [ -r "$src" ]; then
  372. err "File '$src' not found/readable."
  373. return 1
  374. fi
  375. cat "$src" || return 1
  376. ;;
  377. esac
  378. }
  379. export -f fetch_file
  380. ## receives stdin content to decompress on stdout
  381. ## stdout content should be tar format.
  382. uncompress_file() {
  383. local filename="$1"
  384. ## Warning, the content of the file is already as stdin, the filename
  385. ## is there to hint for correct decompression.
  386. case "$filename" in
  387. *".gz")
  388. gunzip
  389. ;;
  390. *".bz2")
  391. bunzip2
  392. ;;
  393. *)
  394. cat
  395. ;;
  396. esac
  397. }
  398. export -f uncompress_file
  399. get_file() {
  400. local src="$1"
  401. fetch_file "$src" | uncompress_file "$src"
  402. }
  403. export -f get_file
  404. ##
  405. ## Common database lib
  406. ##
  407. _clean_docker() {
  408. local _DB_NAME="$1" container_id="$2"
  409. (
  410. set +e
  411. debug "Removing container $_DB_NAME"
  412. docker stop "$container_id"
  413. docker rm "$_DB_NAME"
  414. docker network rm "${_DB_NAME}"
  415. rm -vf "$state_tmpdir/${_DB_NAME}.state"
  416. )
  417. }
  418. export -f _clean_docker
  419. get_service_base_image_dir_uid_gid() {
  420. local service="$1" dir="$2" uid_gid
  421. uid_gid=$(cached_cmd_on_base_image "$service" "stat -c '%u %g' '$dir'") || {
  422. debug "Failed to query '$dir' uid in ${DARKYELLOW}$service${NORMAL} base image."
  423. return 1
  424. }
  425. info "uid and gid from ${DARKYELLOW}$service${NORMAL}:$dir is '$uid_gid'"
  426. echo "$uid_gid"
  427. }
  428. export -f get_service_base_image_dir_uid_gid
  429. get_service_type() {
  430. local service="$1" cache_file="$state_tmpdir/$FUNCNAME.cache.$1"
  431. if [ -z "$service" ]; then
  432. print_syntax_error "$FUNCNAME: Please specify a service as first argument."
  433. return 1
  434. fi
  435. if [ -e "$cache_file" ]; then
  436. # debug "$FUNCNAME: cache hit ($*)"
  437. cat "$cache_file"
  438. return 0
  439. fi
  440. charm=$(get_service_charm "$service") || return 1
  441. metadata=$(charm.metadata "$charm") || return 1
  442. printf "%s" "$metadata" | shyaml get-value type service 2>/dev/null |
  443. tee "$cache_file"
  444. }
  445. are_files_locked_in_dir() {
  446. local dir="$1" device hdev ldev
  447. device=$(stat -c %d "$dir") || {
  448. err "Can't stat %d."
  449. return 1
  450. }
  451. device=$(printf "%04x" $device)
  452. hdev=${device:0:2}
  453. ldev=${device:2:2}
  454. inodes=$(find "$dir" -printf ':%i:\n')
  455. found=
  456. while read -r inode; do
  457. debug "try inode:$inode"
  458. if [[ "$inodes" == *":$inode:"* ]]; then
  459. found=1
  460. break
  461. fi
  462. done < <(cat /proc/locks | grep " $hdev:$ldev:" | sed -r "s/^.*$hdev:$ldev:([0-9]+).*$/\1/g")
  463. [ "$found" ]
  464. }
  465. export -f are_files_locked_in_dir
  466. export _PID="$$"
  467. ensure_db_docker_running () {
  468. local _STATE_FILE
  469. _DB_NAME="db_${DB_NAME}_${_PID}"
  470. _STATE_FILE="$state_tmpdir/${_DB_NAME}.state"
  471. if [ -e "$_STATE_FILE" ]; then
  472. IFS=: read DOCKER_NETWORK DOCKER_IP <<<"$(cat "$_STATE_FILE")"
  473. debug "Re-using previous docker/connection '$DOCKER_IP'."
  474. _set_db_params "$DOCKER_IP" "$DOCKER_NETWORK"
  475. return 0
  476. fi
  477. if [ -e "$state_tmpdir/${_DB_NAME}.working" ]; then
  478. ## avoid recursive calls.
  479. if [ -z "$DOCKER_IP" ]; then
  480. err "Currently figuring up DOCKER_IP, please set it yourself before this call if needed."
  481. return 1
  482. else
  483. debug "ignoring recursive call of 'ensure_db_docker_running'."
  484. fi
  485. return 0
  486. fi
  487. touch "$state_tmpdir/${_DB_NAME}.working"
  488. docker rm "$_DB_NAME" 2>/dev/null || true
  489. host_db_working_dir="$DATASTORE/${SERVICE_NAME}$DB_DATADIR"
  490. if is_db_locked; then
  491. info "Some process is using '$host_db_working_dir'. Trying to find a docker that would do this..."
  492. found=
  493. for docker_id in $(docker ps -q); do
  494. has_volume_mounted=$(
  495. docker inspect \
  496. --format "{{range .Mounts}}{{if eq .Destination \"$DB_DATADIR\"}}{{.Source}}{{end}}{{end}}" \
  497. "$docker_id")
  498. if [ "$has_volume_mounted" == "$host_db_working_dir" ]; then
  499. found="$docker_id"
  500. break
  501. fi
  502. done
  503. if [ -z "$found" ]; then
  504. err "Please shutdown any other docker using this directory."
  505. return 1
  506. fi
  507. export container_id="$found"
  508. info "Found docker $docker_id is already running."
  509. else
  510. verb "Database is not locked."
  511. if ! docker_has_image "$DOCKER_BASE_IMAGE"; then
  512. docker pull "$DOCKER_BASE_IMAGE"
  513. fi
  514. docker_opts=
  515. debug docker network create "$_DB_NAME"
  516. if ! network_id=$(docker network create "$_DB_NAME"); then
  517. err "'docker network create $_DB_NAME' failed !"
  518. _clean_docker "$_DB_NAME" "$container_id"
  519. rm "$state_tmpdir/${_DB_NAME}.working"
  520. return 1
  521. fi
  522. debug docker run -d \
  523. --name "$_DB_NAME" \
  524. $docker_opts \
  525. --network "$_DB_NAME" \
  526. -v "$host_db_working_dir:$DB_DATADIR" \
  527. "$DOCKER_BASE_IMAGE"
  528. if ! container_id=$(
  529. docker run -d \
  530. --name "$_DB_NAME" \
  531. $docker_opts \
  532. --network "$_DB_NAME" \
  533. -v "$host_db_working_dir:$DB_DATADIR" \
  534. "$DOCKER_BASE_IMAGE"
  535. ); then
  536. err "'docker run' failed !"
  537. _clean_docker "$_DB_NAME" "$container_id"
  538. rm "$state_tmpdir/${_DB_NAME}.working"
  539. return 1
  540. fi
  541. trap_add EXIT,ERR "_clean_docker \"$_DB_NAME\" \"$container_id\""
  542. fi
  543. if docker_ip=$(wait_for_docker_ip "$container_id"); then
  544. IFS=: read DOCKER_NETWORK DOCKER_IP <<<"$docker_ip"
  545. echo "$docker_ip" > "$_STATE_FILE"
  546. debug "written '$_STATE_FILE'"
  547. rm "$state_tmpdir/${_DB_NAME}.working"
  548. _set_db_params "$DOCKER_IP" "$DOCKER_NETWORK"
  549. return 0
  550. else
  551. errlvl="$?"
  552. err "Db not found (errlvl: $errlvl). Tail of docker logs follows:"
  553. docker logs --tail=5 "$container_id" 2>&1 | prefix " | " >&2
  554. rm "$state_tmpdir/${_DB_NAME}.working"
  555. return "$errlvl"
  556. fi
  557. }
  558. export -f ensure_db_docker_running
  559. ## Require to set $db_docker_opts if needed, and $DB_PASSFILE
  560. ##
  561. _dcmd() {
  562. local docker_opts command="$1"
  563. shift
  564. debug "Db> $command $@"
  565. if [ -f "$HOST_DB_PASSFILE" -a "$CLIENT_DB_PASSFILE" ]; then
  566. verb "Found and using '$HOST_DB_PASSFILE' as '$CLIENT_DB_PASSFILE'."
  567. docker_opts=("${db_docker_opts[@]}" "-v" "$HOST_DB_PASSFILE:$CLIENT_DB_PASSFILE")
  568. else
  569. docker_opts=("${db_docker_opts[@]}")
  570. fi
  571. ## XXXX was here: actualy, we need only connection between this version and the client version
  572. debug docker run -i --rm \
  573. "${docker_opts[@]}" \
  574. --entrypoint "$command" "$DOCKER_BASE_IMAGE" "${db_cmd_opts[@]}" "$@"
  575. docker run -i --rm \
  576. "${docker_opts[@]}" \
  577. --entrypoint "$command" "$DOCKER_BASE_IMAGE" "${db_cmd_opts[@]}" "$@"
  578. }
  579. export -f _dcmd
  580. ## Executes code through db
  581. dcmd() {
  582. local fun
  583. [ "$DB_NAME" ] || print_syntax_error "$FUNCNAME: You must provide \$DB_NAME."
  584. [ "$DB_DATADIR" ] || print_syntax_error "$FUNCNAME: You must provide \$DB_DATADIR."
  585. # [ "$DB_PASSFILE" ] || print_syntax_error "$FUNCNAME: You must provide \$DB_PASSFILE."
  586. [ "$_PID" ] || print_syntax_error "$FUNCNAME: You must provide \$_PID."
  587. for fun in is_db_locked _set_db_params ddb; do
  588. [ "$(type -t "$fun")" == "function" ] ||
  589. print_syntax_error "$FUNCNAME: You must provide function '$fun'."
  590. done
  591. ensure_db_docker_running </dev/null || return 1
  592. _dcmd "$@"
  593. }
  594. export -f dcmd
  595. get_docker_ips() {
  596. local name="$1" ip format network_id
  597. if ! docker inspect --format='{{ .NetworkSettings.Networks }}' "$name" >/dev/null 2>&1; then
  598. echo "default:$(docker inspect --format='{{ .NetworkSettings.IPAdress }}' "$name" 2>/dev/null)"
  599. else
  600. format='{{range $name, $conf := .NetworkSettings.Networks}}{{$name}}{{"\x00"}}{{$conf.IPAddress}}{{"\x00"}}{{end}}'
  601. while read-0 network_id ip; do
  602. printf "%s:%s\n" "$network_id" "$ip"
  603. done < <(docker inspect --format="$format" "$name")
  604. fi
  605. }
  606. export -f get_docker_ips
  607. get_docker_ip() {
  608. local name="$1"
  609. get_docker_ips "$name"
  610. }
  611. export -f get_docker_ip
  612. wait_docker_ip() {
  613. local name="$1" timeout="${2:-15}" timeout_count=0 docker_ip=
  614. start=$SECONDS
  615. while [ -z "$docker_ip" ]; do
  616. sleep 0.5
  617. docker_ip=$(get_docker_ip "$name") && break
  618. elapsed=$((SECONDS - start))
  619. if ((elapsed > timeout)); then
  620. err "${RED}timeout error${NORMAL}(${timeout}s):" \
  621. "Could not find '$name' docker container's IP."
  622. return 1
  623. fi
  624. [ "$elapsed" == "$old_elapsed" ] ||
  625. verb "Waiting for docker $name... ($elapsed/$timeout)"
  626. old_elapsed="$elapsed"
  627. done
  628. verb "Found docker $name network and IP: $docker_ip"
  629. echo "$docker_ip"
  630. }
  631. export -f wait_docker_ip
  632. wait_for_tcp_port() {
  633. local network=$1 host_port=$2 timeout=20
  634. verb "Trying to connect to $host_port"
  635. bash_image=${DEFAULT_BASH_IMAGE:-docker.0k.io/bash}
  636. echo docker run --rm -i --network "$network" "$bash_image" >&2
  637. docker run --rm -i --network "$network" "$bash_image" <<EOF
  638. start=\$SECONDS
  639. while true; do
  640. timeout 1 bash -c "</dev/tcp/${host_port/://}" >/dev/null 2>&1 && break
  641. sleep 0.2
  642. if [ "\$((SECONDS - start))" -gt "$timeout" ]; then
  643. exit 1
  644. fi
  645. done
  646. exit 0
  647. EOF
  648. if [ "$?" != 0 ]; then
  649. err "${RED}timeout error${NORMAL}(${timeout}s):"\
  650. "Could not connect to $host_port."
  651. return 1
  652. fi
  653. return 0
  654. }
  655. export -f wait_for_tcp_port
  656. ## Warning: requires a ``ddb`` matching current database to be checked
  657. wait_for_docker_ip() {
  658. local name=$1 DOCKER_IP= DOCKER_NETWORK= docker_ips= docker_ip= elapsed timeout=10
  659. docker_ip=$(wait_docker_ip "$name" 5) || return 1
  660. IFS=: read DOCKER_NETWORK DOCKER_IP <<<"$docker_ip"
  661. if ! str_is_ipv4 "$DOCKER_IP"; then
  662. err "internal 'wait_docker_ip' did not return a valid IP. Returned IP is '$DOCKER_IP'."
  663. return 1
  664. fi
  665. _set_db_params "$DOCKER_IP" "$DOCKER_NETWORK"
  666. while read-0 port; do
  667. IFS="/" read port type <<<"$port"
  668. [ "$type" == "tcp" ] || continue
  669. wait_for_tcp_port "$DOCKER_NETWORK" "$DOCKER_IP:${port}" || return 17
  670. info "Host/Port $DOCKER_IP:${port} checked ${GREEN}open${NORMAL}."
  671. done < <(image_exposed_ports_0 "$container_id")
  672. ## Checking direct connection
  673. timeout=10
  674. start=$SECONDS
  675. while true; do
  676. if err=$(echo "SELECT 1;" | ddb 2>&1 >/dev/null); then
  677. break
  678. fi
  679. if ! [[ "$err" == *"the database system is starting up" ]]; then
  680. err "${RED}db connection error${NORMAL}:" \
  681. "Could not connect to db on $DOCKER_IP container's IP."
  682. echo " Note: IP up, TCP ports is(are) open" >&2
  683. if [ "$err" ]; then
  684. echo " Error:" >&2
  685. printf "%s\n" "$err" | prefix " ${RED}!${NORMAL} " >&2
  686. fi
  687. return 18
  688. fi
  689. debug "Got starting up error '$err'."
  690. elapsed=$((SECONDS - start))
  691. if ((elapsed > timeout)); then
  692. err "${RED}db connection error${NORMAL}:"\
  693. "Could not connect to db on $DOCKER_IP" \
  694. "container's IP. (IP up, TCP ports is(are) open, sql answer after ${timeout}s)"
  695. return 1
  696. fi
  697. sleep 0.2
  698. done
  699. echo "${DOCKER_NETWORK}:${DOCKER_IP}"
  700. return 0
  701. }
  702. export -f wait_for_docker_ip
  703. docker_add_host_declaration() {
  704. local src_docker=$1 domain=$2 dst_docker=$3 dst_docker_ip= dst_docker_network
  705. dst_docker_ip=$(wait_docker_ip "$dst_docker") || exit 1
  706. IFS=: read dst_docker_ip dst_docker_network <<<"$dst_docker_ip"
  707. docker exec -i "$src_docker" bash <<EOF
  708. if cat /etc/hosts | grep -E "^[0-9]+\.[0-9]+\.[0-9]+\.[0-9]+\s+$domain\$" > /dev/null 2>&1; then
  709. sed -ri "s/^[0-9]+\.[0-9]+\.[0-9]+\.[0-9]+\s+$domain\$/$dst_docker_ip $domain/g" /etc/hosts
  710. else
  711. echo "$dst_docker_ip $domain" >> /etc/hosts
  712. fi
  713. EOF
  714. }
  715. export -f docker_add_host_declaration
  716. get_running_containers_for_service() {
  717. local service="$1"
  718. docker ps --filter label="compose.service=$service" --format="{{.ID}}"
  719. }
  720. export -f get_running_containers_for_service
  721. get_container_network_ips() {
  722. local container="$1"
  723. docker inspect "$container" \
  724. --format='{{range $key, $val :=.NetworkSettings.Networks}}{{$key}}{{"\x00"}}{{$val.IPAddress}}{{"\x00"}}{{end}}'
  725. }
  726. export -f get_container_network_ips
  727. get_container_network_ip() {
  728. local container="$1"
  729. while read-0 network ip; do
  730. printf "%s\0" "$network" "$ip"
  731. break
  732. done < <(get_container_network_ips "$container")
  733. }
  734. export -f get_container_network_ip
  735. ##
  736. ## Internal Process
  737. ##
  738. get_docker_compose_links() {
  739. local service="$1" cache_file="$state_tmpdir/$FUNCNAME.cache.$1" \
  740. deps master_service master_target_service _relation_name \
  741. target_service _relation_config tech_dep
  742. if [ -z "$service" ]; then
  743. print_syntax_error "$FUNCNAME: Please specify a service as first argument."
  744. return 1
  745. fi
  746. if [ -e "$cache_file" ]; then
  747. # debug "$FUNCNAME: cache hit ($*)"
  748. cat "$cache_file"
  749. return 0
  750. fi
  751. master_service=$(get_top_master_service_for_service "$service") || return 1
  752. deps=()
  753. while read-0 _relation_name target_service _relation_config tech_dep; do
  754. master_target_service="$(get_top_master_service_for_service "$target_service")" || return 1
  755. [ "$master_service" == "$master_target_service" ] && continue
  756. type="$(get_service_type "$target_service")" || return 1
  757. [ "$type" == "run-once" ] && continue
  758. if [ "$tech_dep" == "reversed" ]; then
  759. deps+=("$(echo -en "$master_target_service:\n links:\n - $master_service")")
  760. elif [ "$tech_dep" == "True" ]; then
  761. deps+=("$(echo -en "$master_service:\n links:\n - $master_target_service")")
  762. fi
  763. ## XXXvlab: an attempt to add depends_on, but this doesn't work well actually
  764. ## as there's a circular dependency issue. We don't really want the full feature
  765. ## of depends_on, but just to add it as targets when doing an 'up'
  766. # deps+=("$(echo -en "$master_service:\n depends_on:\n - $master_target_service")")
  767. done < <(get_service_relations "$service")
  768. merge_yaml_str "${deps[@]}" | tee "$cache_file" || return 1
  769. if [ "${PIPESTATUS[0]}" != 0 ]; then
  770. rm "$cache_file"
  771. err "Failed to merge YAML from all ${WHITE}links${NORMAL} dependencies."
  772. return 1
  773. fi
  774. }
  775. _get_docker_compose_opts() {
  776. local service="$1" cache_file="$state_tmpdir/$FUNCNAME.cache.$1" \
  777. compose_def master_service docker_compose_opts
  778. if [ -z "$service" ]; then
  779. print_syntax_error "$FUNCNAME: Please specify a service as first argument."
  780. return 1
  781. fi
  782. if [ -e "$cache_file" ]; then
  783. # debug "$FUNCNAME: cache hit ($*)"
  784. cat "$cache_file"
  785. return 0
  786. fi
  787. compose_def="$(get_compose_service_def "$service")" || return 1
  788. master_service="$(get_top_master_service_for_service "$service")"
  789. if docker_compose_opts=$(echo "$compose_def" | shyaml get-value -y "docker-compose" 2>/dev/null); then
  790. yaml_key_val_str "$master_service" "$docker_compose_opts"
  791. fi | tee "$cache_file"
  792. if [ "${PIPESTATUS[0]}" != 0 ]; then
  793. rm "$cache_file"
  794. return 1
  795. fi
  796. }
  797. ##
  798. ## By Reading the metadata.yml, we create a docker-compose.yml mixin.
  799. ## Some metadata.yml (of subordinates) will indeed modify other
  800. ## services than themselves.
  801. _get_docker_compose_service_mixin() {
  802. local service="$1" cache_file="$state_tmpdir/$FUNCNAME.cache.$1" \
  803. links_yaml base_mixin links_yaml docker_compose_options \
  804. charm charm_part
  805. if [ -z "$service" ]; then
  806. print_syntax_error "$FUNCNAME: Please specify a service as first argument."
  807. return 1
  808. fi
  809. if [ -e "$cache_file" ]; then
  810. # debug "$FUNCNAME: cache hit ($*)"
  811. cat "$cache_file"
  812. return 0
  813. fi
  814. master_service=$(get_top_master_service_for_service "$service") || {
  815. err "Failed to get top master service for service $DARKYELLOW$service$NORMAL"
  816. return 1
  817. }
  818. ## The compose part
  819. base_mixin="$master_service:
  820. labels:
  821. - compose.service=$service
  822. - compose.master-service=${master_service}
  823. - compose.project=$(get_default_project_name)"
  824. links_yaml=$(get_docker_compose_links "$service") || return 1
  825. docker_compose_options=$(_get_docker_compose_opts "$service") || return 1
  826. ## the charm part
  827. charm_part=$(get_docker_compose_mixin_from_metadata "$service") || return 1
  828. ## Merge results
  829. if [ "$charm_part" ]; then
  830. charm_yaml="$(yaml_key_val_str "$master_service" "$charm_part")" || return 1
  831. merge_yaml_str "$base_mixin" "$links_yaml" "$charm_yaml" "$docker_compose_options" || return 1
  832. else
  833. merge_yaml_str "$base_mixin" "$links_yaml" "$docker_compose_options" || return 1
  834. fi | tee "$cache_file"
  835. if [ "${PIPESTATUS[0]}" != 0 ]; then
  836. err "Failed to constitute the base YAML for service '${DARKYELLOW}$service${NORMAL}'"
  837. rm "$cache_file"
  838. return 1
  839. fi
  840. }
  841. export -f _get_docker_compose_service_mixin
  842. ##
  843. ## Get full `docker-compose.yml` format for all listed services (and
  844. ## their deps)
  845. ##
  846. ## @export
  847. ## @cache: !system !nofail +stdout
  848. get_docker_compose () {
  849. local cache_file="$state_tmpdir/$FUNCNAME.cache.$(echo "$*" | md5_compat)" \
  850. entries services service start docker_compose_services
  851. if [ -e "$cache_file" ]; then
  852. # debug "$FUNCNAME: cache hit ($*)"
  853. cat "$cache_file"
  854. return 0
  855. fi
  856. ##
  857. ## Adding sub services configurations
  858. ##
  859. declare -A entries
  860. start_compilation=$SECONDS
  861. debug "Compiling 'docker-compose.yml' base for ${DARKYELLOW}$*$NORMAL..."
  862. for target_service in "$@"; do
  863. start=$SECONDS
  864. services=$(get_ordered_service_dependencies "$target_service") || {
  865. err "Failed to get dependencies for $DARKYELLOW$target_service$NORMAL"
  866. return 1
  867. }
  868. debug " $DARKYELLOW$target_service$NORMAL deps:$DARKYELLOW" $services "$NORMAL$GRAY(in $((SECONDS - start))s)$NORMAL"
  869. for service in $services; do
  870. if [ "${entries[$service]}" ]; then
  871. ## Prevent double inclusion of same service if this
  872. ## service is deps of two or more of your
  873. ## requirements.
  874. continue
  875. fi
  876. ## mark the service as "loaded" as well as it's containers
  877. ## if this is a subordinate service
  878. start_service=$SECONDS
  879. entries[$service]=$(_get_docker_compose_service_mixin "$service") || {
  880. err "Failed to get service mixin for $DARKYELLOW$service$NORMAL"
  881. return 1
  882. }
  883. debug " Applied $DARKYELLOW$service$NORMAL charm metadata mixins $GRAY(in $((SECONDS - start_service))s)$NORMAL"
  884. done
  885. debug " ..finished all mixins for $DARKYELLOW$target_service$NORMAL $GRAY(in $((SECONDS - start))s)$NORMAL"
  886. done
  887. docker_compose_services=$(merge_yaml_str "${entries[@]}") || {
  888. err "Failed to merge YAML services entries together."
  889. return 1
  890. }
  891. base_v2="version: '2.0'"
  892. merge_yaml_str "$(yaml_key_val_str "services" "$docker_compose_services")" \
  893. "$base_v2" > "$cache_file" || return 1
  894. export _current_docker_compose="$(cat "$cache_file")"
  895. echo "$_current_docker_compose"
  896. debug " ..compilation of base 'docker-compose.yml' done $GRAY(in $((SECONDS - start_compilation))s)$NORMAL" || true
  897. # debug " ** ${WHITE}docker-compose.yml${NORMAL}:"
  898. # debug "$_current_docker_compose"
  899. }
  900. export -f get_docker_compose
  901. _get_compose_service_def_cached () {
  902. local service="$1" docker_compose="$2" cache_file="$CACHEDIR/$FUNCNAME.cache.$(echo "$*" | md5_compat)"
  903. if [ -e "$cache_file" ]; then
  904. #debug "$FUNCNAME: STATIC cache hit"
  905. cat "$cache_file" &&
  906. touch "$cache_file" || return 1
  907. return 0
  908. fi
  909. value=$(echo "$docker_compose" | shyaml get-value "${service//./\\.}" 2>/dev/null)
  910. [ "$value" == None ] && value=""
  911. if ! echo "$value" | shyaml get-value "charm" >/dev/null 2>&1; then
  912. if charm.exists "$service"; then
  913. value=$(merge_yaml <(echo "charm: $service") <(echo "$value")) || {
  914. err "Can't merge YAML infered 'charm: $service' with base ${DARKYELLOW}$service${NORMAL} YAML definition."
  915. return 1
  916. }
  917. else
  918. err "No ${WHITE}charm${NORMAL} value for service $DARKYELLOW$service$NORMAL" \
  919. "in compose, nor same name charm found."
  920. return 1
  921. fi
  922. fi
  923. echo "$value" | tee "$cache_file" || return 1
  924. # if [ "${PIPESTATUS[0]}" != 0 ]; then
  925. # rm "$cache_file"
  926. # return 1
  927. # fi
  928. return 0
  929. # if [ "${PIPESTATUS[0]}" != 0 -o \! -s "$cache_file" ]; then
  930. # rm "$cache_file"
  931. # err "PAS OK $service: $value"
  932. # return 1
  933. # fi
  934. }
  935. export -f _get_compose_service_def_cached
  936. ## XXXvlab: a lot to be done to cache the results
  937. get_compose_service_def () {
  938. local service="$1" docker_compose cache_file="$state_tmpdir/$FUNCNAME.cache.$1" \
  939. result
  940. if [ -e "$cache_file" ]; then
  941. #debug "$FUNCNAME: SESSION cache hit"
  942. cat "$cache_file" || return 1
  943. return 0
  944. fi
  945. [ -z "$service" ] && print_syntax_error "Missing service as first argument."
  946. docker_compose=$(get_compose_yml_content) || return 1
  947. result=$(_get_compose_service_def_cached "$service" "$docker_compose") || return 1
  948. charm=$(echo "$result" |shyaml get-value charm 2>/dev/null) || return 1
  949. if default_options=$(printf "%s" "$metadata" | shyaml -y -q get-value default-options); then
  950. default_options=$(yaml_key_val_str "options" "$default_options") || return 1
  951. result=$(merge_yaml_str "$default_options" "$result") || return 1
  952. fi
  953. echo "$result" | tee "$cache_file" || return 1
  954. }
  955. export -f get_compose_service_def
  956. _get_service_charm_cached () {
  957. local service="$1" service_def="$2" cache_file="$CACHEDIR/$FUNCNAME.cache.$(echo "$*" | md5_compat)"
  958. if [ -e "$cache_file" ]; then
  959. # debug "$FUNCNAME: cache hit $1"
  960. cat "$cache_file" &&
  961. touch "$cache_file" || return 1
  962. return 0
  963. fi
  964. charm=$(echo "$service_def" | shyaml get-value charm 2>/dev/null)
  965. if [ -z "$charm" ]; then
  966. err "Missing ${WHITE}charm${NORMAL} value in service $DARKYELLOW$service$NORMAL definition."
  967. return 1
  968. fi
  969. echo "$charm" | tee "$cache_file" || return 1
  970. }
  971. export -f _get_service_charm_cached
  972. get_service_charm () {
  973. local service="$1"
  974. if [ -z "$service" ]; then
  975. echo ${FUNCNAME[@]} >&2
  976. print_syntax_error "$FUNCNAME: Please specify a service as first argument."
  977. return 1
  978. fi
  979. service_def=$(get_compose_service_def "$service") || return 1
  980. _get_service_charm_cached "$service" "$service_def"
  981. }
  982. export -f get_service_charm
  983. ## built above the docker-compose abstraction, so it relies on the
  984. ## full docker-compose.yml to be already built.
  985. get_service_def () {
  986. local service="$1" def
  987. if [ -z "$_current_docker_compose" ]; then
  988. print_syntax_error "$FUNCNAME is meant to be called after"\
  989. "\$_current_docker_compose has been calculated."
  990. fi
  991. def=$(echo "$_current_docker_compose" | shyaml get-value "services.${service//./\\.}" 2>/dev/null)
  992. if [ -z "$def" ]; then
  993. err "No definition for service $DARKYELLOW$service$NORMAL in compiled 'docker-compose.yml'."
  994. return 1
  995. fi
  996. echo "$def"
  997. }
  998. export -f get_service_def
  999. ## Return the base docker image name of a service
  1000. service_base_docker_image() {
  1001. local service="$1" cache_file="$state_tmpdir/$FUNCNAME.cache.$1" \
  1002. master_service service_def service_image service_build service_dockerfile
  1003. if [ -e "$cache_file" ]; then
  1004. # debug "$FUNCNAME: cache hit ($*)"
  1005. cat "$cache_file"
  1006. return 0
  1007. fi
  1008. master_service="$(get_top_master_service_for_service "$service")" || {
  1009. err "Could not compute master service for service $DARKYELLOW$service$NORMAL."
  1010. return 1
  1011. }
  1012. service_def="$(get_service_def "$master_service")" || {
  1013. err "Could not get docker-compose service definition for $DARKYELLOW$master_service$NORMAL."
  1014. return 1
  1015. }
  1016. service_image=$(echo "$service_def" | shyaml get-value image 2>/dev/null)
  1017. if [ "$?" != 0 ]; then
  1018. ## According to https://stackoverflow.com/questions/32230577 , if there's a build,
  1019. ## then the builded image will get name ${project}_${service}
  1020. project=$(get_default_project_name) || return 1
  1021. image_name="${project}_${service}"
  1022. if ! docker_has_image "$image_name"; then
  1023. service_build=$(echo "$service_def" | shyaml get-value build 2>/dev/null)
  1024. if [ "$?" != 0 ]; then
  1025. err "Service $DARKYELLOW$service$NORMAL has no ${WHITE}image${NORMAL} nor ${WHITE}build${NORMAL} parameter."
  1026. echo "$service_def" >&2
  1027. return 1
  1028. fi
  1029. docker build "$service_build" -t "${project}_${service}" >&2 || {
  1030. err "Failed to build image for ${DARKYELLOW}$service${NORMAL}."
  1031. return 1
  1032. }
  1033. fi
  1034. printf "%s" "${project}_${service}"
  1035. else
  1036. printf "%s" "${service_image}"
  1037. fi | tee "$cache_file"
  1038. if [ "${PIPESTATUS[0]}" != 0 ]; then
  1039. rm "$cache_file"
  1040. return 1
  1041. fi
  1042. }
  1043. export -f service_base_docker_image
  1044. get_charm_relation_def () {
  1045. local charm="$1" relation_name="$2" cache_file="$state_tmpdir/$FUNCNAME.cache.$1.$2" \
  1046. relation_def metadata
  1047. if [ -e "$cache_file" ]; then
  1048. # debug "$FUNCNAME: cache hit ($*)"
  1049. cat "$cache_file"
  1050. return 0
  1051. fi
  1052. metadata="$(charm.metadata "$charm")" || return 1
  1053. relation_def="$(echo "$metadata" | shyaml get-value "provides.${relation_name}" 2>/dev/null)"
  1054. echo "$relation_def" | tee "$cache_file"
  1055. }
  1056. export -f get_charm_relation_def
  1057. get_charm_tech_dep_orientation_for_relation() {
  1058. local charm="$1" relation_name="$2" cache_file="$state_tmpdir/$FUNCNAME.cache.$1.$2" \
  1059. relation_def value
  1060. if [ -e "$cache_file" ]; then
  1061. # debug "$FUNCNAME: cache hit ($*)"
  1062. cat "$cache_file"
  1063. return 0
  1064. fi
  1065. relation_def=$(get_charm_relation_def "$charm" "$relation_name" 2>/dev/null)
  1066. value=$(echo "$relation_def" | shyaml get-value 'tech-dep' 2>/dev/null)
  1067. value=${value:-True}
  1068. printf "%s" "$value" | tee "$cache_file"
  1069. }
  1070. export -f get_charm_tech_dep_orientation_for_relation
  1071. get_service_relation_tech_dep() {
  1072. local service="$1" relation_name="$2" cache_file="$state_tmpdir/$FUNCNAME.cache.$1.$2" \
  1073. charm tech_dep
  1074. if [ -e "$cache_file" ]; then
  1075. # debug "$FUNCNAME: cache hit ($*)"
  1076. cat "$cache_file"
  1077. return 0
  1078. fi
  1079. charm=$(get_service_charm "$service") || return 1
  1080. tech_dep="$(get_charm_tech_dep_orientation_for_relation "$charm" "$relation_name")" || return 1
  1081. printf "%s" "$tech_dep" | tee "$cache_file"
  1082. }
  1083. export -f get_service_relation_tech_dep
  1084. ##
  1085. ## Use compose file to get deps, and relation definition in metadata.yml
  1086. ## for tech-dep attribute.
  1087. get_service_deps() {
  1088. local service="$1" cache_file="$state_tmpdir/$FUNCNAME.cache.$1"
  1089. if [ -e "$cache_file" ]; then
  1090. # debug "$FUNCNAME: cache hit ($*)"
  1091. cat "$cache_file"
  1092. return 0
  1093. fi
  1094. (
  1095. set -o pipefail
  1096. get_service_relations "$service" | \
  1097. while read-0 relation_name target_service _relation_config tech_dep; do
  1098. echo "$target_service"
  1099. done | tee "$cache_file"
  1100. ) || return 1
  1101. }
  1102. export -f get_service_deps
  1103. _rec_get_depth() {
  1104. local elt=$1 dep deps max cache_file="$state_tmpdir/$FUNCNAME.cache.$1"
  1105. [ "${depths[$elt]}" ] && return 0
  1106. if [ -e "$cache_file" ]; then
  1107. # debug "$FUNCNAME: cache hit ($*)"
  1108. depths[$elt]=$(cat "$cache_file")
  1109. return 0
  1110. fi
  1111. visited[$elt]=1
  1112. #debug "Setting visited[$elt]"
  1113. #debug "Asking for $DARKYELLOW$elt$NORMAL dependencies"
  1114. deps=$(get_service_deps "$elt") || {
  1115. debug "Failed get_service_deps $elt"
  1116. return 1
  1117. }
  1118. # debug "$elt deps are:" $deps
  1119. max=0
  1120. for dep in $deps; do
  1121. [ "${visited[$dep]}" ] && {
  1122. #debug "Already computing $dep"
  1123. continue
  1124. }
  1125. _rec_get_depth "$dep" || return 1
  1126. #debug "Requesting depth[$dep]"
  1127. if (( ${depths[$dep]} > max )); then
  1128. max="${depths[$dep]}"
  1129. fi
  1130. done
  1131. # debug "Setting depth[$elt] to $((max + 1))"
  1132. depths[$elt]=$((max + 1))
  1133. echo "${depths[$elt]}" > $cache_file
  1134. }
  1135. export -f _rec_get_depth
  1136. get_ordered_service_dependencies() {
  1137. local services=("$@") cache_file="$state_tmpdir/$FUNCNAME.cache.$(echo "$*" | md5_compat)"
  1138. if [ -e "$cache_file" ]; then
  1139. # debug "$FUNCNAME: cache hit ($*)"
  1140. cat "$cache_file"
  1141. return 0
  1142. fi
  1143. #debug "Figuring ordered deps of $DARKYELLOW$services$NORMAL"
  1144. if [ -z "${services[*]}" ]; then
  1145. return 0
  1146. # print_syntax_error "$FUNCNAME: no arguments"
  1147. # return 1
  1148. fi
  1149. declare -A depths
  1150. declare -A visited
  1151. heads=("${services[@]}")
  1152. while [ "${#heads[@]}" != 0 ]; do
  1153. array_pop heads head
  1154. _rec_get_depth "$head" || return 1
  1155. done
  1156. i=0
  1157. while [ "${#depths[@]}" != 0 ]; do
  1158. for key in "${!depths[@]}"; do
  1159. value="${depths[$key]}"
  1160. if [ "$value" == "$i" ]; then
  1161. echo "$key"
  1162. unset depths[$key]
  1163. fi
  1164. done
  1165. i=$((i + 1))
  1166. done | tee "$cache_file"
  1167. }
  1168. export -f get_ordered_service_dependencies
  1169. run_service_hook () {
  1170. local action="$1" service subservice subservices loaded
  1171. shift
  1172. declare -A loaded
  1173. for service in "$@"; do
  1174. subservices=$(get_ordered_service_dependencies "$service") || return 1
  1175. for subservice in $subservices; do
  1176. if [ "${loaded[$subservice]}" ]; then
  1177. ## Prevent double inclusion of same service if this
  1178. ## service is deps of two or more of your
  1179. ## requirements.
  1180. continue
  1181. fi
  1182. charm=$(get_service_charm "$subservice") || return 1
  1183. charm.has_hook "$charm" "$action" >/dev/null || continue
  1184. PROJECT_NAME=$(get_default_project_name) || return 1
  1185. MASTER_BASE_SERVICE_NAME=$(get_top_master_service_for_service "$subservice") || return 1
  1186. MASTER_BASE_CHARM_NAME=$(get_service_charm "$MASTER_BASE_SERVICE_NAME") || return 1
  1187. DOCKER_BASE_IMAGE=$(service_base_docker_image "$MASTER_BASE_SERVICE_NAME") || return 1
  1188. Wrap -d "running $YELLOW$action$NORMAL hook of $DARKYELLOW$subservice$NORMAL in charm $DARKPINK$charm$NORMAL" <<EOF || return 1
  1189. export DOCKER_BASE_IMAGE="$DOCKER_BASE_IMAGE"
  1190. export SERVICE_NAME=$subservice
  1191. export IMAGE_NAME=$(echo "${PROJECT_NAME}" | tr -d "_-")_\${SERVICE_NAME}
  1192. export CONTAINER_NAME=\${IMAGE_NAME}_1
  1193. export CHARM_NAME="$charm"
  1194. export PROJECT_NAME="$PROJECT_NAME"
  1195. export SERVICE_DATASTORE="$DATASTORE/$subservice"
  1196. export SERVICE_CONFIGSTORE="$CONFIGSTORE/$subservice"
  1197. export MASTER_BASE_SERVICE_NAME="$MASTER_BASE_SERVICE_NAME"
  1198. export MASTER_BASE_CHARM_NAME="$MASTER_BASE_CHARM_NAME"
  1199. charm.run_hook "$charm" "$action"
  1200. EOF
  1201. loaded[$subservice]=1
  1202. done
  1203. done
  1204. return 0
  1205. }
  1206. host_resource_get() {
  1207. local location="$1" cfg="$2"
  1208. type=$(echo "$cfg" | shyaml get-value type 2>/dev/null) || {
  1209. err "Missing ${WHITE}type$NORMAL option in ${WHITE}get$NORMAL config for location '$location'"
  1210. return 1
  1211. }
  1212. if fn.exists host_resource_get_$type; then
  1213. host_resource_get_$type "$location" "$cfg"
  1214. else
  1215. err "Source ${WHITE}source$NORMAL type '$type' unknown for" \
  1216. "${WHITE}host-resource$NORMAL '$location' defined in" \
  1217. "$DARKYELLOW$subservice$NORMAL config."
  1218. return 1
  1219. fi
  1220. }
  1221. export -f host_resource_get
  1222. host_resource_get_git() {
  1223. local location="$1" cfg="$2" branch parent url
  1224. branch=$(echo "$cfg" | shyaml get-value branch 2>/dev/null)
  1225. branch=${branch:-master}
  1226. url=$(echo "$cfg" | shyaml get-value url 2>/dev/null)
  1227. parent="$(dirname "$location")"
  1228. (
  1229. mkdir -p "$parent" && cd "$parent" &&
  1230. git clone -b "$branch" "$url" "$(basename "$location")"
  1231. ) || return 1
  1232. }
  1233. export -f host_resource_get_git
  1234. host_resource_get_git-sub() {
  1235. local location="$1" cfg="$2" branch parent url
  1236. branch=$(echo "$cfg" | shyaml get-value branch 2>/dev/null)
  1237. branch=${branch:-master}
  1238. url=$(echo "$cfg" | shyaml get-value url 2>/dev/null)
  1239. parent="$(dirname "$location")"
  1240. (
  1241. mkdir -p "$parent" && cd "$parent" &&
  1242. git sub clone -b "$branch" "$url" "$(basename "$location")"
  1243. ) || return 1
  1244. }
  1245. export -f host_resource_get_git-sub
  1246. setup_host_resource () {
  1247. local subservice="$1" service_def location get cfg
  1248. service_def=$(get_compose_service_def "$subservice") || return 1
  1249. while read-0 location cfg; do
  1250. ## XXXvlab: will it be a git resources always ?
  1251. if [ -d "$location" -a ! -d "$location/.git" ]; then
  1252. err "Hum, location '$location' does not seem to be a git directory."
  1253. return 1
  1254. fi
  1255. if [ -d "$location" ]; then
  1256. info "host resource '$location' already set up."
  1257. continue
  1258. fi
  1259. get=$(echo "$cfg" | shyaml get-value get 2>/dev/null)
  1260. if [ -z "$get" ]; then
  1261. err "No host directory '$location' found, and no ${WHITE}source$NORMAL" \
  1262. "specified for $DARKYELLOW$subservice$NORMAL."
  1263. return 1
  1264. fi
  1265. host_resource_get "$location" "$get" || return 1
  1266. done < <(echo "$service_def" | shyaml key-values-0 host-resources 2>/dev/null)
  1267. }
  1268. export -f setup_host_resource
  1269. setup_host_resources () {
  1270. local service subservices subservice loaded
  1271. declare -A loaded
  1272. for service in "$@"; do
  1273. subservices=$(get_ordered_service_dependencies "$service") || return 1
  1274. for subservice in $subservices; do
  1275. if [ "${loaded[$subservice]}" ]; then
  1276. ## Prevent double inclusion of same service if this
  1277. ## service is deps of two or more of your
  1278. ## requirements.
  1279. continue
  1280. fi
  1281. setup_host_resource "$service"
  1282. loaded[$subservice]=1
  1283. done
  1284. done
  1285. return 0
  1286. }
  1287. export -f setup_host_resources
  1288. relation-get () {
  1289. local key="$1" out
  1290. if ! out=$(cat "$RELATION_DATA_FILE" | shyaml -y get-value "$key" 2>/dev/null); then
  1291. err "The key $WHITE$key$NORMAL was not found in relation's data."
  1292. return 1
  1293. fi
  1294. echo "$out" | yaml_get_interpret
  1295. }
  1296. export -f relation-get
  1297. expand_vars() {
  1298. local unlikely_prefix="UNLIKELY_PREFIX"
  1299. content=$(cat -)
  1300. ## find first identifier not in content
  1301. remaining_lines=$(echo "$content" | grep "^$unlikely_prefix")
  1302. while [ "$(echo "$remaining_lines" | grep "^$unlikely_prefix$")" ]; do
  1303. size_prefix="${#unlikely_prefix}"
  1304. first_matching=$(echo "$remaining_lines" |
  1305. grep -v "^$unlikely_prefix$" |
  1306. uniq -w "$((size_prefix + 1))" -c |
  1307. sort -rn |
  1308. head -n 1)
  1309. first_matching=${first_matching#"${x%%[![:space:]]*}"}
  1310. first_matching="${first_matching#* }"
  1311. next_char=${first_matching:$size_prefix:1}
  1312. if [ "$next_char" != "0" ]; then
  1313. unlikely_prefix+="0"
  1314. else
  1315. unlikely_prefix+="1"
  1316. fi
  1317. remaining_lines=$(echo "$remaining_lines" | grep "^$unlikely_prefix")
  1318. done
  1319. eval "cat <<$unlikely_prefix
  1320. $content
  1321. $unlikely_prefix"
  1322. }
  1323. export -f expand_vars
  1324. yaml_get_interpret() {
  1325. local content tag
  1326. content=$(cat -)
  1327. tag=$(echo "$content" | shyaml -y get-value) || return 1
  1328. tag="${tag%% *}"
  1329. content=$(echo "$content" | shyaml get-value) || return 1
  1330. if ! [ "${tag:0:1}" == "!" ]; then
  1331. echo "$content" || return 1
  1332. return 0
  1333. fi
  1334. case "$tag" in
  1335. "!bash-stdout")
  1336. echo "$content" | bash || {
  1337. err "shell code didn't end with errorlevel 0"
  1338. return 1
  1339. }
  1340. ;;
  1341. "!var-expand")
  1342. echo "$content" | expand_vars || {
  1343. err "shell expansion failed"
  1344. return 1
  1345. }
  1346. ;;
  1347. *)
  1348. err "Invalid object tag ${WHITE}$tag${NORMAL}"
  1349. return 1
  1350. ;;
  1351. esac
  1352. }
  1353. export -f yaml_get_interpret
  1354. options-get () {
  1355. local key="$1" out
  1356. service_def=$(get_compose_service_def "$SERVICE_NAME") || return 1
  1357. if ! out=$(echo "$service_def" | shyaml -y get-value "options.$key" 2>/dev/null); then
  1358. err "The key $WHITE$key$NORMAL was not found in base service compose definition.."
  1359. return 1
  1360. fi
  1361. echo "$out" | yaml_get_interpret
  1362. }
  1363. export -f options-get
  1364. relation-base-compose-get () {
  1365. local key="$1" out
  1366. if ! out=$(echo "$RELATION_BASE_COMPOSE_DEF" | shyaml -y get-value "options.$key" 2>/dev/null); then
  1367. err "The key $WHITE$key$NORMAL was not found in base service compose definition.."
  1368. return 1
  1369. fi
  1370. echo "$out" | yaml_get_interpret
  1371. }
  1372. export -f relation-base-compose-get
  1373. relation-target-compose-get () {
  1374. local key="$1" out
  1375. if ! out=$(echo "$RELATION_TARGET_COMPOSE_DEF" | shyaml -y get-value "options.$key" 2>/dev/null); then
  1376. err "The key $WHITE$key$NORMAL was not found in base service compose definition.."
  1377. return 1
  1378. fi
  1379. echo "$out" | yaml_get_interpret
  1380. }
  1381. export -f relation-target-compose-get
  1382. relation-set () {
  1383. local key="$1" value="$2"
  1384. if [ -z "$RELATION_DATA_FILE" ]; then
  1385. err "$FUNCNAME: relation does not seems to be correctly setup."
  1386. return 1
  1387. fi
  1388. if ! [ -r "$RELATION_DATA_FILE" ]; then
  1389. err "$FUNCNAME: can't read relation's data." >&2
  1390. return 1
  1391. fi
  1392. _config_merge "$RELATION_DATA_FILE" <(yaml_key_val_str "$key" "$value")
  1393. }
  1394. export -f relation-set
  1395. _config_merge() {
  1396. local config_filename="$1" merge_to_file="$2"
  1397. touch "$config_filename" &&
  1398. merge_yaml "$config_filename" "$merge_to_file" > "$config_filename.tmp" || return 1
  1399. mv "$config_filename.tmp" "$config_filename"
  1400. }
  1401. export -f _config_merge
  1402. ## XXXvlab; this can be used only in relation, I'd like to use it in init.
  1403. config-add() {
  1404. local metadata="$1"
  1405. _config_merge "$RELATION_CONFIG" <(echo "$metadata")
  1406. }
  1407. export -f config-add
  1408. ## XXXvlab; this can be used only in relation, I'd like to use it in init.
  1409. init-config-add() {
  1410. local metadata="$1"
  1411. _config_merge "$state_tmpdir/to-merge-in-docker-compose.yml" \
  1412. <(yaml_key_val_str "services" "$metadata")
  1413. }
  1414. export -f init-config-add
  1415. docker_get_uid() {
  1416. local service="$1" user="$2" uid
  1417. uid=$(cached_cmd_on_base_image "$service" "id -u \"$user\"") || {
  1418. debug "Failed to query for '$user' uid in ${DARKYELLOW}$service${NORMAL} base image."
  1419. return 1
  1420. }
  1421. info "uid from ${DARKYELLOW}$service${NORMAL} for user '$user' is '$uid'"
  1422. echo "$uid"
  1423. }
  1424. export -f docker_get_uid
  1425. logstdout() {
  1426. local name="$1"
  1427. sed -r 's%^%'"${name}"'> %g'
  1428. }
  1429. export -f logstdout
  1430. logstderr() {
  1431. local name="$1"
  1432. sed -r 's%^(.*)$%'"${RED}${name}>${NORMAL} \1"'%g'
  1433. }
  1434. export -f logstderr
  1435. _run_service_relation () {
  1436. local relation_name="$1" service="$2" target_service="$3" relation_config="$4" relation_dir services
  1437. charm=$(get_service_charm "$service") || return 1
  1438. target_charm=$(get_service_charm "$target_service") || return 1
  1439. base_script_name=$(charm.has_relation_hook "$charm" "$relation_name" relation-joined) || true
  1440. target_script_name=$(charm.has_relation_hook "$target_charm" "$relation_name" relation-joined) || true
  1441. [ "$base_script_name" -o "$target_script_name" ] || return 0
  1442. relation_dir=$(get_relation_data_dir "$service" "$target_service" "$relation_name") || return 1
  1443. RELATION_DATA_FILE=$(get_relation_data_file "$service" "$target_service" "$relation_name" "$relation_config") || return 1
  1444. export BASE_SERVICE_NAME=$service
  1445. export BASE_CHARM_NAME=$charm
  1446. export BASE_CHARM_PATH=$(charm.get_dir "$charm")
  1447. export TARGET_SERVICE_NAME=$target_service
  1448. export TARGET_CHARM_NAME=$target_charm
  1449. export TARGET_CHARM_PATH=$(charm.get_dir "$target_charm")
  1450. export RELATION_DATA_FILE
  1451. target_errlvl=0
  1452. if [ -z "$target_script_name" ]; then
  1453. verb "No relation script $DARKBLUE$relation_name$NORMAL in target $DARKPINK$target_charm$NORMAL."
  1454. else
  1455. verb "Running ${DARKBLUE}$relation_name${NORMAL} relation-joined script" \
  1456. "for target $DARKYELLOW$target_service$NORMAL (charm $DARKPINK$target_charm$NORMAL)"
  1457. RELATION_CONFIG="$relation_dir/config_provider"
  1458. DOCKER_BASE_IMAGE=$(service_base_docker_image "$target_service") || return 1
  1459. export DOCKER_BASE_IMAGE RELATION_CONFIG RELATION_DATA
  1460. {
  1461. (
  1462. SERVICE_NAME=$target_service
  1463. SERVICE_DATASTORE="$DATASTORE/$target_service"
  1464. SERVICE_CONFIGSTORE="$CONFIGSTORE/$target_service"
  1465. export SERVICE_NAME DOCKER_BASE_IMAGE SERVICE_DATASTORE SERVICE_CONFIGSTORE
  1466. charm.run_relation_hook "$target_charm" "$relation_name" relation-joined
  1467. echo "$?" > "$relation_dir/target_errlvl"
  1468. ) | logstdout "$DARKYELLOW$target_service$NORMAL/$DARKBLUE$relation_name$NORMAL (joined) ${GREEN}@${NORMAL}"
  1469. } 3>&1 1>&2 2>&3 | logstderr "$DARKYELLOW$target_service$NORMAL/$DARKBLUE$relation_name$NORMAL (joined) ${RED}@${NORMAL}" 3>&1 1>&2 2>&3
  1470. target_errlvl="$(cat "$relation_dir/target_errlvl")" || {
  1471. err "Relation script '$script_name' in $DARKPINK$target_charm$NORMAL" \
  1472. "failed before outputing an errorlevel."
  1473. ((target_errlvl |= "1" ))
  1474. }
  1475. if [ -e "$RELATION_CONFIG" ]; then
  1476. debug "Merging some new config info in $DARKYELLOW$target_service$NORMAL"
  1477. _config_merge "$state_tmpdir/to-merge-in-docker-compose.yml" "$RELATION_CONFIG" &&
  1478. rm "$RELATION_CONFIG"
  1479. ((target_errlvl |= "$?"))
  1480. fi
  1481. fi
  1482. if [ "$target_errlvl" == 0 ]; then
  1483. errlvl=0
  1484. if [ "$base_script_name" ]; then
  1485. verb "Running ${DARKBLUE}$relation_name${NORMAL} relation-joined script" \
  1486. "for $DARKYELLOW$service$NORMAL (charm $DARKPINK$charm$NORMAL)"
  1487. RELATION_CONFIG="$relation_dir/config_providee"
  1488. RELATION_DATA="$(cat "$RELATION_DATA_FILE")"
  1489. DOCKER_BASE_IMAGE=$(service_base_docker_image "$service") || return 1
  1490. export DOCKER_BASE_IMAGE RELATION_CONFIG RELATION_DATA
  1491. {
  1492. (
  1493. SERVICE_NAME=$service
  1494. SERVICE_DATASTORE="$DATASTORE/$service"
  1495. SERVICE_CONFIGSTORE="$CONFIGSTORE/$service"
  1496. export SERVICE_NAME DOCKER_BASE_IMAGE SERVICE_DATASTORE SERVICE_CONFIGSTORE
  1497. charm.run_relation_hook "$charm" "$relation_name" relation-joined
  1498. echo "$?" > "$relation_dir/errlvl"
  1499. ) | logstdout "$DARKYELLOW$service$NORMAL/$DARKBLUE$relation_name$NORMAL (joined) ${GREEN}@${NORMAL}"
  1500. } 3>&1 1>&2 2>&3 | logstderr "$DARKYELLOW$service$NORMAL/$DARKBLUE$relation_name$NORMAL (joined) ${RED}@$NORMAL" 3>&1 1>&2 2>&3
  1501. errlvl="$(cat "$relation_dir/errlvl")" || {
  1502. err "Relation script '$script_name' in $DARKPINK$charm$NORMAL" \
  1503. "failed before outputing an errorlevel."
  1504. ((errlvl |= "1" ))
  1505. }
  1506. if [ -e "$RELATION_CONFIG" ]; then
  1507. _config_merge "$state_tmpdir/to-merge-in-docker-compose.yml" "$RELATION_CONFIG" &&
  1508. rm "$RELATION_CONFIG"
  1509. ((errlvl |= "$?" ))
  1510. fi
  1511. if [ "$errlvl" != 0 ]; then
  1512. err "Relation $DARKBLUE$relation_name$NORMAL on $DARKYELLOW$service$NORMAL failed to run properly."
  1513. fi
  1514. else
  1515. verb "No relation script '$script_name' in charm $DARKPINK$charm$NORMAL. Ignoring."
  1516. fi
  1517. else
  1518. err "Relation $DARKBLUE$relation_name$NORMAL on $DARKYELLOW$target_service$NORMAL failed to run properly."
  1519. fi
  1520. if [ "$target_errlvl" == 0 -a "$errlvl" == 0 ]; then
  1521. debug "Relation $DARKBLUE$relation_name$NORMAL is established" \
  1522. "between $DARKYELLOW$service$NORMAL and $DARKYELLOW$target_service$NORMAL."
  1523. return 0
  1524. else
  1525. return 1
  1526. fi
  1527. }
  1528. export -f _run_service_relation
  1529. _get_compose_relations_cached () {
  1530. local compose_service_def="$1" cache_file="$CACHEDIR/$FUNCNAME.cache.$(echo "$*" | md5_compat)" \
  1531. relation_name relation_def target_service
  1532. if [ -e "$cache_file" ]; then
  1533. #debug "$FUNCNAME: STATIC cache hit $1"
  1534. cat "$cache_file" &&
  1535. touch "$cache_file" || return 1
  1536. return 0
  1537. fi
  1538. (
  1539. set -o pipefail
  1540. if [ "$compose_service_def" ]; then
  1541. while read-0 relation_name relation_def; do
  1542. ## XXXvlab: could we use braces here instead of parenthesis ?
  1543. (
  1544. case "$(echo "$relation_def" | shyaml get-type 2>/dev/null)" in
  1545. "str")
  1546. target_service="$(echo "$relation_def" | shyaml get-value 2>/dev/null)" || return 1
  1547. tech_dep="$(get_service_relation_tech_dep "$target_service" "$relation_name")" || return 1
  1548. printf "%s\0" "$relation_name" "$target_service" "" "$tech_dep"
  1549. ;;
  1550. "sequence")
  1551. while read-0 target_service; do
  1552. tech_dep="$(get_service_relation_tech_dep "$target_service" "$relation_name")" || return 1
  1553. printf "%s\0" "$relation_name" "$target_service" "" "$tech_dep"
  1554. done < <(echo "$relation_def" | shyaml get-values-0 2>/dev/null)
  1555. ;;
  1556. "struct")
  1557. while read-0 target_service relation_config; do
  1558. tech_dep="$(get_service_relation_tech_dep "$target_service" "$relation_name")" || return 1
  1559. printf "%s\0" "$relation_name" "$target_service" "$relation_config" "$tech_dep"
  1560. done < <(echo "$relation_def" | shyaml key-values-0 2>/dev/null)
  1561. ;;
  1562. esac
  1563. ) </dev/null >> "$cache_file" || return 1
  1564. done < <(echo "$compose_service_def" | shyaml key-values-0 relations 2>/dev/null)
  1565. fi
  1566. )
  1567. if [ "$?" != 0 ]; then
  1568. err "Error while looking for compose relations."
  1569. rm -f "$cache_file" ## no cache
  1570. return 1
  1571. fi
  1572. [ -e "$cache_file" ] && cat "$cache_file"
  1573. return 0
  1574. }
  1575. export -f _get_compose_relations_cached
  1576. get_compose_relations () {
  1577. local service="$1" cache_file="$state_tmpdir/$FUNCNAME.cache.$1" \
  1578. compose_def
  1579. if [ -e "$cache_file" ]; then
  1580. #debug "$FUNCNAME: SESSION cache hit $1"
  1581. cat "$cache_file"
  1582. return 0
  1583. fi
  1584. compose_def="$(get_compose_service_def "$service")" || return 1
  1585. _get_compose_relations_cached "$compose_def" > "$cache_file"
  1586. if [ "$?" != 0 ]; then
  1587. rm -f "$cache_file" ## no cache
  1588. return 1
  1589. fi
  1590. cat "$cache_file"
  1591. }
  1592. export -f get_compose_relations
  1593. get_service_relations () {
  1594. local service="$1" cache_file="$state_tmpdir/$FUNCNAME.cache.$1" \
  1595. s rn ts rc td
  1596. if [ -e "$cache_file" ]; then
  1597. #debug "$FUNCNAME: SESSION cache hit $1"
  1598. cat "$cache_file"
  1599. return 0
  1600. fi
  1601. if [ -z "$ALL_RELATIONS" ]; then
  1602. err "Can't access global \$ALL_RELATIONS"
  1603. return 1
  1604. fi
  1605. while read-0 s rn ts rc td; do
  1606. [[ "$s" == "$service" ]] || continue
  1607. printf "%s\0" "$rn" "$ts" "$rc" "$td"
  1608. done < <(cat "$ALL_RELATIONS") > "$cache_file"
  1609. if [ "$?" != 0 ]; then
  1610. rm -f "$cache_file" ## no cache
  1611. return 1
  1612. fi
  1613. cat "$cache_file"
  1614. }
  1615. export -f get_service_relations
  1616. get_service_relation() {
  1617. local service="$1" relation="$2" cache_file="$state_tmpdir/$FUNCNAME.cache.$1" \
  1618. rn ts rc td
  1619. if [ -e "$cache_file" ]; then
  1620. #debug "$FUNCNAME: SESSION cache hit $1"
  1621. cat "$cache_file"
  1622. return 0
  1623. fi
  1624. while read-0 rn ts rc td; do
  1625. [ "$relation" == "$rn" ] && {
  1626. printf "%s\0" "$ts" "$rc" "$td"
  1627. break
  1628. }
  1629. done < <(get_service_relations "$service") > "$cache_file"
  1630. if [ "$?" != 0 ]; then
  1631. rm -f "$cache_file" ## no cache
  1632. return 1
  1633. fi
  1634. cat "$cache_file"
  1635. }
  1636. export -f get_service_relation
  1637. _get_charm_metadata_uses() {
  1638. local metadata="$1" cache_file="$CACHEDIR/$FUNCNAME.cache.$(printf "%s\0" "$@" | md5_compat)"
  1639. if [ -e "$cache_file" ]; then
  1640. #debug "$FUNCNAME: SESSION cache hit $1"
  1641. cat "$cache_file" || return 1
  1642. return 0
  1643. fi
  1644. printf "%s" "$metadata" | { shyaml key-values-0 uses 2>/dev/null || true; } | tee "$cache_file"
  1645. }
  1646. export -f _get_charm_metadata_uses
  1647. _get_service_metadata() {
  1648. local service="$1" cache_file="$state_tmpdir/$FUNCNAME.cache.$1" \
  1649. charm
  1650. if [ -e "$cache_file" ]; then
  1651. #debug "$FUNCNAME: SESSION cache hit $1"
  1652. cat "$cache_file"
  1653. return 0
  1654. fi
  1655. charm="$(get_service_charm "$service")" || return 1
  1656. charm.metadata "$charm" > "$cache_file"
  1657. if [ "$?" != 0 ]; then
  1658. rm -f "$cache_file" ## no cache
  1659. return 1
  1660. fi
  1661. cat "$cache_file"
  1662. }
  1663. export -f _get_service_metadata
  1664. _get_service_uses() {
  1665. local service="$1" cache_file="$state_tmpdir/$FUNCNAME.cache.$1" \
  1666. metadata
  1667. if [ -e "$cache_file" ]; then
  1668. #debug "$FUNCNAME: SESSION cache hit $1"
  1669. cat "$cache_file"
  1670. return 0
  1671. fi
  1672. metadata="$(_get_service_metadata "$service")" || return 1
  1673. _get_charm_metadata_uses "$metadata" > "$cache_file"
  1674. if [ "$?" != 0 ]; then
  1675. rm -f "$cache_file" ## no cache
  1676. return 1
  1677. fi
  1678. cat "$cache_file"
  1679. }
  1680. export -f _get_service_uses
  1681. _get_services_uses() {
  1682. local cache_file="$state_tmpdir/$FUNCNAME.cache.$(printf "%s\0" "$@" | md5_compat)" \
  1683. service rn rd
  1684. if [ -e "$cache_file" ]; then
  1685. #debug "$FUNCNAME: SESSION cache hit $1"
  1686. cat "$cache_file"
  1687. return 0
  1688. fi
  1689. for service in "$@"; do
  1690. _get_service_uses "$service" | while read-0 rn rd; do
  1691. printf "%s\0" "$service" "$rn" "$rd"
  1692. done
  1693. [ "${PIPESTATUS[0]}" == 0 ] || {
  1694. return 1
  1695. }
  1696. done > "${cache_file}.wip"
  1697. mv "${cache_file}"{.wip,} &&
  1698. cat "$cache_file" || return 1
  1699. }
  1700. export -f _get_services_uses
  1701. _get_provides_provides() {
  1702. local provides="$1" cache_file="$CACHEDIR/$FUNCNAME.cache.$(printf "%s\0" "$@" | md5_compat)" \
  1703. service rn rd
  1704. if [ -e "$cache_file" ]; then
  1705. # debug "$FUNCNAME: CACHEDIR cache hit $1"
  1706. cat "$cache_file"
  1707. return 0
  1708. fi
  1709. type=$(printf "%s" "$provides" | shyaml get-type)
  1710. case "$type" in
  1711. sequence)
  1712. while read-0 prov; do
  1713. printf "%s\0" "$prov" ""
  1714. done < <(echo "$provides" | shyaml get-values-0)
  1715. ;;
  1716. struct)
  1717. printf "%s" "$provides" | shyaml key-values-0
  1718. ;;
  1719. str)
  1720. printf "%s\0" "$(echo "$provides" | shyaml get-value)" ""
  1721. ;;
  1722. *)
  1723. err "Unexpected type '$type' for provider identifier in charm '$charm'."
  1724. return 1
  1725. esac | tee "$cache_file"
  1726. return "${PIPESTATUS[0]}"
  1727. }
  1728. _get_metadata_provides() {
  1729. local metadata="$1" cache_file="$CACHEDIR/$FUNCNAME.cache.$(printf "%s\0" "$@" | md5_compat)" \
  1730. service rn rd
  1731. if [ -e "$cache_file" ]; then
  1732. #debug "$FUNCNAME: CACHEDIR cache hit"
  1733. cat "$cache_file"
  1734. return 0
  1735. fi
  1736. provides=$(printf "%s" "$metadata" | shyaml get-value -y -q provides "")
  1737. [ "$provides" -a "$provides" != "''" ] || { touch "$cache_file"; return 0; }
  1738. _get_provides_provides "$provides" | tee "$cache_file"
  1739. return "${PIPESTATUS[0]}"
  1740. }
  1741. _get_services_provides() {
  1742. local cache_file="$state_tmpdir/$FUNCNAME.cache.$(printf "%s\0" "$@" | md5_compat)" \
  1743. service rn rd
  1744. if [ -e "$cache_file" ]; then
  1745. #debug "$FUNCNAME: SESSION cache hit $1"
  1746. cat "$cache_file"
  1747. return 0
  1748. fi
  1749. ## YYY: replace the inner loop by a cached function
  1750. for service in "$@"; do
  1751. metadata="$(_get_service_metadata "$service")" || return 1
  1752. while read-0 rn rd; do
  1753. printf "%s\0" "$service" "$rn" "$rd"
  1754. done < <(_get_metadata_provides "$metadata")
  1755. done > "$cache_file"
  1756. if [ "$?" != 0 ]; then
  1757. rm -f "$cache_file" ## no cache
  1758. return 1
  1759. fi
  1760. cat "$cache_file"
  1761. }
  1762. export -f _get_services_provides
  1763. _get_charm_provides() {
  1764. local cache_file="$CACHEDIR/$FUNCNAME.cache.$(charm.store_metadata_hash)"
  1765. if [ -e "$cache_file" ]; then
  1766. #debug "$FUNCNAME: SESSION cache hit"
  1767. cat "$cache_file"
  1768. return 0
  1769. fi
  1770. start="$SECONDS"
  1771. debug "Getting charm provider list..."
  1772. while read-0 charm _ realpath metadata; do
  1773. metadata="$(charm.metadata "$charm")" || continue
  1774. # echo "reading $charm" >&2
  1775. while read-0 rn rd; do
  1776. printf "%s\0" "$charm" "$rn" "$rd"
  1777. done < <(_get_metadata_provides "$metadata")
  1778. done < <(charm.ls) | tee "$cache_file"
  1779. errlvl="${PIPESTATUS[0]}"
  1780. debug " ..charm provider list done $GRAY(in $((SECONDS - start))s)$NORMAL"
  1781. return "$errlvl"
  1782. }
  1783. _get_charm_providing() {
  1784. local cache_file="$state_tmpdir/$FUNCNAME.cache.$(printf "%s\0" "$@" | md5_compat)" \
  1785. relation="$1"
  1786. if [ -e "$cache_file" ]; then
  1787. #debug "$FUNCNAME: SESSION cache hit $1"
  1788. cat "$cache_file"
  1789. return 0
  1790. fi
  1791. while read-0 charm relation_name relation_def; do
  1792. [ "$relation_name" == "$relation" ] || continue
  1793. printf "%s\0" "$charm" "$relation_def"
  1794. done < <(_get_charm_provides) > "$cache_file"
  1795. if [ "$?" != 0 ]; then
  1796. rm -f "$cache_file" ## no cache
  1797. return 1
  1798. fi
  1799. cat "$cache_file"
  1800. }
  1801. _get_services_providing() {
  1802. local cache_file="$state_tmpdir/$FUNCNAME.cache.$(printf "%s\0" "$@" | md5_compat)" \
  1803. relation="$1"
  1804. shift ## services is "$@"
  1805. if [ -e "$cache_file" ]; then
  1806. #debug "$FUNCNAME: SESSION cache hit $1"
  1807. cat "$cache_file"
  1808. return 0
  1809. fi
  1810. while read-0 service relation_name relation_def; do
  1811. [ "$relation_name" == "$relation" ] || continue
  1812. printf "%s\0" "$service" "$relation_def"
  1813. done < <(_get_services_provides "$@") > "$cache_file"
  1814. if [ "$?" != 0 ]; then
  1815. rm -f "$cache_file" ## no cache
  1816. return 1
  1817. fi
  1818. cat "$cache_file"
  1819. }
  1820. export -f _get_services_provides
  1821. _out_new_relation_from_defs() {
  1822. local service="$1" rn="$2" ts="$3" prov_def="$4" rel_def="$5" rc td rc_prov
  1823. rc_prov=$(printf "%s" "$prov_def" | shyaml -y get-value "default-options" 2>/dev/null)
  1824. ## YYYvlab: should be seen even in no debug mode no ?
  1825. rc=$(printf "%s" "$rel_def" | shyaml -y get-value "default-options" 2>/dev/null)
  1826. td=$(echo "$prov_def" | shyaml get-value 'tech-dep' 2>/dev/null)
  1827. td=${td:-True}
  1828. rc=$(merge_yaml_str "$rc_prov" "$rc") || return 1
  1829. printf "%s\0" "$service" "$relation_name" "$ts" "$rc" "$td"
  1830. }
  1831. get_all_relations () {
  1832. local cache_file="$state_tmpdir/$FUNCNAME.cache.$(printf "%s\0" "$@" | md5_compat)" \
  1833. services
  1834. if [ -e "${cache_file}" ]; then
  1835. #debug "$FUNCNAME: SESSION cache hit $1"
  1836. cat "${cache_file}"
  1837. return 0
  1838. fi
  1839. declare -A services
  1840. services_uses=()
  1841. ## XXXvlab: bwerk, leveraging cache to be able to get the errorlevel here.
  1842. _get_services_uses "$@" || return 1
  1843. array_read-0 services_uses < <(_get_services_uses "$@")
  1844. services_provides=()
  1845. ## XXXvlab: bwerk, leveraging cache to be able to get the errorlevel here.
  1846. _get_services_provides "$@" || return 1
  1847. array_read-0 services_provides < <(_get_services_provides "$@")
  1848. for service in "$@"; do
  1849. services[$service]=1
  1850. done
  1851. all_services=("$@")
  1852. while [ "${#all_services[@]}" != 0 ]; do
  1853. array_pop all_services service
  1854. while read-0 relation_name ts relation_config tech_dep; do
  1855. printf "%s\0" "$service" "$relation_name" "$ts" "$relation_config" "$tech_dep"
  1856. ## adding target services ?
  1857. [ "${services[$ts]}" ] && continue
  1858. array_read-0 services_uses < <(_get_services_uses "$ts")
  1859. all_services+=("$ts")
  1860. services[$ts]=1
  1861. done < <(get_compose_relations "$service")
  1862. done > "${cache_file}.wip"
  1863. while true; do
  1864. changed=
  1865. new_services_uses=()
  1866. summon=()
  1867. required=()
  1868. recommended=()
  1869. optional=()
  1870. while [ "${#services_uses[@]}" != 0 ]; do
  1871. service="${services_uses[0]}"
  1872. relation_name="${services_uses[1]}"
  1873. relation_def="${services_uses[2]}"
  1874. services_uses=("${services_uses[@]:3}")
  1875. default_options=$(printf "%s" "$relation_def" | shyaml -y get-value "default-options" 2>/dev/null)
  1876. ## is this "use" declaration satisfied ?
  1877. found=
  1878. while read-0 s rn ts rc td; do
  1879. if [ -z "$found" -a "$service" == "$s" -a "$relation_name" == "$rn" ]; then
  1880. if [ "$default_options" ]; then
  1881. rc=$(merge_yaml_str "$default_options" "$rc") || return 1
  1882. fi
  1883. found="$ts"
  1884. fi
  1885. printf "%s\0" "$s" "$rn" "$ts" "$rc" "$td"
  1886. done < "${cache_file}.wip" > "${cache_file}.wip.new"
  1887. mv "${cache_file}.wip.new" "${cache_file}.wip"
  1888. if [ "$found" ]; then ## this "use" declaration was satisfied
  1889. debug "${DARKYELLOW}$service${NORMAL} use declaration for relation " \
  1890. "${DARKBLUE}$relation_name${NORMAL} is satisfied with ${DARKYELLOW}$found${NORMAL}"
  1891. continue
  1892. fi
  1893. auto=$(echo "$relation_def" | shyaml get-value auto pair 2>/dev/null)
  1894. case "$auto" in
  1895. "pair")
  1896. service_list=()
  1897. array_read-0 service_list < <(array_keys_to_stdin services)
  1898. providers=()
  1899. array_read-0 providers providers_def < <(_get_services_providing "$relation_name" "${service_list[@]}")
  1900. if [ "${#providers[@]}" == 1 ]; then
  1901. ts="${providers[0]}"
  1902. debug "Auto-pairs ${DARKYELLOW}$service${NORMAL}" \
  1903. "--${DARKBLUE}$relation_name${NORMAL}--> ${DARKYELLOW}$ts${NORMAL}"
  1904. _out_new_relation_from_defs "$service" "$relation_name" "$ts" \
  1905. "${providers_def[0]}" "$relation_def" \
  1906. >> "${cache_file}.wip"
  1907. ## Adding service
  1908. [ "${services[$ts]}" ] && continue
  1909. array_read-0 new_services_uses < <(_get_services_uses "$ts")
  1910. services[$ts]=1
  1911. changed=1
  1912. continue
  1913. elif [ "${#providers[@]}" -gt 1 ]; then
  1914. msg=""
  1915. warn "No auto-pairing ${DARKYELLOW}$service${NORMAL}" \
  1916. "--${DARKBLUE}$relation_name${NORMAL}--> ($DARKYELLOW""${providers[@]}""$NORMAL)"\
  1917. "(> 1 provider)."
  1918. continue
  1919. else
  1920. : ## Do nothing
  1921. fi
  1922. ;;
  1923. "summon")
  1924. summon+=("$service" "$relation_name" "$relation_def")
  1925. ;;
  1926. ""|null|disable|disabled)
  1927. :
  1928. ;;
  1929. *)
  1930. err "Invalid ${WHITE}auto${NORMAL} value '$auto'."
  1931. return 1
  1932. ;;
  1933. esac
  1934. constraint=$(echo "$relation_def" | shyaml get-value constraint auto-pair 2>/dev/null)
  1935. case "$constraint" in
  1936. "required")
  1937. required+=("$service" "$relation_name" "$relation_def")
  1938. ;;
  1939. "recommended")
  1940. recommended+=("$service" "$relation_name" "$relation_def")
  1941. ;;
  1942. "optional")
  1943. optional+=("$service" "$relation_name" "$relation_def")
  1944. ;;
  1945. *)
  1946. err "Invalid ${WHITE}constraint${NORMAL} value '$contraint'."
  1947. return 1
  1948. ;;
  1949. esac
  1950. new_services_uses+=("$service" "$relation_name" "$relation_def") ## re-queue it
  1951. done
  1952. services_uses=("${new_services_uses[@]}")
  1953. if [ "$changed" ]; then
  1954. continue
  1955. fi
  1956. ## situation is stable
  1957. if [ "${#summon[@]}" != 0 ]; then
  1958. while [ "${#summon[@]}" != 0 ]; do
  1959. service="${summon[0]}"
  1960. relation_name="${summon[1]}"
  1961. relation_def="${summon[2]}"
  1962. summon=("${summon[@]:3}")
  1963. providers=()
  1964. providers_def=()
  1965. array_read-0 providers providers_def < <(_get_charm_providing "$relation_name" "${service_list[@]}")
  1966. if [ "${#providers[@]}" == 0 ]; then
  1967. die "Summoning a ${DARKBLUE}$relation_name${NORMAL} provider failed: none were found in charm store."
  1968. fi
  1969. if [ "${#providers[@]}" -gt 1 ]; then
  1970. warn "Auto-summon ${DARKYELLOW}$service${NORMAL}" \
  1971. "--${DARKBLUE}$relation_name${NORMAL}--> ($DARKYELLOW""${providers[@]}""$NORMAL)"\
  1972. "(> 1 provider). Choosing first."
  1973. fi
  1974. ts="${providers[0]}"
  1975. ## YYYvlab: should be seen even in no debug mode no ?
  1976. debug "Auto-summon ${DARKYELLOW}$service${NORMAL}" \
  1977. "--${DARKBLUE}$relation_name${NORMAL}--> ${DARKYELLOW}$ts${NORMAL}"
  1978. _out_new_relation_from_defs "$service" "$relation_name" "$ts" \
  1979. "${providers_def[0]}" "$relation_def" \
  1980. >> "${cache_file}.wip"
  1981. ## Adding service
  1982. [ "${services[$ts]}" ] && continue
  1983. array_read-0 new_services_uses < <(_get_services_uses "$ts")
  1984. services[$ts]=1
  1985. changed=1
  1986. done
  1987. continue
  1988. fi
  1989. [ "$NO_CONSTRAINT_CHECK" ] && break
  1990. if [ "${#required[@]}" != 0 ]; then
  1991. echo "$(_display_solves required)" | sed -r "s/^/${RED}||${NORMAL} /g" >&2
  1992. err "Required relations not satisfied"
  1993. return 1
  1994. fi
  1995. if [ "${#recommended[@]}" != 0 ]; then
  1996. ## make recommendation
  1997. echo "$(_display_solves recommended)" | sed -r "s/^/${YELLOW}||${NORMAL} /g" >&2
  1998. fi
  1999. if [ "${#optional[@]}" != 0 ]; then
  2000. ## inform about options
  2001. echo "$(_display_solves optional)" | sed -r "s/^/${BLUE}||${NORMAL} /g" >&2
  2002. fi
  2003. # if [ "${#required[@]}" != 0 ]; then
  2004. # err "Required relations not satisfied"
  2005. # return 1
  2006. # fi
  2007. if [ "${#recommended[@]}" != 0 ]; then
  2008. warn "Recommended relations not satisfied"
  2009. fi
  2010. break
  2011. done
  2012. if [ "$?" != 0 ]; then
  2013. rm -f "${cache_file}"{,.wip,.wip.new} ## no cache
  2014. return 1
  2015. fi
  2016. export ALL_RELATIONS="$cache_file"
  2017. mv "${cache_file}"{.wip,}
  2018. cat "$cache_file"
  2019. }
  2020. export -f get_all_relations
  2021. _display_solves() {
  2022. local array_name="$1" by_relation msg
  2023. ## inform about options
  2024. msg=""
  2025. declare -A by_relation
  2026. while read-0 service relation_name relation_def; do
  2027. solves=$(printf "%s" "$relation_def" | shyaml -y get-value solves 2>/dev/null);
  2028. auto=$(printf "%s" "$relation_def" | shyaml get-value auto 2>/dev/null);
  2029. if [ -z "$solves" ]; then
  2030. continue
  2031. fi
  2032. by_relation[$relation_name]+=$(printf "\n %s" "${DARKYELLOW}$service$NORMAL for:")
  2033. if [ "$auto" == "pair" ]; then
  2034. requirement="add provider in cluster to auto-pair"
  2035. else
  2036. requirement="add explicit relation"
  2037. fi
  2038. while read-0 name def; do
  2039. by_relation[$relation_name]+=$(printf "\n - ${DARKCYAN}%-15s${NORMAL} %s (%s)" "$name" "$def" "$requirement")
  2040. done < <(printf "%s" "$solves" | shyaml key-values-0)
  2041. done < <(array_values_to_stdin "$array_name")
  2042. while read-0 relation_name message; do
  2043. msg+="$(printf "\n${DARKBLUE}%s$NORMAL provider is $array_name by%s" \
  2044. "$relation_name" "$message" )"
  2045. done < <(array_kv_to_stdin by_relation)
  2046. if [ "$msg" ]; then
  2047. printf "%s\n" "${msg:1}"
  2048. fi
  2049. }
  2050. get_compose_relation_def() {
  2051. local service="$1" relation="$2" relation_name target_service relation_config tech_dep
  2052. while read-0 relation_name target_service relation_config tech_dep; do
  2053. [ "$relation_name" == "$relation" ] || continue
  2054. printf "%s\0%s\0%s\0" "$target_service" "$relation_config" "$tech_dep"
  2055. done < <(get_compose_relations "$service") || return 1
  2056. }
  2057. export -f get_compose_relation_def
  2058. run_service_relations () {
  2059. local service services loaded subservices subservice
  2060. PROJECT_NAME=$(get_default_project_name) || return 1
  2061. export PROJECT_NAME
  2062. declare -A loaded
  2063. subservices=$(get_ordered_service_dependencies "$@") || return 1
  2064. for service in $subservices; do
  2065. # debug "Upping dep's relations of ${DARKYELLOW}$service${NORMAL}:"
  2066. for subservice in $(get_service_deps "$service") "$service"; do
  2067. [ "${loaded[$subservice]}" ] && continue
  2068. export BASE_SERVICE_NAME=$service
  2069. MASTER_BASE_SERVICE_NAME=$(get_top_master_service_for_service "$subservice") || return 1
  2070. MASTER_BASE_CHARM_NAME=$(get_service_charm "$MASTER_BASE_SERVICE_NAME") || return 1
  2071. RELATION_BASE_COMPOSE_DEF=$(get_compose_service_def "$subservice") || return 1
  2072. export RELATION_BASE_COMPOSE_DEF MASTER_BASE_{CHARM,SERVICE}_NAME
  2073. # debug " Relations of ${DARKYELLOW}$subservice${NORMAL}:"
  2074. while read-0 relation_name target_service relation_config tech_dep; do
  2075. export relation_config
  2076. export TARGET_SERVICE_NAME=$target_service
  2077. MASTER_TARGET_SERVICE_NAME=$(get_top_master_service_for_service "$target_service") || return 1
  2078. MASTER_TARGET_CHARM_NAME=$(get_service_charm "$MASTER_TARGET_SERVICE_NAME") || return 1
  2079. RELATION_TARGET_COMPOSE_DEF=$(get_compose_service_def "$target_service") || return 1
  2080. export RELATION_TARGET_COMPOSE_DEF MASTER_TARGET_{CHARM,SERVICE}_NAME
  2081. Wrap -d "Building $DARKYELLOW$subservice$NORMAL --$DARKBLUE$relation_name$NORMAL--> $DARKYELLOW$target_service$NORMAL" <<EOF || return 1
  2082. _run_service_relation "$relation_name" "$subservice" "$target_service" "\$relation_config"
  2083. EOF
  2084. done < <(get_service_relations "$subservice") || return 1
  2085. loaded[$subservice]=1
  2086. done
  2087. done
  2088. }
  2089. export -f run_service_relations
  2090. _run_service_action_direct() {
  2091. local service="$1" action="$2" charm _dummy
  2092. shift; shift
  2093. read-0 charm || true ## against 'set -e' that could be setup in parent scripts
  2094. if read-0 _dummy || [ "$_dummy" ]; then
  2095. print_syntax_error "$FUNCNAME: too many arguments in action descriptor"
  2096. return 1
  2097. fi
  2098. export action_errlvl_file="$state_tmpdir/action-$service-$charm-$action-errlvl"
  2099. export state_tmpdir
  2100. {
  2101. (
  2102. set +e ## Prevents unwanted leaks from parent shell
  2103. export COMPOSE_CONFIG=$(get_compose_yml_content)
  2104. export METADATA_CONFIG=$(charm.metadata "$charm")
  2105. export SERVICE_NAME=$service
  2106. export ACTION_NAME=$action
  2107. export CONTAINER_NAME=$(get_top_master_service_for_service "$service")
  2108. export DOCKER_BASE_IMAGE=$(service_base_docker_image "$CONTAINER_NAME")
  2109. export SERVICE_DATASTORE="$DATASTORE/$service"
  2110. export SERVICE_CONFIGSTORE="$CONFIGSTORE/$service"
  2111. exname="$exname $ACTION_NAME $SERVICE_NAME" \
  2112. stdbuf -oL -eL bash -c 'charm.run_direct_action "$@"' -- "$charm" "$action" "$@"
  2113. echo "$?" > "$action_errlvl_file"
  2114. ) | logstdout "$DARKYELLOW$service$NORMAL/${DARKCYAN}$action${NORMAL} ${GREEN}@${NORMAL}"
  2115. } 3>&1 1>&2 2>&3 | logstderr "$DARKYELLOW$service$NORMAL/${DARKCYAN}$action${NORMAL} ${RED}@$NORMAL" 3>&1 1>&2 2>&3
  2116. if ! [ -e "$action_errlvl_file" ]; then
  2117. err "Action $DARKYELLOW$service$NORMAL:$DARKCYAN$action$NORMAL has failed without having time" \
  2118. "to output an errlvl"
  2119. return 1
  2120. fi
  2121. return "$(cat "$action_errlvl_file")"
  2122. }
  2123. export -f _run_service_action_direct
  2124. _run_service_action_relation() {
  2125. local service="$1" action="$2" charm target_charm relation_name relation_config _dummy
  2126. shift; shift
  2127. read-0 charm target_service target_charm relation_name relation_config || true
  2128. if read-0 _dummy || [ "$_dummy" ]; then
  2129. print_syntax_error "$FUNCNAME: too many arguments in action descriptor"
  2130. return 1
  2131. fi
  2132. export RELATION_DATA_FILE=$(get_relation_data_file "$service" "$target_service" "$relation_name" "$relation_config")
  2133. export action_errlvl_file="$state_tmpdir/action-$service-$charm-$action-errlvl"
  2134. export state_tmpdir
  2135. {
  2136. (
  2137. set +e ## Prevents unwanted leaks from parent shell
  2138. export METADATA_CONFIG=$(charm.metadata "$charm")
  2139. export SERVICE_NAME=$service
  2140. export RELATION_TARGET_SERVICE="$target_service"
  2141. export RELATION_TARGET_CHARM="$target_charm"
  2142. export RELATION_BASE_SERVICE="$service"
  2143. export RELATION_BASE_CHARM="$charm"
  2144. export ACTION_NAME=$action
  2145. export CONTAINER_NAME=$(get_top_master_service_for_service "$service")
  2146. export DOCKER_BASE_IMAGE=$(service_base_docker_image "$CONTAINER_NAME")
  2147. export SERVICE_DATASTORE="$DATASTORE/$service"
  2148. export SERVICE_CONFIGSTORE="$CONFIGSTORE/$service"
  2149. exname="$exname $ACTION_NAME $SERVICE_NAME" \
  2150. stdbuf -oL -eL bash -c 'charm.run_relation_action "$@"' -- "$target_charm" "$relation_name" "$action" "$@"
  2151. echo "$?" > "$action_errlvl_file"
  2152. ) | logstdout "$DARKYELLOW$service$NORMAL/${DARKCYAN}$action${NORMAL} ${GREEN}@${NORMAL}"
  2153. } 3>&1 1>&2 2>&3 | logstderr "$DARKYELLOW$service$NORMAL/${DARKCYAN}$action${NORMAL} ${RED}@$NORMAL" 3>&1 1>&2 2>&3
  2154. if ! [ -e "$action_errlvl_file" ]; then
  2155. err "Action $DARKYELLOW$service$NORMAL:$DARKCYAN$action$NORMAL has failed without having time" \
  2156. "to output an errlvl"
  2157. return 1
  2158. fi
  2159. return "$(cat "$action_errlvl_file")"
  2160. }
  2161. export -f _run_service_action_relation
  2162. get_relation_data_dir() {
  2163. local service="$1" target_service="$2" relation_name="$3" \
  2164. cache_file="$state_tmpdir/$FUNCNAME.cache.$(printf "%s\0" "$@" | md5_compat)"
  2165. if [ -e "$cache_file" ]; then
  2166. # debug "$FUNCNAME: cache hit ($*)"
  2167. cat "$cache_file"
  2168. return 0
  2169. fi
  2170. project=$(get_default_project_name) || return 1
  2171. relation_dir="$VARDIR/relations/$project/${service}-${target_service}/$relation_name"
  2172. if ! [ -d "$relation_dir" ]; then
  2173. mkdir -p "$relation_dir" || return 1
  2174. chmod go-rwx "$relation_dir" || return 1 ## protecting this directory
  2175. fi
  2176. echo "$relation_dir" | tee "$cache_file"
  2177. }
  2178. export -f get_relation_data_dir
  2179. get_relation_data_file() {
  2180. local service="$1" target_service="$2" relation_name="$3" relation_config="$4"
  2181. relation_dir=$(get_relation_data_dir "$service" "$target_service" "$relation_name") || return 1
  2182. relation_data_file="$relation_dir/data"
  2183. new=
  2184. if [ -e "$relation_data_file" ]; then
  2185. ## Has reference changed ?
  2186. new_md5=$(echo "$relation_config" | md5_compat)
  2187. if [ "$new_md5" != "$(cat "$relation_data_file.md5_ref" 2>/dev/null)" ]; then
  2188. new=true
  2189. fi
  2190. else
  2191. new=true
  2192. fi
  2193. if [ "$new" ]; then
  2194. echo "$relation_config" > "$relation_data_file"
  2195. chmod go-rwx "$relation_data_file" ## protecting this file
  2196. echo "$relation_config" | md5_compat > "$relation_data_file.md5_ref"
  2197. fi
  2198. echo "$relation_data_file"
  2199. }
  2200. export -f get_relation_data_file
  2201. has_service_action () {
  2202. local service="$1" action="$2" cache_file="$state_tmpdir/$FUNCNAME.cache.$1" \
  2203. charm target_charm relation_name target_service relation_config _tech_dep
  2204. if [ -e "$cache_file" ]; then
  2205. # debug "$FUNCNAME: cache hit ($*)"
  2206. cat "$cache_file"
  2207. return 0
  2208. fi
  2209. charm=$(get_service_charm "$service") || return 1
  2210. ## Action directly provided ?
  2211. if charm.has_direct_action "$charm" "$action" >/dev/null; then
  2212. echo -en "direct\0$charm" | tee "$cache_file"
  2213. return 0
  2214. fi
  2215. ## Action provided by relation ?
  2216. while read-0 relation_name target_service relation_config _tech_dep; do
  2217. target_charm=$(get_service_charm "$target_service") || return 1
  2218. if charm.has_relation_action "$target_charm" "$relation_name" "$action" >/dev/null; then
  2219. echo -en "relation\0$charm\0$target_service\0$target_charm\0$relation_name\0$relation_config" | tee "$cache_file"
  2220. return 0
  2221. fi
  2222. done < <(get_service_relations "$service")
  2223. return 1
  2224. # master=$(get_top_master_service_for_service "$service")
  2225. # [ "$master" == "$charm" ] && return 1
  2226. # has_service_action "$master" "$action"
  2227. }
  2228. export -f has_service_action
  2229. run_service_action () {
  2230. local service="$1" action="$2"
  2231. shift ; shift
  2232. {
  2233. if ! read-0 action_type; then
  2234. info "Service $DARKYELLOW$service$NORMAL does not have any action $DARKCYAN$action$NORMAL defined."
  2235. info " Add an executable script to 'actions/$action' to implement action."
  2236. return 1
  2237. fi
  2238. Section "running $DARKYELLOW$service$NORMAL/$DARKCYAN$action$NORMAL ($action_type)"; Feed
  2239. "_run_service_action_${action_type}" "$service" "$action" "$@"
  2240. } < <(has_service_action "$service" "$action")
  2241. }
  2242. export -f run_service_action
  2243. get_compose_relation_config() {
  2244. local service=$1 relation_config cache_file="$state_tmpdir/$FUNCNAME.cache.$1"
  2245. if [ -e "$cache_file" ]; then
  2246. # debug "$FUNCNAME: cache hit ($*)"
  2247. cat "$cache_file"
  2248. return 0
  2249. fi
  2250. compose_service_def=$(get_compose_service_def "$service") || return 1
  2251. echo "$compose_service_def" | shyaml get-value "relations" 2>/dev/null | tee "$cache_file"
  2252. }
  2253. export -f get_compose_relation_config
  2254. # ## Return key-values-0
  2255. # get_compose_relation_config_for_service() {
  2256. # local service=$1 relation_name=$2 relation_config
  2257. # compose_service_relations=$(get_compose_relation_config "$service") || return 1
  2258. # if ! relation_config=$(
  2259. # echo "$compose_service_relations" |
  2260. # shyaml get-value "${relation_name}" 2>/dev/null); then
  2261. # err "Couldn't find $DARKYELLOW${service}$NORMAL/${WHITE}${relation_name}$NORMAL" \
  2262. # "relation config in compose configuration."
  2263. # return 1
  2264. # fi
  2265. # if [ -z "$relation_config" ]; then
  2266. # err "Relation ${WHITE}mysql-database$NORMAL is empty in compose configuration."
  2267. # return 1
  2268. # fi
  2269. # if ! echo "$relation_config" | shyaml key-values-0 2>/dev/null; then
  2270. # err "No key/values in ${DARKBLUE}mysql-database$NORMAL of compose config."
  2271. # return 1
  2272. # fi
  2273. # }
  2274. # export -f get_compose_relation_config_for_service
  2275. _get_container_relation() {
  2276. local metadata=$1 found relation_name relation_def
  2277. found=
  2278. while read-0 relation_name relation_def; do
  2279. [ "$(echo "$relation_def" | shyaml get-value "scope" 2>/dev/null)" == "container" ] && {
  2280. found="$relation_name"
  2281. break
  2282. }
  2283. done < <(_get_charm_metadata_uses "$metadata")
  2284. if [ -z "$found" ]; then
  2285. die "Charm $DARKPINK$charm$NORMAL is a subordinate but does not have any required relation declaration with" \
  2286. "${WHITE}scope${NORMAL} set to 'container'."
  2287. fi
  2288. printf "%s" "$found"
  2289. }
  2290. _get_master_service_for_service_cached () {
  2291. local service="$1" charm="$2" metadata="$3" cache_file="$CACHEDIR/$FUNCNAME.cache.$(echo "$*" | md5_compat)" \
  2292. charm requires master_charm target_charm target_service service_def found
  2293. if [ -e "$cache_file" ]; then
  2294. # debug "$FUNCNAME: STATIC cache hit ($1)"
  2295. cat "$cache_file" &&
  2296. touch "$cache_file" || return 1
  2297. return 0
  2298. fi
  2299. if [ "$(echo "$metadata" | shyaml get-value "subordinate" 2>/dev/null)" != "True" ]; then
  2300. ## just return service name
  2301. echo "$service" | tee "$cache_file"
  2302. return 0
  2303. fi
  2304. ## Action provided by relation ?
  2305. container_relation=$(_get_container_relation "$metadata")
  2306. read-0 target_service _ _ < <(get_service_relation "$service" "$container_relation")
  2307. if [ -z "$target_service" ]; then
  2308. err "Couldn't find ${WHITE}relations.${container_relation}${NORMAL} in" \
  2309. "${DARKYELLOW}$service$NORMAL compose definition."
  2310. err ${FUNCNAME[@]}
  2311. return 1
  2312. fi
  2313. echo "$target_service" | tee "$cache_file"
  2314. }
  2315. export -f _get_master_service_for_service_cached
  2316. get_master_service_for_service() {
  2317. local service="$1" cache_file="$state_tmpdir/$FUNCNAME.cache.$1" \
  2318. charm metadata result
  2319. if [ -e "$cache_file" ]; then
  2320. # debug "$FUNCNAME: SESSION cache hit ($*)"
  2321. cat "$cache_file" || return 1
  2322. return 0
  2323. fi
  2324. charm=$(get_service_charm "$service") || return 1
  2325. metadata=$(charm.metadata "$charm" 2>/dev/null) || {
  2326. metadata=""
  2327. warn "No charm $DARKPINK$charm$NORMAL found."
  2328. }
  2329. result=$(_get_master_service_for_service_cached "$service" "$charm" "$metadata") || return 1
  2330. echo "$result" | tee "$cache_file" || return 1
  2331. }
  2332. export -f get_master_service_for_service
  2333. get_top_master_service_for_service() {
  2334. local service="$1" cache_file="$state_tmpdir/$FUNCNAME.cache.$1" \
  2335. current_service
  2336. if [ -e "$cache_file" ]; then
  2337. # debug "$FUNCNAME: cache hit ($*)"
  2338. cat "$cache_file"
  2339. return 0
  2340. fi
  2341. current_service="$service"
  2342. while true; do
  2343. master_service=$(get_master_service_for_service "$current_service") || return 1
  2344. [ "$master_service" == "$current_service" ] && break
  2345. current_service="$master_service"
  2346. done
  2347. echo "$current_service" | tee "$cache_file"
  2348. return 0
  2349. }
  2350. export -f get_top_master_service_for_service
  2351. ##
  2352. ## The result is a mixin that is not always a complete valid
  2353. ## docker-compose entry (thinking of subordinates). The result
  2354. ## will be merge with master charms.
  2355. _get_docker_compose_mixin_from_metadata_cached() {
  2356. local service="$1" charm="$2" metadata="$3" \
  2357. has_build_dir="$4" \
  2358. cache_file="$CACHEDIR/$FUNCNAME.cache.$(echo "$*" | md5_compat)" \
  2359. metadata_file metadata volumes docker_compose subordinate image mixin mixins
  2360. if [ -e "$cache_file" ]; then
  2361. #debug "$FUNCNAME: STATIC cache hit $1"
  2362. cat "$cache_file" &&
  2363. touch "$cache_file" || return 1
  2364. return 0
  2365. fi
  2366. mixins=("$(echo -en "labels:\n- compose.charm=$charm")")
  2367. if [ "$metadata" ]; then
  2368. ## resources to volumes
  2369. volumes=$(
  2370. for resource_type in data config; do
  2371. while read-0 resource; do
  2372. eval "echo \" - \$${resource_type^^}STORE/\$service\$resource:\$resource:rw\""
  2373. done < <(echo "$metadata" | shyaml get-values-0 "${resource_type}-resources" 2>/dev/null)
  2374. done
  2375. while read-0 resource; do
  2376. if [[ "$resource" == /*:/*:* ]]; then
  2377. echo " - $resource"
  2378. elif [[ "$resource" == /*:/* ]]; then
  2379. echo " - $resource:rw"
  2380. elif [[ "$resource" == /*:* ]]; then
  2381. echo " - ${resource%%:*}:$resource"
  2382. elif [[ "$resource" =~ ^/[^:]+$ ]]; then
  2383. echo " - $resource:$resource:rw"
  2384. else
  2385. die "Invalid host-resource specified in 'metadata.yml'."
  2386. fi
  2387. done < <(printf "%s" "$metadata" | shyaml get-values-0 "host-resources" 2>/dev/null)
  2388. while read-0 resource; do
  2389. dest="$(charm.get_dir "$charm")/resources$resource"
  2390. if ! [ -e "$dest" ]; then
  2391. die "charm-resource: '$resource' does not exist (file: '$dest')."
  2392. fi
  2393. echo " - $dest:$resource:ro"
  2394. done < <(echo "$metadata" | shyaml get-values-0 "charm-resources" 2>/dev/null)
  2395. ) || return 1
  2396. if [ "$volumes" ]; then
  2397. mixins+=("volumes:"$'\n'"$volumes")
  2398. fi
  2399. docker_compose=$(printf "%s" "$metadata" | shyaml get-value -y "docker-compose" 2>/dev/null) || true
  2400. if [ "$docker_compose" ]; then
  2401. mixins+=("$docker_compose")
  2402. fi
  2403. if [ "$(echo "$metadata" | shyaml get-value "subordinate" 2>/dev/null)" == "True" ]; then
  2404. subordinate=true
  2405. fi
  2406. fi
  2407. image=$(echo "$metadata" | shyaml get-value "docker-image" 2>/dev/null)
  2408. [ "$image" == "None" ] && image=""
  2409. if [ "$image" ]; then
  2410. if [ "$subordinate" ]; then
  2411. err "Subordinate charm can not have a ${WHITE}docker-image${NORMAL} value."
  2412. return 1
  2413. fi
  2414. mixins+=("image: $image")
  2415. elif [ "$has_build_dir" ]; then
  2416. if [ "$subordinate" ]; then
  2417. err "Subordinate charm can not have a 'build' sub directory."
  2418. return 1
  2419. fi
  2420. mixins+=("build: $(charm.get_dir "$charm")/build")
  2421. fi
  2422. mixin=$(merge_yaml_str "${mixins[@]}") || {
  2423. err "Failed to merge mixins from ${DARKPINK}${charm}${NORMAL} metadata."
  2424. return 1
  2425. }
  2426. echo "$mixin" | tee "$cache_file"
  2427. }
  2428. export -f _get_docker_compose_mixin_from_metadata_cached
  2429. get_docker_compose_mixin_from_metadata() {
  2430. local service="$1" cache_file="$state_tmpdir/$FUNCNAME.cache.$1"
  2431. if [ -e "$cache_file" ]; then
  2432. #debug "$FUNCNAME: SESSION cache hit ($*)"
  2433. cat "$cache_file"
  2434. return 0
  2435. fi
  2436. charm=$(get_service_charm "$service") || return 1
  2437. metadata="$(charm.metadata "$charm" 2>/dev/null)" || return 1
  2438. has_build_dir=
  2439. [ -d "$(charm.get_dir "$charm")/build" ] && has_build_dir=true
  2440. mixin=$(_get_docker_compose_mixin_from_metadata_cached "$service" "$charm" "$metadata" "$has_build_dir") || return 1
  2441. echo "$mixin" | tee "$cache_file"
  2442. }
  2443. export -f get_docker_compose_mixin_from_metadata
  2444. _save() {
  2445. local name="$1"
  2446. cat - | tee -a "$docker_compose_dir/.data/$name"
  2447. }
  2448. export -f _save
  2449. get_default_project_name() {
  2450. if [ "$DEFAULT_PROJECT_NAME" ]; then
  2451. echo "$DEFAULT_PROJECT_NAME"
  2452. return 0
  2453. fi
  2454. compose_yml_location="$(get_compose_yml_location)" || return 1
  2455. if [ "$compose_yml_location" ]; then
  2456. if normalized_path=$(readlink -f "$compose_yml_location"); then
  2457. name="$(basename "$(dirname "$normalized_path")")"
  2458. echo "${name%%-deploy}"
  2459. return 0
  2460. fi
  2461. fi
  2462. echo "orphan"
  2463. return 0
  2464. }
  2465. export -f get_default_project_name
  2466. get_running_compose_containers() {
  2467. ## XXXvlab: docker bug: there will be a final newline anyway
  2468. docker ps --filter label="compose.service" --format='{{.ID}}'
  2469. }
  2470. export -f get_running_compose_containers
  2471. get_volumes_for_container() {
  2472. local container="$1"
  2473. docker inspect \
  2474. --format '{{range $mount := .Mounts}}{{$mount.Source}}{{"\x00"}}{{$mount.Destination}}{{"\x00"}}{{end}}' \
  2475. "$container"
  2476. }
  2477. export -f get_volumes_for_container
  2478. is_volume_used() {
  2479. local volume="$1" container_id src dst
  2480. while read container_id; do
  2481. while read-0 src dst; do
  2482. [[ "$src" == "$volume"/* ]] && return 0
  2483. done < <(get_volumes_for_container "$container_id")
  2484. done < <(get_running_compose_containers)
  2485. return 1
  2486. }
  2487. export -f is_volume_used
  2488. clean_unused_docker_compose() {
  2489. for f in /var/lib/compose/docker-compose/*; do
  2490. [ -e "$f" ] || continue
  2491. is_volume_used "$f" && continue
  2492. debug "Cleaning unused docker-compose ${f##*/}"
  2493. rm -rf "$f" || return 1
  2494. done
  2495. }
  2496. export -f clean_unused_docker_compose
  2497. stdin_get_hash() {
  2498. local sha
  2499. sha=$(sha256sum) || return 1
  2500. sha=${sha:0:64}
  2501. echo "$sha"
  2502. }
  2503. export -f stdin_get_hash
  2504. file_get_hash() {
  2505. stdin_get_hash < "$1" || return 1
  2506. }
  2507. export -f file_get_hash
  2508. docker_compose_store() {
  2509. local file="$1" sha
  2510. sha=$(file_get_hash "$file") || return 1
  2511. project=$(get_default_project_name) || return 1
  2512. dst="/var/lib/compose/docker-compose/$sha/$project"
  2513. mkdir -p "$dst" || return 1
  2514. cat <<EOF > "$dst/.env" || return 1
  2515. DOCKER_COMPOSE_PATH=$dst
  2516. EOF
  2517. cp "$file" "$dst/docker-compose.yml" || return 1
  2518. mkdir -p "$dst/bin" || return 1
  2519. cat <<EOF > "$dst/bin/dc" || return 1
  2520. #!/bin/bash
  2521. $(declare -f read-0)
  2522. docker_run_opts=()
  2523. while read-0 opt; do
  2524. docker_run_opts+=("\$opt")
  2525. done < <(cat "$COMPOSE_LAUNCHER_OPTS")
  2526. docker_run_opts+=(
  2527. "-w" "$dst"
  2528. "--entrypoint" "/usr/local/bin/docker-compose"
  2529. )
  2530. [ -t 1 ] && {
  2531. docker_run_opts+=("-ti")
  2532. }
  2533. exec docker run --rm "\${docker_run_opts[@]}" "${COMPOSE_DOCKER_IMAGE:-docker.0k.io/compose}" "\$@"
  2534. EOF
  2535. chmod +x "$dst/bin/dc" || return 1
  2536. printf "%s" "$sha"
  2537. }
  2538. launch_docker_compose() {
  2539. local charm docker_compose_tmpdir docker_compose_dir
  2540. docker_compose_tmpdir=$(mktemp -d -t tmp.XXXXXXXXXX)
  2541. #debug "Creating temporary docker-compose directory in '$docker_compose_tmpdir'."
  2542. trap_add EXIT "rm -rf \"$docker_compose_tmpdir\""
  2543. ## docker-compose will name network from the parent dir name
  2544. project=$(get_default_project_name)
  2545. mkdir -p "$docker_compose_tmpdir/$project"
  2546. docker_compose_dir="$docker_compose_tmpdir/$project"
  2547. get_docker_compose $SERVICE_PACK > "$docker_compose_dir/docker-compose.yml" || return 1
  2548. if [ -e "$state_tmpdir/to-merge-in-docker-compose.yml" ]; then
  2549. # debug "Merging some config data in docker-compose.yml:"
  2550. # debug "$(cat $state_tmpdir/to-merge-in-docker-compose.yml)"
  2551. _config_merge "$docker_compose_dir/docker-compose.yml" "$state_tmpdir/to-merge-in-docker-compose.yml" || return 1
  2552. fi
  2553. if [ -z "$(echo $(cat "$docker_compose_dir/docker-compose.yml"))" ]; then
  2554. die "Generated 'docker-compose.yml' is unexpectedly empty."
  2555. fi
  2556. ## XXXvlab: could be more specific and only link the needed charms
  2557. ## XXXvlab: why do we need these links ? If this is for the build command, then it is not useful anymore.
  2558. # for charm in $(shyaml keys services < "$docker_compose_dir/docker-compose.yml"); do
  2559. # if charm.exists "$charm"; then
  2560. # ln -sf "$(charm.get_dir "$charm")" "$docker_compose_dir/$charm" || exit 1
  2561. # fi
  2562. # done
  2563. mkdir "$docker_compose_dir/.data"
  2564. if [ -z "$COMPOSE_DISABLE_DOCKER_COMPOSE_STORE" ]; then
  2565. sha=$(docker_compose_store "$docker_compose_dir/docker-compose.yml") || return 1
  2566. fi
  2567. {
  2568. {
  2569. if [ -z "$COMPOSE_DISABLE_DOCKER_COMPOSE_STORE" ]; then
  2570. cd "/var/lib/compose/docker-compose/$sha/$project"
  2571. else
  2572. cd "$docker_compose_dir"
  2573. fi
  2574. if [ -f ".env" ]; then
  2575. debug "${WHITE}.env$NORMAL for $DARKYELLOW$SERVICE_PACK$NORMAL:"
  2576. debug "$(cat ".env" | prefix " $GRAY|$NORMAL ")"
  2577. fi
  2578. debug "${WHITE}docker-compose.yml$NORMAL for $DARKYELLOW$SERVICE_PACK$NORMAL:"
  2579. debug "$(cat "docker-compose.yml" | prefix " $GRAY|$NORMAL ")"
  2580. debug "${WHITE}Launching$NORMAL: docker-compose $@"
  2581. if [ "$DRY_COMPOSE_RUN" ]; then
  2582. echo docker-compose "$@"
  2583. else
  2584. docker-compose "$@"
  2585. fi
  2586. echo "$?" > "$docker_compose_dir/.data/errlvl"
  2587. } | _save stdout
  2588. } 3>&1 1>&2 2>&3 | _save stderr 3>&1 1>&2 2>&3
  2589. if tail -n 1 "$docker_compose_dir/.data/stderr" | egrep "Service .+ failed to build: Error getting container [0-9a-f]+ from driver devicemapper: (open|Error mounting) /dev/mapper/docker-.*: no such file or directory$" >/dev/null 2>&1; then
  2590. err "Detected bug https://github.com/docker/docker/issues/4036 ... "
  2591. err "Please re-launch your command, or switch from 'devicemapper' driver to 'overlayfs' or 'aufs'."
  2592. fi
  2593. docker_compose_errlvl="$(cat "$docker_compose_dir/.data/errlvl" 2>/dev/null)"
  2594. if [ -z "$docker_compose_errlvl" ]; then
  2595. err "Something went wrong before you could gather docker-compose errorlevel."
  2596. return 1
  2597. fi
  2598. return "$docker_compose_errlvl"
  2599. }
  2600. export -f launch_docker_compose
  2601. get_compose_yml_location() {
  2602. if ! [ -z ${COMPOSE_YML_FILE+x} ]; then ## if set, even if empty
  2603. echo "$COMPOSE_YML_FILE"
  2604. return 0
  2605. fi
  2606. parent=$(while ! [ -f "./compose.yml" ]; do
  2607. [ "$PWD" == "/" ] && exit 0
  2608. cd ..
  2609. done; echo "$PWD"
  2610. )
  2611. if [ "$parent" ]; then
  2612. echo "$parent/compose.yml"
  2613. return 0
  2614. fi
  2615. ## XXXvlab: do we need this additional environment variable,
  2616. ## COMPOSE_YML_FILE is not sufficient ?
  2617. if [ "$DEFAULT_COMPOSE_FILE" ]; then
  2618. if ! [ -e "$DEFAULT_COMPOSE_FILE" ]; then
  2619. warn "No 'compose.yml' was found in current or parent dirs," \
  2620. "and \$DEFAULT_COMPOSE_FILE points to an unexistent file." \
  2621. "(${DEFAULT_COMPOSE_FILE})"
  2622. return 0
  2623. fi
  2624. echo "$DEFAULT_COMPOSE_FILE"
  2625. return 0
  2626. fi
  2627. warn "No 'compose.yml' was found in current or parent dirs, and no \$DEFAULT_COMPOSE_FILE was set."
  2628. return 0
  2629. }
  2630. export -f get_compose_yml_location
  2631. get_compose_yml_content() {
  2632. local cache_file="$state_tmpdir/$FUNCNAME.cache"
  2633. if [ -e "$cache_file" ]; then
  2634. cat "$cache_file" &&
  2635. touch "$cache_file" || return 1
  2636. return 0
  2637. fi
  2638. if [ -z "$COMPOSE_YML_FILE" ]; then
  2639. COMPOSE_YML_FILE=$(get_compose_yml_location) || exit 1
  2640. fi
  2641. if [ -e "$COMPOSE_YML_FILE" ]; then
  2642. debug "Found $WHITE$exname$NORMAL YAML file in '$COMPOSE_YML_FILE'."
  2643. COMPOSE_YML_CONTENT=$(cat "$COMPOSE_YML_FILE") || {
  2644. err "Could not read '$COMPOSE_YML_FILE'."
  2645. return 1
  2646. }
  2647. else
  2648. debug "No compose file found. Using an empty one."
  2649. COMPOSE_YML_CONTENT=""
  2650. fi
  2651. COMPOSE_YML_CONTENT=$(merge_yaml_str "$COMPOSE_YML_CONTENT" "${compose_contents[@]}") || return 1
  2652. output=$(echo "$COMPOSE_YML_CONTENT"| shyaml get-value 2>&1)
  2653. if [ "$?" != 0 ]; then
  2654. outputed_something=
  2655. while IFS='' read -r line1 && IFS='' read -r line2; do
  2656. [ "$outputed_something" ] || err "Invalid YAML in '$COMPOSE_YML_FILE':"
  2657. outputed_something=true
  2658. echo "$line1 $GRAY($line2)$NORMAL"
  2659. done < <(echo "$output" | grep ^yaml.scanner -A 100 |
  2660. sed -r 's/^ in "<stdin>", //g' | sed -r 's/^yaml.scanner.[a-zA-Z]+: //g') |
  2661. prefix " $GRAY|$NORMAL "
  2662. [ "$outputed_something" ] || {
  2663. err "Unexpected error while running 'shyaml get-value' on '$COMPOSE_YML_FILE':"
  2664. echo "$output" | prefix " $GRAY|$NORMAL "
  2665. }
  2666. return 1
  2667. fi
  2668. echo "$COMPOSE_YML_CONTENT" | tee "$cache_file" || return 1
  2669. }
  2670. export -f get_compose_yml_content
  2671. get_default_target_services() {
  2672. local services=("$@")
  2673. if [ -z "${services[*]}" ]; then
  2674. if [ "$DEFAULT_SERVICES" ]; then
  2675. debug "No service provided, using $WHITE\$DEFAULT_SERVICES$NORMAL variable." \
  2676. "Target services: $DARKYELLOW$DEFAULT_SERVICES$NORMAL"
  2677. services="$DEFAULT_SERVICES"
  2678. else
  2679. err "No service provided."
  2680. return 1
  2681. fi
  2682. fi
  2683. echo "${services[*]}"
  2684. }
  2685. export -f get_default_target_services
  2686. get_master_services() {
  2687. local loaded master_service service
  2688. declare -A loaded
  2689. for service in "$@"; do
  2690. master_service=$(get_top_master_service_for_service "$service") || return 1
  2691. if [ "${loaded[$master_service]}" ]; then
  2692. continue
  2693. fi
  2694. echo "$master_service"
  2695. loaded["$master_service"]=1
  2696. done | xargs printf "%s "
  2697. return "${PIPESTATUS[0]}"
  2698. }
  2699. export -f get_master_services
  2700. get_current_docker_container_id() {
  2701. local line
  2702. line=$(cat "/proc/self/cpuset") || return 1
  2703. [[ "$line" == *docker* ]] || return 1
  2704. echo "${line##*/}"
  2705. }
  2706. export -f get_current_docker_container_id
  2707. ## if we are in a docker compose, we might want to know what is the
  2708. ## real host path of some local paths.
  2709. get_host_path() {
  2710. local path="$1"
  2711. path=$(realpath "$path") || return 1
  2712. container_id=$(get_current_docker_container_id) || {
  2713. print "%s" "$path"
  2714. return 0
  2715. }
  2716. biggest_dst=
  2717. current_src=
  2718. while read-0 src dst; do
  2719. [[ "$path" == "$dst"* ]] || continue
  2720. if [[ "${#biggest_dst}" < "${#dst}" ]]; then
  2721. biggest_dst="$dst"
  2722. current_src="$src"
  2723. fi
  2724. done < <(get_volumes_for_container "$container_id")
  2725. if [ "$current_src" ]; then
  2726. printf "%s" "$current_src"
  2727. else
  2728. return 1
  2729. fi
  2730. }
  2731. export -f get_host_path
  2732. _setup_state_dir() {
  2733. export state_tmpdir=$(mktemp -d -t tmp.XXXXXXXXXX)
  2734. #debug "Creating temporary state directory in '$state_tmpdir'."
  2735. # trap_add EXIT "debug \"Removing temporary state directory in $state_tmpdir.\";\
  2736. # rm -rf \"$state_tmpdir\""
  2737. trap_add EXIT "rm -rf \"$state_tmpdir\""
  2738. }
  2739. get_docker_compose_help_msg() {
  2740. local action="$1" cache_file="$CACHEDIR/$FUNCNAME.cache.$(echo "$1"; cat "$(which docker-compose)" | md5_compat)" \
  2741. docker_compose_help_msg
  2742. if [ -e "$cache_file" ]; then
  2743. cat "$cache_file" &&
  2744. touch "$cache_file" || return 1
  2745. return 0
  2746. fi
  2747. docker_compose_help_msg=$(docker-compose $action --help 2>/dev/null) || return 1
  2748. echo "$docker_compose_help_msg" |
  2749. tee "$cache_file" || return 1
  2750. }
  2751. get_docker_compose_usage() {
  2752. local action="$1" cache_file="$CACHEDIR/$FUNCNAME.cache.$(echo "$1"; cat "$(which docker-compose)" | md5_compat)" \
  2753. docker_compose_help_msg
  2754. if [ -e "$cache_file" ]; then
  2755. cat "$cache_file" &&
  2756. touch "$cache_file" || return 1
  2757. return 0
  2758. fi
  2759. docker_compose_help_msg=$(get_docker_compose_help_msg $action) || return 1
  2760. echo "$docker_compose_help_msg" |
  2761. grep -m 1 "^Usage:" -A 10000 |
  2762. egrep -m 1 "^\$" -B 10000 |
  2763. xargs printf "%s " |
  2764. sed -r 's/^Usage: //g' |
  2765. tee "$cache_file" || return 1
  2766. }
  2767. get_docker_compose_opts_help() {
  2768. local action="$1" cache_file="$CACHEDIR/$FUNCNAME.cache.$(echo "$1"; cat "$(which docker-compose)" | md5_compat)" \
  2769. docker_compose_help_msg
  2770. if [ -e "$cache_file" ]; then
  2771. cat "$cache_file" &&
  2772. touch "$cache_file" || return 1
  2773. return 0
  2774. fi
  2775. docker_compose_opts_help=$(get_docker_compose_help_msg $action) || return 1
  2776. echo "$docker_compose_opts_help" |
  2777. grep '^Options:' -A 20000 |
  2778. tail -n +2 |
  2779. { cat ; echo; } |
  2780. egrep -m 1 "^\S*\$" -B 10000 |
  2781. head -n -1 |
  2782. tee "$cache_file" || return 1
  2783. }
  2784. get_docker_compose_commands_help() {
  2785. local action="$1" cache_file="$CACHEDIR/$FUNCNAME.cache.$(echo "$1"; cat "$(which docker-compose)" | md5_compat)" \
  2786. docker_compose_help_msg
  2787. if [ -e "$cache_file" ]; then
  2788. cat "$cache_file" &&
  2789. touch "$cache_file" || return 1
  2790. return 0
  2791. fi
  2792. docker_compose_opts_help=$(get_docker_compose_help_msg $action) || return 1
  2793. echo "$docker_compose_opts_help" |
  2794. grep '^Commands:' -A 20000 |
  2795. tail -n +2 |
  2796. { cat ; echo; } |
  2797. egrep -m 1 "^\S*\$" -B 10000 |
  2798. head -n -1 |
  2799. tee "$cache_file" || return 1
  2800. }
  2801. get_docker_compose_opts_list() {
  2802. local action="$1" cache_file="$CACHEDIR/$FUNCNAME.cache.$(echo "$1"; cat "$(which docker-compose)" | md5_compat)" \
  2803. docker_compose_help_msg
  2804. if [ -e "$cache_file" ]; then
  2805. cat "$cache_file" &&
  2806. touch "$cache_file" || return 1
  2807. return 0
  2808. fi
  2809. docker_compose_opts_help=$(get_docker_compose_opts_help $action) || return 1
  2810. echo "$docker_compose_opts_help" |
  2811. egrep "^\s+-" |
  2812. sed -r 's/\s+((((-[a-zA-Z]|--[a-zA-Z0-9-]+)( [A-Z=]+|=[^ ]+)?)(, )?)+)\s+.*$/\1/g' |
  2813. tee "$cache_file" || return 1
  2814. }
  2815. options_parser() {
  2816. sed -r 's/^(\s+(((-[a-zA-Z]|--[a-zA-Z0-9-]+)([ =]([a-zA-Z_=\"\[]|\])+)?(, | )?)+)\s+)[^ ].*$/\x0\2\x0\0/g'
  2817. printf "\0"
  2818. }
  2819. remove_options_in_option_help_msg() {
  2820. {
  2821. read-0 null
  2822. if [ "$null" ]; then
  2823. err "options parsing error, should start with an option line."
  2824. return 1
  2825. fi
  2826. while read-0 opt full_txt;do
  2827. multi_opts="$(printf "%s " $opt | multi_opts_filter)"
  2828. single_opts="$(printf "%s " $opt | single_opts_filter)"
  2829. for to_remove in "$@"; do
  2830. str_matches "$to_remove" $multi_opts $single_opts && {
  2831. continue 2
  2832. }
  2833. done
  2834. echo -n "$full_txt"
  2835. done
  2836. } < <(options_parser)
  2837. }
  2838. _MULTIOPTION_REGEX='^((-[a-zA-Z]|--[a-zA-Z0-9-]+)(, )?)+'
  2839. _MULTIOPTION_REGEX_LINE_FILTER=$_MULTIOPTION_REGEX'(\s|=)'
  2840. multi_opts_filter() {
  2841. egrep "$_MULTIOPTION_REGEX_LINE_FILTER" |
  2842. sed -r "s/^($_MULTIOPTION_REGEX)(\s|=).*$/\1/g" |
  2843. tr ',' "\n" | xargs printf "%s "
  2844. }
  2845. single_opts_filter() {
  2846. egrep -v "$_MULTIOPTION_REGEX_LINE_FILTER" |
  2847. tr ',' "\n" | xargs printf "%s "
  2848. }
  2849. get_docker_compose_multi_opts_list() {
  2850. local action="$1" opts_list
  2851. opts_list=$(get_docker_compose_opts_list "$action") || return 1
  2852. echo "$opts_list" | multi_opts_filter
  2853. }
  2854. get_docker_compose_single_opts_list() {
  2855. local action="$1" opts_list
  2856. opts_list=$(get_docker_compose_opts_list "$action") || return 1
  2857. echo "$opts_list" | single_opts_filter
  2858. }
  2859. display_commands_help() {
  2860. local charm_actions
  2861. echo
  2862. echo "${WHITE}Commands${NORMAL} (thanks to docker-compose):"
  2863. get_docker_compose_commands_help | sed -r "s/ ([a-z]+)(\s+)/ ${DARKCYAN}\1${NORMAL}\2/g"
  2864. charm_actions_help=$(get_docker_charm_action_help) || return 1
  2865. if [ "$charm_actions_help" ]; then
  2866. echo
  2867. echo "${WHITE}Charm actions${NORMAL}:"
  2868. printf "%s\n" "$charm_actions_help" | \
  2869. sed -r "s/^ ([a-z0-9-]+)(\s+)([a-z0-9-]+)(\s+)/ ${DARKCYAN}\1${NORMAL}\2${DARKYELLOW}\3${NORMAL}\4/g"
  2870. fi
  2871. }
  2872. get_docker_charm_action_help() {
  2873. local services service charm relation_name target_service relation_config \
  2874. target_charm
  2875. services=($(get_compose_yml_content | shyaml keys 2>/dev/null))
  2876. for service in "${services[@]}"; do
  2877. out=$(
  2878. charm=$(get_service_charm "$service") || return 1
  2879. for action in $(charm.ls_direct_actions "$charm"); do
  2880. printf " %-28s %s\n" "$action $service" "Direct action from ${DARKPINK}$charm${NORMAL}"
  2881. done
  2882. while read-0 relation_name target_service _relation_config _tech_dep; do
  2883. target_charm=$(get_service_charm "$target_service") || return 1
  2884. for action in $(charm.ls_relation_actions "$target_charm" "$relation_name"); do
  2885. printf " %-28s %s\n" "$action $service" "Indirect action from ${DARKPINK}$target_charm${NORMAL}"
  2886. done
  2887. done < <(get_compose_relations "$service")
  2888. )
  2889. if [ "$out" ]; then
  2890. echo " for ${DARKYELLOW}$service${NORMAL}:"
  2891. printf "%s\n" "$out"
  2892. fi
  2893. done
  2894. }
  2895. display_help() {
  2896. print_help
  2897. echo "${WHITE}Options${NORMAL}:"
  2898. echo " -h, --help Print this message and quit"
  2899. echo " (ignoring any other options)"
  2900. echo " -V, --version Print current version and quit"
  2901. echo " (ignoring any other options)"
  2902. echo " --dirs Display data dirs and quit"
  2903. echo " (ignoring any other options)"
  2904. echo " -v, --verbose Be more verbose"
  2905. echo " -d, --debug Print full debugging information (sets also verbose)"
  2906. echo " --dry-compose-run If docker-compose will be run, only print out what"
  2907. echo " command line will be used."
  2908. echo " --rebuild-relations-to-service, -R SERVICE"
  2909. echo " Will rebuild all relations to given service"
  2910. echo " --add-compose-content, -Y YAML"
  2911. echo " Will merge some direct YAML with the current compose"
  2912. get_docker_compose_opts_help | remove_options_in_option_help_msg --version --help --verbose |
  2913. filter_docker_compose_help_message
  2914. display_commands_help
  2915. }
  2916. _graph_service() {
  2917. local service="$1" base="$1"
  2918. charm=$(get_service_charm "$service") || return 1
  2919. metadata=$(charm.metadata "$charm") || return 1
  2920. subordinate=$(echo "$metadata" | shyaml get-value "subordinate" 2>/dev/null)
  2921. if [ "$subordinate" == "True" ]; then
  2922. requires="$(echo "$metadata" | shyaml get-value "requires" 2>/dev/null)"
  2923. master_charm=
  2924. while read-0 relation_name relation; do
  2925. [ "$(echo "$relation" | shyaml get-value "scope" 2>/dev/null)" == "container" ] || continue
  2926. interface="$(echo "$relation" | shyaml get-value "interface" 2>/dev/null)"
  2927. if [ -z "$interface" ]; then
  2928. err "No ${WHITE}$interface${NORMAL} set for relation $relation_name."
  2929. return 1
  2930. fi
  2931. ## Action provided by relation ?
  2932. target_service=
  2933. while read-0 relation_name candidate_target_service _relation_config _tech_dep; do
  2934. [ "$interface" == "$relation_name" ] && {
  2935. target_service="$candidate_target_service"
  2936. break
  2937. }
  2938. done < <(get_service_relations "$service")
  2939. if [ -z "$target_service" ]; then
  2940. err "Couldn't find ${WHITE}relations.$interface${NORMAL} in" \
  2941. "${DARKYELLOW}$service$NORMAL compose definition."
  2942. return 1
  2943. fi
  2944. master_service="$target_service"
  2945. master_charm=$(get_service_charm "$target_service") || return 1
  2946. break
  2947. done < <(echo "$requires" | shyaml key-values-0 2>/dev/null)
  2948. fi
  2949. _graph_node_service "$service" "$base" "$charm"
  2950. _graph_edge_service "$service" "$subordinate" "$master_service"
  2951. }
  2952. _graph_node_service() {
  2953. local service="$1" base="$2" charm="$3"
  2954. cat <<EOF
  2955. "$(_graph_node_service_label ${service})" [
  2956. style = "filled, $([ "$subordinate" == "True" ] && echo "dashed" || echo "bold")"
  2957. penwidth = $([ "$subordinate" == "True" ] && echo "3" || echo "5")
  2958. color = $([ "$base" ] && echo "blue" || echo "black")
  2959. fillcolor = "white"
  2960. fontname = "Courier New"
  2961. shape = "Mrecord"
  2962. label =<$(_graph_node_service_content "$service")>
  2963. ];
  2964. EOF
  2965. }
  2966. _graph_edge_service() {
  2967. local service="$1" subordinate="$2" master_service="$3"
  2968. while read-0 relation_name target_service relation_config tech_dep; do
  2969. cat <<EOF
  2970. "$(_graph_node_service_label ${service})" -> "$(_graph_node_service_label ${target_service})" [
  2971. penwidth = $([ "$master_service" == "$target_service" ] && echo 3 || echo 2)
  2972. fontsize = 16
  2973. fontcolor = "black"
  2974. style = $([ "$master_service" == "$target_service" ] && echo dashed || echo "\"\"")
  2975. weight = $([ "$master_service" == "$target_service" ] && echo 2.0 || echo 1.0)
  2976. dir = $([ "$master_service" == "$target_service" ] && echo none || echo both)
  2977. arrowtail = odot
  2978. # arrowhead = dotlicurve
  2979. taillabel = "$relation_name" ];
  2980. EOF
  2981. done < <(get_service_relations "$service") || return 1
  2982. }
  2983. _graph_node_service_label() {
  2984. local service="$1"
  2985. echo "service_$service"
  2986. }
  2987. _graph_node_service_content() {
  2988. local service="$1"
  2989. charm=$(get_service_charm "$service") || return 1
  2990. cat <<EOF
  2991. <table border="0" cellborder="0" cellpadding="3" bgcolor="white">
  2992. <tr>
  2993. <td bgcolor="black" align="center" colspan="2">
  2994. <font color="white">$service</font>
  2995. </td>
  2996. </tr>
  2997. $(if [ "$charm" != "$service" ]; then
  2998. cat <<EOF2
  2999. <tr>
  3000. <td align="left" port="r0">charm: $charm</td>
  3001. </tr>
  3002. EOF2
  3003. fi)
  3004. </table>
  3005. EOF
  3006. }
  3007. cla_contains () {
  3008. local e
  3009. for e in "${@:2}"; do [[ "$e" == "$1" ]] && return 0; done
  3010. return 1
  3011. }
  3012. filter_docker_compose_help_message() {
  3013. cat - |
  3014. sed -r "s/docker-compose run/${DARKWHITE}compose${NORMAL} ${DARKCYAN}$action${NORMAL}/g;
  3015. s/docker-compose.yml/compose.yml/g;
  3016. s/SERVICES?/${DARKYELLOW}\0${NORMAL}/g;
  3017. s/^(\s+)\\$/\1${WHITE}\$${NORMAL}/g;
  3018. s/^(\s+)run/\1${DARKCYAN}$action${NORMAL}/g;
  3019. s/docker-compose/${DARKWHITE}compose${NORMAL}/g"
  3020. }
  3021. graph() {
  3022. local services=("$@")
  3023. declare -A entries
  3024. cat <<EOF
  3025. digraph g {
  3026. graph [
  3027. fontsize=30
  3028. labelloc="t"
  3029. label=""
  3030. splines=true
  3031. overlap=false
  3032. #rankdir = "LR"
  3033. ];
  3034. ratio = auto;
  3035. EOF
  3036. for target_service in "$@"; do
  3037. services=$(get_ordered_service_dependencies "$target_service") || return 1
  3038. for service in $services; do
  3039. [ "${entries[$service]}" ] && continue || entries[$service]=1
  3040. if cla_contains "$service" "${services[@]}"; then
  3041. base=true
  3042. else
  3043. base=
  3044. fi
  3045. _graph_service "$service" "$base"
  3046. done
  3047. done
  3048. echo "}"
  3049. }
  3050. cached_wget() {
  3051. local cache_file="$CACHEDIR/$FUNCNAME.cache.$(echo "$*" | md5_compat)" \
  3052. url="$1"
  3053. if [ -e "$cache_file" ]; then
  3054. cat "$cache_file"
  3055. touch "$cache_file"
  3056. return 0
  3057. fi
  3058. wget -O- "${url}" |
  3059. tee "$cache_file"
  3060. if [ "${PIPESTATUS[0]}" != 0 ]; then
  3061. rm "$cache_file"
  3062. die "Unable to fetch '$url'."
  3063. return 1
  3064. fi
  3065. }
  3066. export -f cached_wget
  3067. [ "$SOURCED" ] && return 0
  3068. trap_add "EXIT" clean_cache
  3069. if [ -z "$DISABLE_SYSTEM_CONFIG_FILE" ]; then
  3070. if [ -r /etc/default/charm ]; then
  3071. . /etc/default/charm
  3072. fi
  3073. if [ -r "/etc/default/$exname" ]; then
  3074. . "/etc/default/$exname"
  3075. fi
  3076. ## XXXvlab: should provide YML config opportunities in possible parent dirs ?
  3077. ## userdir ? and global /etc/compose.yml ?
  3078. for cfgfile in /etc/compose.conf /etc/compose.local.conf \
  3079. /etc/default/compose /etc/compose/local.conf; do
  3080. [ -e "$cfgfile" ] || continue
  3081. . "$cfgfile" || die "Loading config file '$cfgfile' failed."
  3082. done
  3083. fi
  3084. _setup_state_dir
  3085. mkdir -p "$CACHEDIR" || exit 1
  3086. ##
  3087. ## Argument parsing
  3088. ##
  3089. services=()
  3090. remainder_args=()
  3091. compose_opts=()
  3092. compose_contents=()
  3093. action_opts=()
  3094. services_args=()
  3095. pos_arg_ct=0
  3096. no_hooks=
  3097. no_init=
  3098. action=
  3099. stage="main" ## switches from 'main', to 'action', 'remainder'
  3100. is_docker_compose_action=
  3101. rebuild_relations_to_service=()
  3102. DC_MATCH_MULTI=$(get_docker_compose_multi_opts_list) &&
  3103. DC_MATCH_SINGLE=$(get_docker_compose_single_opts_list) || return 1
  3104. while read-0 arg; do
  3105. case "$stage" in
  3106. "main")
  3107. case "$arg" in
  3108. --help|-h)
  3109. no_init=true ; no_hooks=true ; no_relations=true
  3110. display_help
  3111. exit 0
  3112. ;;
  3113. --verbose|-v)
  3114. export VERBOSE=true
  3115. compose_opts+=("--verbose")
  3116. ;;
  3117. --version|-V)
  3118. print_version
  3119. docker-compose --version
  3120. docker --version
  3121. exit 0
  3122. ;;
  3123. -f|--file)
  3124. read-0 value
  3125. [ -e "$value" ] || die "File $value doesn't exists"
  3126. export DEFAULT_COMPOSE_FILE="$value"
  3127. compose_opts+=("--file $value")
  3128. shift
  3129. ;;
  3130. -p|--project-name)
  3131. read-0 value
  3132. export DEFAULT_PROJECT_NAME="$value"
  3133. compose_opts+=("--project-name $value")
  3134. shift
  3135. ;;
  3136. --no-relations)
  3137. export no_relations=true
  3138. ;;
  3139. --no-hooks)
  3140. export no_hooks=true
  3141. ;;
  3142. --no-init)
  3143. export no_init=true
  3144. ;;
  3145. --rebuild-relations-to-service|-R)
  3146. read-0 value
  3147. rebuild_relations_to_service+=("$value")
  3148. shift
  3149. ;;
  3150. --debug)
  3151. export DEBUG=true
  3152. export VERBOSE=true
  3153. #compose_opts+=("--verbose" "--log-level" "DEBUG")
  3154. ;;
  3155. --add-compose-content|-Y)
  3156. read-0 value
  3157. compose_contents+=("$value")
  3158. shift
  3159. ;;
  3160. --dirs)
  3161. echo "CACHEDIR: $CACHEDIR"
  3162. echo "VARDIR: $VARDIR"
  3163. exit 0
  3164. ;;
  3165. --dry-compose-run)
  3166. export DRY_COMPOSE_RUN=true
  3167. ;;
  3168. --*|-*)
  3169. if str_pattern_matches "$arg" $DC_MATCH_MULTI; then
  3170. read-0 value
  3171. compose_opts+=("$arg" "$value")
  3172. shift;
  3173. elif str_pattern_matches "$arg" $DC_MATCH_SINGLE; then
  3174. compose_opts+=("$arg")
  3175. else
  3176. err "Unknown option '$arg'. Please check help:"
  3177. display_help
  3178. exit 1
  3179. fi
  3180. ;;
  3181. *)
  3182. action="$arg"
  3183. stage="action"
  3184. if DC_USAGE=$(get_docker_compose_usage "$action"); then
  3185. is_docker_compose_action=true
  3186. DC_MATCH_MULTI=$(get_docker_compose_multi_opts_list "$action") &&
  3187. DC_MATCH_SINGLE="$(get_docker_compose_single_opts_list "$action")"
  3188. if [ "$DC_MATCH_MULTI" ]; then
  3189. DC_MATCH_SINGLE="$DC_MATCH_SINGLE $(echo "$DC_MATCH_MULTI" | sed -r 's/( |$)/=\* /g')"
  3190. fi
  3191. pos_args=($(echo "$DC_USAGE" | sed -r 's/\[-[^]]+\] ?//g;s/\[options\] ?//g'))
  3192. pos_args=("${pos_args[@]:1}")
  3193. # echo "USAGE: $DC_USAGE"
  3194. # echo "pos_args: ${pos_args[@]}"
  3195. # echo "MULTI: $DC_MATCH_MULTI"
  3196. # echo "SINGLE: $DC_MATCH_SINGLE"
  3197. # exit 1
  3198. else
  3199. stage="remainder"
  3200. fi
  3201. ;;
  3202. esac
  3203. ;;
  3204. "action") ## Only for docker-compose actions
  3205. case "$arg" in
  3206. --help|-h)
  3207. no_init=true ; no_hooks=true ; no_relations=true
  3208. action_opts+=("$arg")
  3209. ;;
  3210. --*|-*)
  3211. if [ "$is_docker_compose_action" ]; then
  3212. if str_pattern_matches "$arg" $DC_MATCH_MULTI; then
  3213. read-0 value
  3214. action_opts+=("$arg" "$value")
  3215. shift
  3216. elif str_pattern_matches "$arg" $DC_MATCH_SINGLE; then
  3217. action_opts+=("$arg")
  3218. else
  3219. err "Unknown option '$arg'. Please check '${DARKCYAN}$action${NORMAL}' help:"
  3220. docker-compose "$action" --help |
  3221. filter_docker_compose_help_message >&2
  3222. exit 1
  3223. fi
  3224. fi
  3225. ;;
  3226. *)
  3227. # echo "LOOP $1 : pos_arg: $pos_arg_ct // ${pos_args[$pos_arg_ct]}"
  3228. if [[ "${pos_args[$pos_arg_ct]}" == "[SERVICE...]" ]]; then
  3229. services_args+=("$arg")
  3230. elif [[ "${pos_args[$pos_arg_ct]}" == "SERVICE" ]]; then
  3231. services_args=("$arg") || exit 1
  3232. stage="remainder"
  3233. else
  3234. action_posargs+=("$arg")
  3235. ((pos_arg_ct++))
  3236. fi
  3237. ;;
  3238. esac
  3239. ;;
  3240. "remainder")
  3241. remainder_args+=("$arg")
  3242. while read-0 arg; do
  3243. remainder_args+=("$arg")
  3244. done
  3245. break 3
  3246. ;;
  3247. esac
  3248. shift
  3249. done < <(cla.normalize "$@")
  3250. export compose_contents
  3251. [ "${services_args[*]}" ] && debug " ${DARKWHITE}Services:$NORMAL ${DARKYELLOW}${services_args[*]}$NORMAL"
  3252. [ "${compose_opts[*]}" ] && debug " ${DARKWHITE}Main docker-compose opts:$NORMAL ${compose_opts[*]}"
  3253. [ "${action_posargs[*]}" ] && debug " ${DARKWHITE}Main docker-compose pos args:$NORMAL ${action_posargs[*]}"
  3254. [ "${action_opts[*]}" ] && debug " ${DARKWHITE}Action $DARKCYAN$action$NORMAL with opts:$NORMAL ${action_opts[*]}"
  3255. [ "${remainder_args[*]}" ] && debug " ${DARKWHITE}Remainder args:$NORMAL ${remainder_args[*]}"
  3256. aexport remainder_args
  3257. ##
  3258. ## Actual code
  3259. ##
  3260. COMPOSE_YML_FILE=$(get_compose_yml_location) || exit 1
  3261. COMPOSE_YML_CONTENT=$(get_compose_yml_content) || exit 1
  3262. export COMPOSE_YML_FILE COMPOSE_YML_CONTENT
  3263. charm.sanity_checks || die "Sanity checks about charm-store failed. Please correct."
  3264. ##
  3265. ## Get services in command line.
  3266. ##
  3267. if [ -z "$is_docker_compose_action" -a "$action" ]; then
  3268. action_service=${remainder_args[0]}
  3269. if [ -z "$action_service" ]; then
  3270. err "No such command or action: ${DARKCYAN}$action${NORMAL}"
  3271. display_commands_help
  3272. exit 1
  3273. fi
  3274. remainder_args=("${remainder_args[@]:1}")
  3275. if has_service_action "$action_service" "$action" >/dev/null; then
  3276. is_service_action=true
  3277. {
  3278. read-0 action_type
  3279. case "$action_type" in
  3280. "relation")
  3281. read-0 _ target_service _target_charm relation_name
  3282. debug "Found action $DARKYELLOW${action_service}$NORMAL/$DARKBLUE$relation_name$NORMAL/$DARKCYAN$action$NORMAL (in $DARKYELLOW$target_service$NORMAL)"
  3283. ;;
  3284. "direct")
  3285. debug "Found action $DARKYELLOW${action_service}$NORMAL.$DARKCYAN$action$NORMAL"
  3286. ;;
  3287. esac
  3288. } < <(has_service_action "$action_service" "$action")
  3289. services_args=("$action_service")
  3290. else
  3291. die "Unknown action '${DARKCYAN}$action$NORMAL': It doesn't match any docker-compose commands nor inner charm actions."
  3292. fi
  3293. else
  3294. case "$action" in
  3295. ps|up)
  3296. if [ "${#services_args[@]}" == 0 ]; then
  3297. array_read-0 services_args < <(printf "%s" "$COMPOSE_YML_CONTENT" | shyaml keys-0 2>/dev/null)
  3298. fi
  3299. ;;
  3300. config)
  3301. services_args=("${action_posargs[@]}")
  3302. ;;
  3303. esac
  3304. fi
  3305. NO_CONSTRAINT_CHECK=True
  3306. case "$action" in
  3307. up)
  3308. NO_CONSTRAINT_CHECK=
  3309. ;;
  3310. esac
  3311. get_all_relations "${services_args[@]}" >/dev/null || exit 1
  3312. if [ "$is_docker_compose_action" -a "${#services_args[@]}" -gt 0 ]; then
  3313. services=($(get_master_services "${services_args[@]}")) || exit 1
  3314. if [ "$action" == "up" ]; then
  3315. ## remove run-once
  3316. for service in "${services_args[@]}"; do
  3317. type="$(get_service_type "$service")" || exit 1
  3318. if [ "$type" != "run-once" ]; then
  3319. action_posargs+=("$service")
  3320. fi
  3321. done
  3322. else
  3323. action_posargs+=("${services[@]}")
  3324. fi
  3325. fi
  3326. get_docker_compose "${services_args[@]}" >/dev/null || { ## precalculate variable \$_current_docker_compose
  3327. err "Fails to compile base 'docker-compose.yml'"
  3328. exit 1
  3329. }
  3330. ##
  3331. ## Pre-action
  3332. ##
  3333. full_init=
  3334. case "$action" in
  3335. up|run)
  3336. full_init=true
  3337. post_hook=true
  3338. ;;
  3339. ""|down|restart|logs|config|ps)
  3340. full_init=
  3341. ;;
  3342. *)
  3343. if [ "$is_service_action" ]; then
  3344. full_init=true
  3345. fi
  3346. ;;
  3347. esac
  3348. if [ "$full_init" ]; then
  3349. ## init in order
  3350. if [ -z "$no_init" ]; then
  3351. Section setup host resources
  3352. setup_host_resources "${services_args[@]}" || exit 1
  3353. Section initialisation
  3354. run_service_hook init "${services_args[@]}" || exit 1
  3355. fi
  3356. ## Get relations
  3357. if [ -z "$no_relations" ]; then
  3358. if [ "${#rebuild_relations_to_service[@]}" != 0 ]; then
  3359. rebuild_relations_to_service=$(get_master_services "${rebuild_relations_to_service[@]}") || return 1
  3360. rebuild_relations_to_service=($rebuild_relations_to_service)
  3361. project=$(get_default_project_name) || return 1
  3362. for service in "${rebuild_relations_to_service[@]}"; do
  3363. for dir in "$VARDIR/relations/$project/"*"-${service}/"*; do
  3364. [ -d "$dir" ] && {
  3365. debug rm -rf "$dir"
  3366. rm -rf "$dir"
  3367. }
  3368. done
  3369. done
  3370. fi
  3371. run_service_relations "${services_args[@]}" || exit 1
  3372. fi
  3373. run_service_hook pre_deploy "${services_args[@]}" || exit 1
  3374. fi
  3375. if [ "$action" == "run" -a "${#services_args}" != 0 ]; then
  3376. charm=$(get_service_charm "${services_args[0]}") || exit 1
  3377. metadata=$(charm.metadata "$charm") || exit 1
  3378. type="$(printf "%s" "$metadata" | shyaml get-value type 2>/dev/null)" || true
  3379. if [ "$type" == "run-once" ]; then
  3380. run_service_hook dc-pre-run "${services_args[@]}" || exit 1
  3381. fi
  3382. fi
  3383. export SERVICE_PACK="${services_args[*]}"
  3384. ##
  3385. ## Docker-compose
  3386. ##
  3387. case "$action" in
  3388. up|start|stop|build|run)
  3389. ## force daemon mode for up
  3390. if [[ "$action" == "up" ]]; then
  3391. if ! array_member action_opts -d; then
  3392. action_opts+=("-d")
  3393. fi
  3394. if ! array_member action_opts --remove-orphans; then
  3395. action_opts+=("--remove-orphans")
  3396. fi
  3397. fi
  3398. launch_docker_compose "${compose_opts[@]}" "$action" "${action_opts[@]}" "${action_posargs[@]}" "${remainder_args[@]}"
  3399. ;;
  3400. logs)
  3401. if ! array_member action_opts --tail; then ## force daemon mode for up
  3402. action_opts+=("--tail" "10")
  3403. fi
  3404. launch_docker_compose "${compose_opts[@]}" "$action" "${action_opts[@]}" "${action_posargs[@]}" "${remainder_args[@]}"
  3405. ;;
  3406. "")
  3407. launch_docker_compose "${compose_opts[@]}"
  3408. ;;
  3409. graph)
  3410. graph $SERVICE_PACK
  3411. ;;
  3412. config)
  3413. ## removing the services
  3414. services=($(get_master_services "${action_posargs[@]}")) || exit 1
  3415. ## forcing docker-compose config to output the config file to stdout and not stderr
  3416. out=$(launch_docker_compose "${compose_opts[@]}" "$action" "${action_opts[@]}" "${remainder_args[@]}" 2>&1) || {
  3417. echo "$out"
  3418. exit 1
  3419. }
  3420. echo "$out"
  3421. warn "Runtime configuration modification (from relations) are not included here."
  3422. ;;
  3423. down)
  3424. if ! array_member action_opts --remove-orphans; then ## force daemon mode for up
  3425. debug "Adding a default argument of '--remove-orphans'"
  3426. action_opts+=("--remove-orphans")
  3427. fi
  3428. launch_docker_compose "${compose_opts[@]}" "$action" "${action_opts[@]}" "${remainder_args[@]}"
  3429. ;;
  3430. *)
  3431. if [ "$is_service_action" ]; then
  3432. run_service_action "$SERVICE_PACK" "$action" "${remainder_args[@]}"
  3433. else
  3434. launch_docker_compose "${compose_opts[@]}" "$action" "${action_opts[@]}" "${action_posargs[@]}" "${remainder_args[@]}"
  3435. fi
  3436. ;;
  3437. esac || exit 1
  3438. if [ "$post_hook" -a "${#services_args[@]}" != 0 ]; then
  3439. run_service_hook post_deploy "${services_args[@]}" || exit 1
  3440. fi
  3441. clean_unused_docker_compose || return 1