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.

3841 lines
126 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/bash "$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_dir/$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=
  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. if ! echo "SELECT 1;" | ddb >/dev/null; then
  674. err "${RED}db connection error${NORMAL}:"\
  675. "Could not connect to db on $DOCKER_IP" \
  676. "container's IP. (IP up, TCP ports is(are) open)"
  677. return 18
  678. fi
  679. echo "${DOCKER_NETWORK}:${DOCKER_IP}"
  680. return 0
  681. }
  682. export -f wait_for_docker_ip
  683. docker_add_host_declaration() {
  684. local src_docker=$1 domain=$2 dst_docker=$3 dst_docker_ip= dst_docker_network
  685. dst_docker_ip=$(wait_docker_ip "$dst_docker") || exit 1
  686. IFS=: read dst_docker_ip dst_docker_network <<<"$dst_docker_ip"
  687. docker exec -i "$src_docker" bash <<EOF
  688. if cat /etc/hosts | grep -E "^[0-9]+\.[0-9]+\.[0-9]+\.[0-9]+\s+$domain\$" > /dev/null 2>&1; then
  689. sed -ri "s/^[0-9]+\.[0-9]+\.[0-9]+\.[0-9]+\s+$domain\$/$dst_docker_ip $domain/g" /etc/hosts
  690. else
  691. echo "$dst_docker_ip $domain" >> /etc/hosts
  692. fi
  693. EOF
  694. }
  695. export -f docker_add_host_declaration
  696. get_running_containers_for_service() {
  697. local service="$1"
  698. docker ps --filter label="compose.service=$service" --format="{{.ID}}"
  699. }
  700. export -f get_running_containers_for_service
  701. get_container_network_ips() {
  702. local container="$1"
  703. docker inspect "$container" \
  704. --format='{{range $key, $val :=.NetworkSettings.Networks}}{{$key}}{{"\x00"}}{{$val.IPAddress}}{{"\x00"}}{{end}}'
  705. }
  706. export -f get_container_network_ips
  707. get_container_network_ip() {
  708. local container="$1"
  709. while read-0 network ip; do
  710. printf "%s\0" "$network" "$ip"
  711. break
  712. done < <(get_container_network_ips "$container")
  713. }
  714. export -f get_container_network_ip
  715. ##
  716. ## Internal Process
  717. ##
  718. get_docker_compose_links() {
  719. local service="$1" cache_file="$state_tmpdir/$FUNCNAME.cache.$1" \
  720. deps master_service master_target_service _relation_name \
  721. target_service _relation_config tech_dep
  722. if [ -z "$service" ]; then
  723. print_syntax_error "$FUNCNAME: Please specify a service as first argument."
  724. return 1
  725. fi
  726. if [ -e "$cache_file" ]; then
  727. # debug "$FUNCNAME: cache hit ($*)"
  728. cat "$cache_file"
  729. return 0
  730. fi
  731. master_service=$(get_top_master_service_for_service "$service") || return 1
  732. deps=()
  733. while read-0 _relation_name target_service _relation_config tech_dep; do
  734. master_target_service="$(get_top_master_service_for_service "$target_service")" || return 1
  735. [ "$master_service" == "$master_target_service" ] && continue
  736. type="$(get_service_type "$target_service")" || return 1
  737. [ "$type" == "run-once" ] && continue
  738. if [ "$tech_dep" == "reversed" ]; then
  739. deps+=("$(echo -en "$master_target_service:\n links:\n - $master_service")")
  740. elif [ "$tech_dep" == "True" ]; then
  741. deps+=("$(echo -en "$master_service:\n links:\n - $master_target_service")")
  742. fi
  743. ## XXXvlab: an attempt to add depends_on, but this doesn't work well actually
  744. ## as there's a circular dependency issue. We don't really want the full feature
  745. ## of depends_on, but just to add it as targets when doing an 'up'
  746. # deps+=("$(echo -en "$master_service:\n depends_on:\n - $master_target_service")")
  747. done < <(get_service_relations "$service")
  748. merge_yaml_str "${deps[@]}" | tee "$cache_file" || return 1
  749. if [ "${PIPESTATUS[0]}" != 0 ]; then
  750. rm "$cache_file"
  751. err "Failed to merge YAML from all ${WHITE}links${NORMAL} dependencies."
  752. return 1
  753. fi
  754. }
  755. _get_docker_compose_opts() {
  756. local service="$1" cache_file="$state_tmpdir/$FUNCNAME.cache.$1" \
  757. compose_def master_service docker_compose_opts
  758. if [ -z "$service" ]; then
  759. print_syntax_error "$FUNCNAME: Please specify a service as first argument."
  760. return 1
  761. fi
  762. if [ -e "$cache_file" ]; then
  763. # debug "$FUNCNAME: cache hit ($*)"
  764. cat "$cache_file"
  765. return 0
  766. fi
  767. compose_def="$(get_compose_service_def "$service")" || return 1
  768. master_service="$(get_top_master_service_for_service "$service")"
  769. if docker_compose_opts=$(echo "$compose_def" | shyaml get-value -y "docker-compose" 2>/dev/null); then
  770. yaml_key_val_str "$master_service" "$docker_compose_opts"
  771. fi | tee "$cache_file"
  772. if [ "${PIPESTATUS[0]}" != 0 ]; then
  773. rm "$cache_file"
  774. return 1
  775. fi
  776. }
  777. ##
  778. ## By Reading the metadata.yml, we create a docker-compose.yml mixin.
  779. ## Some metadata.yml (of subordinates) will indeed modify other
  780. ## services than themselves.
  781. _get_docker_compose_service_mixin() {
  782. local service="$1" cache_file="$state_tmpdir/$FUNCNAME.cache.$1" \
  783. links_yaml base_mixin links_yaml docker_compose_options \
  784. charm charm_part
  785. if [ -z "$service" ]; then
  786. print_syntax_error "$FUNCNAME: Please specify a service as first argument."
  787. return 1
  788. fi
  789. if [ -e "$cache_file" ]; then
  790. # debug "$FUNCNAME: cache hit ($*)"
  791. cat "$cache_file"
  792. return 0
  793. fi
  794. master_service=$(get_top_master_service_for_service "$service") || {
  795. err "Failed to get top master service for service $DARKYELLOW$service$NORMAL"
  796. return 1
  797. }
  798. ## The compose part
  799. base_mixin="$master_service:
  800. labels:
  801. - compose.service=$service
  802. - compose.master-service=${master_service}
  803. - compose.project=$(get_default_project_name)"
  804. links_yaml=$(get_docker_compose_links "$service") || return 1
  805. docker_compose_options=$(_get_docker_compose_opts "$service") || return 1
  806. ## the charm part
  807. charm_part=$(get_docker_compose_mixin_from_metadata "$service") || return 1
  808. ## Merge results
  809. if [ "$charm_part" ]; then
  810. charm_yaml="$(yaml_key_val_str "$master_service" "$charm_part")" || return 1
  811. merge_yaml_str "$base_mixin" "$links_yaml" "$charm_yaml" "$docker_compose_options" || return 1
  812. else
  813. merge_yaml_str "$base_mixin" "$links_yaml" "$docker_compose_options" || return 1
  814. fi | tee "$cache_file"
  815. if [ "${PIPESTATUS[0]}" != 0 ]; then
  816. err "Failed to constitute the base YAML for service '${DARKYELLOW}$service${NORMAL}'"
  817. rm "$cache_file"
  818. return 1
  819. fi
  820. }
  821. export -f _get_docker_compose_service_mixin
  822. ##
  823. ## Get full `docker-compose.yml` format for all listed services (and
  824. ## their deps)
  825. ##
  826. ## @export
  827. ## @cache: !system !nofail +stdout
  828. get_docker_compose () {
  829. local cache_file="$state_tmpdir/$FUNCNAME.cache.$(echo "$*" | md5_compat)" \
  830. entries services service start docker_compose_services
  831. if [ -e "$cache_file" ]; then
  832. # debug "$FUNCNAME: cache hit ($*)"
  833. cat "$cache_file"
  834. return 0
  835. fi
  836. ##
  837. ## Adding sub services configurations
  838. ##
  839. declare -A entries
  840. start_compilation=$SECONDS
  841. debug "Compiling 'docker-compose.yml' base for ${DARKYELLOW}$*$NORMAL..."
  842. for target_service in "$@"; do
  843. start=$SECONDS
  844. services=$(get_ordered_service_dependencies "$target_service") || {
  845. err "Failed to get dependencies for $DARKYELLOW$target_service$NORMAL"
  846. return 1
  847. }
  848. debug " $DARKYELLOW$target_service$NORMAL deps:$DARKYELLOW" $services "$NORMAL$GRAY(in $((SECONDS - start))s)$NORMAL"
  849. for service in $services; do
  850. if [ "${entries[$service]}" ]; then
  851. ## Prevent double inclusion of same service if this
  852. ## service is deps of two or more of your
  853. ## requirements.
  854. continue
  855. fi
  856. ## mark the service as "loaded" as well as it's containers
  857. ## if this is a subordinate service
  858. start_service=$SECONDS
  859. entries[$service]=$(_get_docker_compose_service_mixin "$service") || {
  860. err "Failed to get service mixin for $DARKYELLOW$service$NORMAL"
  861. return 1
  862. }
  863. debug " Applied $DARKYELLOW$service$NORMAL charm metadata mixins $GRAY(in $((SECONDS - start_service))s)$NORMAL"
  864. done
  865. debug " ..finished all mixins for $DARKYELLOW$target_service$NORMAL $GRAY(in $((SECONDS - start))s)$NORMAL"
  866. done
  867. docker_compose_services=$(merge_yaml_str "${entries[@]}") || {
  868. err "Failed to merge YAML services entries together."
  869. return 1
  870. }
  871. base_v2="version: '2.0'"
  872. merge_yaml_str "$(yaml_key_val_str "services" "$docker_compose_services")" \
  873. "$base_v2" > "$cache_file" || return 1
  874. export _current_docker_compose="$(cat "$cache_file")"
  875. echo "$_current_docker_compose"
  876. debug " ..compilation of base 'docker-compose.yml' done $GRAY(in $((SECONDS - start_compilation))s)$NORMAL" || true
  877. # debug " ** ${WHITE}docker-compose.yml${NORMAL}:"
  878. # debug "$_current_docker_compose"
  879. }
  880. export -f get_docker_compose
  881. _get_compose_service_def_cached () {
  882. local service="$1" docker_compose="$2" cache_file="$CACHEDIR/$FUNCNAME.cache.$(echo "$*" | md5_compat)"
  883. if [ -e "$cache_file" ]; then
  884. #debug "$FUNCNAME: STATIC cache hit"
  885. cat "$cache_file" &&
  886. touch "$cache_file" || return 1
  887. return 0
  888. fi
  889. value=$(echo "$docker_compose" | shyaml get-value "${service//./\\.}" 2>/dev/null)
  890. [ "$value" == None ] && value=""
  891. if ! echo "$value" | shyaml get-value "charm" >/dev/null 2>&1; then
  892. if charm.exists "$service"; then
  893. value=$(merge_yaml <(echo "charm: $service") <(echo "$value")) || {
  894. err "Can't merge YAML infered 'charm: $service' with base ${DARKYELLOW}$service${NORMAL} YAML definition."
  895. return 1
  896. }
  897. else
  898. err "No ${WHITE}charm${NORMAL} value for service $DARKYELLOW$service$NORMAL" \
  899. "in compose, nor same name charm found."
  900. return 1
  901. fi
  902. fi
  903. echo "$value" | tee "$cache_file" || return 1
  904. # if [ "${PIPESTATUS[0]}" != 0 ]; then
  905. # rm "$cache_file"
  906. # return 1
  907. # fi
  908. return 0
  909. # if [ "${PIPESTATUS[0]}" != 0 -o \! -s "$cache_file" ]; then
  910. # rm "$cache_file"
  911. # err "PAS OK $service: $value"
  912. # return 1
  913. # fi
  914. }
  915. export -f _get_compose_service_def_cached
  916. ## XXXvlab: a lot to be done to cache the results
  917. get_compose_service_def () {
  918. local service="$1" docker_compose cache_file="$state_tmpdir/$FUNCNAME.cache.$1" \
  919. result
  920. if [ -e "$cache_file" ]; then
  921. #debug "$FUNCNAME: SESSION cache hit"
  922. cat "$cache_file" || return 1
  923. return 0
  924. fi
  925. [ -z "$service" ] && print_syntax_error "Missing service as first argument."
  926. docker_compose=$(get_compose_yml_content) || return 1
  927. result=$(_get_compose_service_def_cached "$service" "$docker_compose") || return 1
  928. echo "$result" | tee "$cache_file" || return 1
  929. }
  930. export -f get_compose_service_def
  931. _get_service_charm_cached () {
  932. local service="$1" service_def="$2" cache_file="$CACHEDIR/$FUNCNAME.cache.$(echo "$*" | md5_compat)"
  933. if [ -e "$cache_file" ]; then
  934. # debug "$FUNCNAME: cache hit $1"
  935. cat "$cache_file" &&
  936. touch "$cache_file" || return 1
  937. return 0
  938. fi
  939. charm=$(echo "$service_def" | shyaml get-value charm 2>/dev/null)
  940. if [ -z "$charm" ]; then
  941. err "Missing ${WHITE}charm${NORMAL} value in service $DARKYELLOW$service$NORMAL definition."
  942. return 1
  943. fi
  944. echo "$charm" | tee "$cache_file" || return 1
  945. }
  946. export -f _get_service_charm_cached
  947. get_service_charm () {
  948. local service="$1"
  949. if [ -z "$service" ]; then
  950. echo ${FUNCNAME[@]} >&2
  951. print_syntax_error "$FUNCNAME: Please specify a service as first argument."
  952. return 1
  953. fi
  954. service_def=$(get_compose_service_def "$service") || return 1
  955. _get_service_charm_cached "$service" "$service_def"
  956. }
  957. export -f get_service_charm
  958. ## built above the docker-compose abstraction, so it relies on the
  959. ## full docker-compose.yml to be already built.
  960. get_service_def () {
  961. local service="$1" def
  962. if [ -z "$_current_docker_compose" ]; then
  963. print_syntax_error "$FUNCNAME is meant to be called after"\
  964. "\$_current_docker_compose has been calculated."
  965. fi
  966. def=$(echo "$_current_docker_compose" | shyaml get-value "services.${service//./\\.}" 2>/dev/null)
  967. if [ -z "$def" ]; then
  968. err "No definition for service $DARKYELLOW$service$NORMAL in compiled 'docker-compose.yml'."
  969. return 1
  970. fi
  971. echo "$def"
  972. }
  973. export -f get_service_def
  974. ## Return the base docker image name of a service
  975. service_base_docker_image() {
  976. local service="$1" cache_file="$state_tmpdir/$FUNCNAME.cache.$1" \
  977. master_service service_def service_image service_build service_dockerfile
  978. if [ -e "$cache_file" ]; then
  979. # debug "$FUNCNAME: cache hit ($*)"
  980. cat "$cache_file"
  981. return 0
  982. fi
  983. master_service="$(get_top_master_service_for_service "$service")" || {
  984. err "Could not compute master service for service $DARKYELLOW$service$NORMAL."
  985. return 1
  986. }
  987. service_def="$(get_service_def "$master_service")" || {
  988. err "Could not get docker-compose service definition for $DARKYELLOW$master_service$NORMAL."
  989. return 1
  990. }
  991. service_image=$(echo "$service_def" | shyaml get-value image 2>/dev/null)
  992. if [ "$?" != 0 ]; then
  993. ## According to https://stackoverflow.com/questions/32230577 , if there's a build,
  994. ## then the builded image will get name ${project}_${service}
  995. project=$(get_default_project_name) || return 1
  996. image_name="${project}_${service}"
  997. if ! docker_has_image "$image_name"; then
  998. service_build=$(echo "$service_def" | shyaml get-value build 2>/dev/null)
  999. if [ "$?" != 0 ]; then
  1000. err "Service $DARKYELLOW$service$NORMAL has no ${WHITE}image${NORMAL} nor ${WHITE}build${NORMAL} parameter."
  1001. echo "$service_def" >&2
  1002. return 1
  1003. fi
  1004. docker build "$service_build" -t "${project}_${service}" >&2 || {
  1005. err "Failed to build image for ${DARKYELLOW}$service${NORMAL}."
  1006. return 1
  1007. }
  1008. fi
  1009. printf "%s" "${project}_${service}"
  1010. else
  1011. printf "%s" "${service_image}"
  1012. fi | tee "$cache_file"
  1013. if [ "${PIPESTATUS[0]}" != 0 ]; then
  1014. rm "$cache_file"
  1015. return 1
  1016. fi
  1017. }
  1018. export -f service_base_docker_image
  1019. get_charm_relation_def () {
  1020. local charm="$1" relation_name="$2" cache_file="$state_tmpdir/$FUNCNAME.cache.$1.$2" \
  1021. relation_def metadata
  1022. if [ -e "$cache_file" ]; then
  1023. # debug "$FUNCNAME: cache hit ($*)"
  1024. cat "$cache_file"
  1025. return 0
  1026. fi
  1027. metadata="$(charm.metadata "$charm")" || return 1
  1028. relation_def="$(echo "$metadata" | shyaml get-value "provides.${relation_name}" 2>/dev/null)"
  1029. echo "$relation_def" | tee "$cache_file"
  1030. }
  1031. export -f get_charm_relation_def
  1032. get_charm_tech_dep_orientation_for_relation() {
  1033. local charm="$1" relation_name="$2" cache_file="$state_tmpdir/$FUNCNAME.cache.$1.$2" \
  1034. relation_def value
  1035. if [ -e "$cache_file" ]; then
  1036. # debug "$FUNCNAME: cache hit ($*)"
  1037. cat "$cache_file"
  1038. return 0
  1039. fi
  1040. relation_def=$(get_charm_relation_def "$charm" "$relation_name" 2>/dev/null)
  1041. value=$(echo "$relation_def" | shyaml get-value 'tech-dep' 2>/dev/null)
  1042. value=${value:-True}
  1043. printf "%s" "$value" | tee "$cache_file"
  1044. }
  1045. export -f get_charm_tech_dep_orientation_for_relation
  1046. get_service_relation_tech_dep() {
  1047. local service="$1" relation_name="$2" cache_file="$state_tmpdir/$FUNCNAME.cache.$1.$2" \
  1048. charm tech_dep
  1049. if [ -e "$cache_file" ]; then
  1050. # debug "$FUNCNAME: cache hit ($*)"
  1051. cat "$cache_file"
  1052. return 0
  1053. fi
  1054. charm=$(get_service_charm "$service") || return 1
  1055. tech_dep="$(get_charm_tech_dep_orientation_for_relation "$charm" "$relation_name")" || return 1
  1056. printf "%s" "$tech_dep" | tee "$cache_file"
  1057. }
  1058. export -f get_service_relation_tech_dep
  1059. ##
  1060. ## Use compose file to get deps, and relation definition in metadata.yml
  1061. ## for tech-dep attribute.
  1062. get_service_deps() {
  1063. local service="$1" cache_file="$state_tmpdir/$FUNCNAME.cache.$1"
  1064. if [ -e "$cache_file" ]; then
  1065. # debug "$FUNCNAME: cache hit ($*)"
  1066. cat "$cache_file"
  1067. return 0
  1068. fi
  1069. (
  1070. set -o pipefail
  1071. get_service_relations "$service" | \
  1072. while read-0 relation_name target_service _relation_config tech_dep; do
  1073. echo "$target_service"
  1074. done | tee "$cache_file"
  1075. ) || return 1
  1076. }
  1077. export -f get_service_deps
  1078. _rec_get_depth() {
  1079. local elt=$1 dep deps max cache_file="$state_tmpdir/$FUNCNAME.cache.$1"
  1080. [ "${depths[$elt]}" ] && return 0
  1081. if [ -e "$cache_file" ]; then
  1082. # debug "$FUNCNAME: cache hit ($*)"
  1083. depths[$elt]=$(cat "$cache_file")
  1084. return 0
  1085. fi
  1086. visited[$elt]=1
  1087. #debug "Setting visited[$elt]"
  1088. #debug "Asking for $DARKYELLOW$elt$NORMAL dependencies"
  1089. deps=$(get_service_deps "$elt") || {
  1090. debug "Failed get_service_deps $elt"
  1091. return 1
  1092. }
  1093. # debug "$elt deps are:" $deps
  1094. max=0
  1095. for dep in $deps; do
  1096. [ "${visited[$dep]}" ] && {
  1097. #debug "Already computing $dep"
  1098. continue
  1099. }
  1100. _rec_get_depth "$dep" || return 1
  1101. #debug "Requesting depth[$dep]"
  1102. if (( ${depths[$dep]} > max )); then
  1103. max="${depths[$dep]}"
  1104. fi
  1105. done
  1106. # debug "Setting depth[$elt] to $((max + 1))"
  1107. depths[$elt]=$((max + 1))
  1108. echo "${depths[$elt]}" > $cache_file
  1109. }
  1110. export -f _rec_get_depth
  1111. get_ordered_service_dependencies() {
  1112. local services=("$@") cache_file="$state_tmpdir/$FUNCNAME.cache.$(echo "$*" | md5_compat)"
  1113. if [ -e "$cache_file" ]; then
  1114. # debug "$FUNCNAME: cache hit ($*)"
  1115. cat "$cache_file"
  1116. return 0
  1117. fi
  1118. #debug "Figuring ordered deps of $DARKYELLOW$services$NORMAL"
  1119. if [ -z "${services[*]}" ]; then
  1120. return 0
  1121. # print_syntax_error "$FUNCNAME: no arguments"
  1122. # return 1
  1123. fi
  1124. declare -A depths
  1125. declare -A visited
  1126. heads=("${services[@]}")
  1127. while [ "${#heads[@]}" != 0 ]; do
  1128. array_pop heads head
  1129. _rec_get_depth "$head" || return 1
  1130. done
  1131. i=0
  1132. while [ "${#depths[@]}" != 0 ]; do
  1133. for key in "${!depths[@]}"; do
  1134. value="${depths[$key]}"
  1135. if [ "$value" == "$i" ]; then
  1136. echo "$key"
  1137. unset depths[$key]
  1138. fi
  1139. done
  1140. i=$((i + 1))
  1141. done | tee "$cache_file"
  1142. }
  1143. export -f get_ordered_service_dependencies
  1144. run_service_hook () {
  1145. local action="$1" service subservice subservices loaded
  1146. shift
  1147. declare -A loaded
  1148. for service in "$@"; do
  1149. subservices=$(get_ordered_service_dependencies "$service") || return 1
  1150. for subservice in $subservices; do
  1151. if [ "${loaded[$subservice]}" ]; then
  1152. ## Prevent double inclusion of same service if this
  1153. ## service is deps of two or more of your
  1154. ## requirements.
  1155. continue
  1156. fi
  1157. charm=$(get_service_charm "$subservice") || return 1
  1158. charm.has_hook "$charm" "$action" >/dev/null || continue
  1159. PROJECT_NAME=$(get_default_project_name) || return 1
  1160. MASTER_BASE_SERVICE_NAME=$(get_top_master_service_for_service "$subservice") || return 1
  1161. MASTER_BASE_CHARM_NAME=$(get_service_charm "$MASTER_BASE_SERVICE_NAME") || return 1
  1162. DOCKER_BASE_IMAGE=$(service_base_docker_image "$MASTER_BASE_SERVICE_NAME") || return 1
  1163. Wrap -d "running $YELLOW$action$NORMAL hook of $DARKYELLOW$subservice$NORMAL in charm $DARKPINK$charm$NORMAL" <<EOF || return 1
  1164. export DOCKER_BASE_IMAGE="$DOCKER_BASE_IMAGE"
  1165. export SERVICE_NAME=$subservice
  1166. export IMAGE_NAME=$(echo "${PROJECT_NAME}" | tr -d "_-")_\${SERVICE_NAME}
  1167. export CONTAINER_NAME=\${IMAGE_NAME}_1
  1168. export CHARM_NAME="$charm"
  1169. export PROJECT_NAME="$PROJECT_NAME"
  1170. export SERVICE_DATASTORE="$DATASTORE/$subservice"
  1171. export SERVICE_CONFIGSTORE="$CONFIGSTORE/$subservice"
  1172. export MASTER_BASE_SERVICE_NAME="$MASTER_BASE_SERVICE_NAME"
  1173. export MASTER_BASE_CHARM_NAME="$MASTER_BASE_CHARM_NAME"
  1174. charm.run_hook "$charm" "$action"
  1175. EOF
  1176. loaded[$subservice]=1
  1177. done
  1178. done
  1179. return 0
  1180. }
  1181. host_resource_get() {
  1182. local location="$1" cfg="$2"
  1183. type=$(echo "$cfg" | shyaml get-value type 2>/dev/null) || {
  1184. err "Missing ${WHITE}type$NORMAL option in ${WHITE}get$NORMAL config for location '$location'"
  1185. return 1
  1186. }
  1187. if fn.exists host_resource_get_$type; then
  1188. host_resource_get_$type "$location" "$cfg"
  1189. else
  1190. err "Source ${WHITE}source$NORMAL type '$type' unknown for" \
  1191. "${WHITE}host-resource$NORMAL '$location' defined in" \
  1192. "$DARKYELLOW$subservice$NORMAL config."
  1193. return 1
  1194. fi
  1195. }
  1196. export -f host_resource_get
  1197. host_resource_get_git() {
  1198. local location="$1" cfg="$2" branch parent url
  1199. branch=$(echo "$cfg" | shyaml get-value branch 2>/dev/null)
  1200. branch=${branch:-master}
  1201. url=$(echo "$cfg" | shyaml get-value url 2>/dev/null)
  1202. parent="$(dirname "$location")"
  1203. (
  1204. mkdir -p "$parent" && cd "$parent" &&
  1205. git clone -b "$branch" "$url" "$(basename "$location")"
  1206. ) || return 1
  1207. }
  1208. export -f host_resource_get_git
  1209. host_resource_get_git-sub() {
  1210. local location="$1" cfg="$2" branch parent url
  1211. branch=$(echo "$cfg" | shyaml get-value branch 2>/dev/null)
  1212. branch=${branch:-master}
  1213. url=$(echo "$cfg" | shyaml get-value url 2>/dev/null)
  1214. parent="$(dirname "$location")"
  1215. (
  1216. mkdir -p "$parent" && cd "$parent" &&
  1217. git sub clone -b "$branch" "$url" "$(basename "$location")"
  1218. ) || return 1
  1219. }
  1220. export -f host_resource_get_git-sub
  1221. setup_host_resource () {
  1222. local subservice="$1" service_def location get cfg
  1223. service_def=$(get_compose_service_def "$subservice") || return 1
  1224. while read-0 location cfg; do
  1225. ## XXXvlab: will it be a git resources always ?
  1226. if [ -d "$location" -a ! -d "$location/.git" ]; then
  1227. err "Hum, location '$location' does not seem to be a git directory."
  1228. return 1
  1229. fi
  1230. if [ -d "$location" ]; then
  1231. info "host resource '$location' already set up."
  1232. continue
  1233. fi
  1234. get=$(echo "$cfg" | shyaml get-value get 2>/dev/null)
  1235. if [ -z "$get" ]; then
  1236. err "No host directory '$location' found, and no ${WHITE}source$NORMAL" \
  1237. "specified for $DARKYELLOW$subservice$NORMAL."
  1238. return 1
  1239. fi
  1240. host_resource_get "$location" "$get" || return 1
  1241. done < <(echo "$service_def" | shyaml key-values-0 host-resources 2>/dev/null)
  1242. }
  1243. export -f setup_host_resource
  1244. setup_host_resources () {
  1245. local service subservices subservice loaded
  1246. declare -A loaded
  1247. for service in "$@"; do
  1248. subservices=$(get_ordered_service_dependencies "$service") || return 1
  1249. for subservice in $subservices; do
  1250. if [ "${loaded[$subservice]}" ]; then
  1251. ## Prevent double inclusion of same service if this
  1252. ## service is deps of two or more of your
  1253. ## requirements.
  1254. continue
  1255. fi
  1256. setup_host_resource "$service"
  1257. loaded[$subservice]=1
  1258. done
  1259. done
  1260. return 0
  1261. }
  1262. export -f setup_host_resources
  1263. relation-get () {
  1264. local key="$1" out
  1265. if ! out=$(cat "$RELATION_DATA_FILE" | shyaml get-value "$key" 2>/dev/null); then
  1266. err "The key $WHITE$key$NORMAL was not found in relation's data."
  1267. return 1
  1268. fi
  1269. echo "$out" | yaml_get_interpret
  1270. }
  1271. export -f relation-get
  1272. yaml_get_interpret() {
  1273. local content tag
  1274. content=$(cat -)
  1275. tag=$(echo "$content" | shyaml -y get-value) || return 1
  1276. tag="${tag%% *}"
  1277. content=$(echo "$content" | shyaml get-value) || return 1
  1278. if ! [ "${tag:0:1}" == "!" ]; then
  1279. echo "$content" || return 1
  1280. return 0
  1281. fi
  1282. case "$tag" in
  1283. "!bash-stdout")
  1284. echo "$content" | bash || {
  1285. err "shell code didn't end with errorlevel 0"
  1286. return 1
  1287. }
  1288. ;;
  1289. *)
  1290. err "Invalid object tag ${WHITE}$tag${NORMAL}"
  1291. return 1
  1292. ;;
  1293. esac
  1294. }
  1295. export -f yaml_get_interpret
  1296. options-get () {
  1297. local key="$1" out
  1298. service_def=$(get_compose_service_def "$SERVICE_NAME") || return 1
  1299. if ! out=$(echo "$service_def" | shyaml -y get-value "options.$key" 2>/dev/null); then
  1300. err "The key $WHITE$key$NORMAL was not found in base service compose definition.."
  1301. return 1
  1302. fi
  1303. echo "$out" | yaml_get_interpret
  1304. }
  1305. export -f options-get
  1306. relation-base-compose-get () {
  1307. local key="$1" out
  1308. if ! out=$(echo "$RELATION_BASE_COMPOSE_DEF" | shyaml -y get-value "options.$key" 2>/dev/null); then
  1309. err "The key $WHITE$key$NORMAL was not found in base service compose definition.."
  1310. return 1
  1311. fi
  1312. echo "$out" | yaml_get_interpret
  1313. }
  1314. export -f relation-base-compose-get
  1315. relation-target-compose-get () {
  1316. local key="$1" out
  1317. if ! out=$(echo "$RELATION_TARGET_COMPOSE_DEF" | shyaml get-value "options.$key" 2>/dev/null); then
  1318. err "The key $WHITE$key$NORMAL was not found in base service compose definition.."
  1319. return 1
  1320. fi
  1321. echo "$out" | yaml_get_interpret
  1322. }
  1323. export -f relation-target-compose-get
  1324. relation-set () {
  1325. local key="$1" value="$2"
  1326. if [ -z "$RELATION_DATA_FILE" ]; then
  1327. err "$FUNCNAME: relation does not seems to be correctly setup."
  1328. return 1
  1329. fi
  1330. if ! [ -r "$RELATION_DATA_FILE" ]; then
  1331. err "$FUNCNAME: can't read relation's data." >&2
  1332. return 1
  1333. fi
  1334. _config_merge "$RELATION_DATA_FILE" <(yaml_key_val_str "$key" "$value")
  1335. }
  1336. export -f relation-set
  1337. _config_merge() {
  1338. local config_filename="$1" merge_to_file="$2"
  1339. touch "$config_filename" &&
  1340. merge_yaml "$config_filename" "$merge_to_file" > "$config_filename.tmp" || return 1
  1341. mv "$config_filename.tmp" "$config_filename"
  1342. }
  1343. export -f _config_merge
  1344. ## XXXvlab; this can be used only in relation, I'd like to use it in init.
  1345. config-add() {
  1346. local metadata="$1"
  1347. _config_merge "$RELATION_CONFIG" <(echo "$metadata")
  1348. }
  1349. export -f config-add
  1350. ## XXXvlab; this can be used only in relation, I'd like to use it in init.
  1351. init-config-add() {
  1352. local metadata="$1"
  1353. _config_merge "$state_tmpdir/to-merge-in-docker-compose.yml" \
  1354. <(yaml_key_val_str "services" "$metadata")
  1355. }
  1356. export -f init-config-add
  1357. logstdout() {
  1358. local name="$1"
  1359. sed -r 's%^%'"${name}"'> %g'
  1360. }
  1361. export -f logstdout
  1362. logstderr() {
  1363. local name="$1"
  1364. sed -r 's%^(.*)$%'"${RED}${name}>${NORMAL} \1"'%g'
  1365. }
  1366. export -f logstderr
  1367. _run_service_relation () {
  1368. local relation_name="$1" service="$2" target_service="$3" relation_config="$4" relation_dir services
  1369. charm=$(get_service_charm "$service") || return 1
  1370. target_charm=$(get_service_charm "$target_service") || return 1
  1371. base_script_name=$(charm.has_relation_hook "$charm" "$relation_name" relation-joined) || true
  1372. target_script_name=$(charm.has_relation_hook "$target_charm" "$relation_name" relation-joined) || true
  1373. [ "$base_script_name" -o "$target_script_name" ] || return 0
  1374. relation_dir=$(get_relation_data_dir "$service" "$target_service" "$relation_name") || return 1
  1375. RELATION_DATA_FILE=$(get_relation_data_file "$service" "$target_service" "$relation_name" "$relation_config") || return 1
  1376. export BASE_SERVICE_NAME=$service
  1377. export BASE_CHARM_NAME=$charm
  1378. export BASE_CHARM_PATH=$(charm.get_dir "$charm")
  1379. export TARGET_SERVICE_NAME=$target_service
  1380. export TARGET_CHARM_NAME=$target_charm
  1381. export TARGET_CHARM_PATH=$(charm.get_dir "$target_charm")
  1382. export RELATION_DATA_FILE
  1383. target_errlvl=0
  1384. if [ -z "$target_script_name" ]; then
  1385. verb "No relation script $DARKBLUE$relation_name$NORMAL in target $DARKPINK$target_charm$NORMAL."
  1386. else
  1387. verb "Running ${DARKBLUE}$relation_name${NORMAL} relation-joined script" \
  1388. "for target $DARKYELLOW$target_service$NORMAL (charm $DARKPINK$target_charm$NORMAL)"
  1389. RELATION_CONFIG="$relation_dir/config_provider"
  1390. DOCKER_BASE_IMAGE=$(service_base_docker_image "$target_service") || return 1
  1391. export DOCKER_BASE_IMAGE RELATION_CONFIG RELATION_DATA
  1392. {
  1393. (
  1394. SERVICE_NAME=$target_service
  1395. SERVICE_DATASTORE="$DATASTORE/$target_service"
  1396. SERVICE_CONFIGSTORE="$CONFIGSTORE/$target_service"
  1397. export SERVICE_NAME DOCKER_BASE_IMAGE SERVICE_DATASTORE SERVICE_CONFIGSTORE
  1398. charm.run_relation_hook "$target_charm" "$relation_name" relation-joined
  1399. echo "$?" > "$relation_dir/target_errlvl"
  1400. ) | logstdout "$DARKYELLOW$target_service$NORMAL/$DARKBLUE$relation_name$NORMAL (joined) ${GREEN}@${NORMAL}"
  1401. } 3>&1 1>&2 2>&3 | logstderr "$DARKYELLOW$target_service$NORMAL/$DARKBLUE$relation_name$NORMAL (joined) ${RED}@${NORMAL}" 3>&1 1>&2 2>&3
  1402. target_errlvl="$(cat "$relation_dir/target_errlvl")" || {
  1403. err "Relation script '$script_name' in $DARKPINK$target_charm$NORMAL" \
  1404. "failed before outputing an errorlevel."
  1405. ((target_errlvl |= "1" ))
  1406. }
  1407. if [ -e "$RELATION_CONFIG" ]; then
  1408. debug "Merging some new config info in $DARKYELLOW$target_service$NORMAL"
  1409. _config_merge "$state_tmpdir/to-merge-in-docker-compose.yml" "$RELATION_CONFIG" &&
  1410. rm "$RELATION_CONFIG"
  1411. ((target_errlvl |= "$?"))
  1412. fi
  1413. fi
  1414. if [ "$target_errlvl" == 0 ]; then
  1415. errlvl=0
  1416. if [ "$base_script_name" ]; then
  1417. verb "Running ${DARKBLUE}$relation_name${NORMAL} relation-joined script" \
  1418. "for $DARKYELLOW$service$NORMAL (charm $DARKPINK$charm$NORMAL)"
  1419. RELATION_CONFIG="$relation_dir/config_providee"
  1420. RELATION_DATA="$(cat "$RELATION_DATA_FILE")"
  1421. DOCKER_BASE_IMAGE=$(service_base_docker_image "$service") || return 1
  1422. export DOCKER_BASE_IMAGE RELATION_CONFIG RELATION_DATA
  1423. {
  1424. (
  1425. SERVICE_NAME=$service
  1426. SERVICE_DATASTORE="$DATASTORE/$service"
  1427. SERVICE_CONFIGSTORE="$CONFIGSTORE/$service"
  1428. export SERVICE_NAME DOCKER_BASE_IMAGE SERVICE_DATASTORE SERVICE_CONFIGSTORE
  1429. charm.run_relation_hook "$charm" "$relation_name" relation-joined
  1430. echo "$?" > "$relation_dir/errlvl"
  1431. ) | logstdout "$DARKYELLOW$service$NORMAL/$DARKBLUE$relation_name$NORMAL (joined) ${GREEN}@${NORMAL}"
  1432. } 3>&1 1>&2 2>&3 | logstderr "$DARKYELLOW$service$NORMAL/$DARKBLUE$relation_name$NORMAL (joined) ${RED}@$NORMAL" 3>&1 1>&2 2>&3
  1433. errlvl="$(cat "$relation_dir/errlvl")" || {
  1434. err "Relation script '$script_name' in $DARKPINK$charm$NORMAL" \
  1435. "failed before outputing an errorlevel."
  1436. ((errlvl |= "1" ))
  1437. }
  1438. if [ -e "$RELATION_CONFIG" ]; then
  1439. _config_merge "$state_tmpdir/to-merge-in-docker-compose.yml" "$RELATION_CONFIG" &&
  1440. rm "$RELATION_CONFIG"
  1441. ((errlvl |= "$?" ))
  1442. fi
  1443. if [ "$errlvl" != 0 ]; then
  1444. err "Relation $DARKBLUE$relation_name$NORMAL on $DARKYELLOW$service$NORMAL failed to run properly."
  1445. fi
  1446. else
  1447. verb "No relation script '$script_name' in charm $DARKPINK$charm$NORMAL. Ignoring."
  1448. fi
  1449. else
  1450. err "Relation $DARKBLUE$relation_name$NORMAL on $DARKYELLOW$target_service$NORMAL failed to run properly."
  1451. fi
  1452. if [ "$target_errlvl" == 0 -a "$errlvl" == 0 ]; then
  1453. debug "Relation $DARKBLUE$relation_name$NORMAL is established" \
  1454. "between $DARKYELLOW$service$NORMAL and $DARKYELLOW$target_service$NORMAL."
  1455. return 0
  1456. else
  1457. return 1
  1458. fi
  1459. }
  1460. export -f _run_service_relation
  1461. _get_compose_relations_cached () {
  1462. local compose_service_def="$1" cache_file="$CACHEDIR/$FUNCNAME.cache.$(echo "$*" | md5_compat)" \
  1463. relation_name relation_def target_service
  1464. if [ -e "$cache_file" ]; then
  1465. #debug "$FUNCNAME: STATIC cache hit $1"
  1466. cat "$cache_file" &&
  1467. touch "$cache_file" || return 1
  1468. return 0
  1469. fi
  1470. (
  1471. set -o pipefail
  1472. if [ "$compose_service_def" ]; then
  1473. while read-0 relation_name relation_def; do
  1474. ## XXXvlab: could we use braces here instead of parenthesis ?
  1475. (
  1476. case "$(echo "$relation_def" | shyaml get-type 2>/dev/null)" in
  1477. "str")
  1478. target_service="$(echo "$relation_def" | shyaml get-value 2>/dev/null)" || return 1
  1479. tech_dep="$(get_service_relation_tech_dep "$target_service" "$relation_name")" || return 1
  1480. printf "%s\0" "$relation_name" "$target_service" "" "$tech_dep"
  1481. ;;
  1482. "sequence")
  1483. while read-0 target_service; do
  1484. tech_dep="$(get_service_relation_tech_dep "$target_service" "$relation_name")" || return 1
  1485. printf "%s\0" "$relation_name" "$target_service" "" "$tech_dep"
  1486. done < <(echo "$relation_def" | shyaml get-values-0 2>/dev/null)
  1487. ;;
  1488. "struct")
  1489. while read-0 target_service relation_config; do
  1490. tech_dep="$(get_service_relation_tech_dep "$target_service" "$relation_name")" || return 1
  1491. printf "%s\0" "$relation_name" "$target_service" "$relation_config" "$tech_dep"
  1492. done < <(echo "$relation_def" | shyaml key-values-0 2>/dev/null)
  1493. ;;
  1494. esac
  1495. ) </dev/null >> "$cache_file" || return 1
  1496. done < <(echo "$compose_service_def" | shyaml key-values-0 relations 2>/dev/null)
  1497. fi
  1498. )
  1499. if [ "$?" != 0 ]; then
  1500. err "Error while looking for compose relations."
  1501. rm -f "$cache_file" ## no cache
  1502. return 1
  1503. fi
  1504. [ -e "$cache_file" ] && cat "$cache_file"
  1505. return 0
  1506. }
  1507. export -f _get_compose_relations_cached
  1508. get_compose_relations () {
  1509. local service="$1" cache_file="$state_tmpdir/$FUNCNAME.cache.$1" \
  1510. compose_def
  1511. if [ -e "$cache_file" ]; then
  1512. #debug "$FUNCNAME: SESSION cache hit $1"
  1513. cat "$cache_file"
  1514. return 0
  1515. fi
  1516. compose_def="$(get_compose_service_def "$service")" || return 1
  1517. _get_compose_relations_cached "$compose_def" > "$cache_file"
  1518. if [ "$?" != 0 ]; then
  1519. rm -f "$cache_file" ## no cache
  1520. return 1
  1521. fi
  1522. cat "$cache_file"
  1523. }
  1524. export -f get_compose_relations
  1525. get_service_relations () {
  1526. local service="$1" cache_file="$state_tmpdir/$FUNCNAME.cache.$1" \
  1527. s rn ts rc td
  1528. if [ -e "$cache_file" ]; then
  1529. #debug "$FUNCNAME: SESSION cache hit $1"
  1530. cat "$cache_file"
  1531. return 0
  1532. fi
  1533. if [ -z "$ALL_RELATIONS" ]; then
  1534. err "Can't access global \$ALL_RELATIONS"
  1535. return 1
  1536. fi
  1537. while read-0 s rn ts rc td; do
  1538. [[ "$s" == "$service" ]] || continue
  1539. printf "%s\0" "$rn" "$ts" "$rc" "$td"
  1540. done < <(cat "$ALL_RELATIONS") > "$cache_file"
  1541. if [ "$?" != 0 ]; then
  1542. rm -f "$cache_file" ## no cache
  1543. return 1
  1544. fi
  1545. cat "$cache_file"
  1546. }
  1547. export -f get_service_relations
  1548. get_service_relation() {
  1549. local service="$1" relation="$2" cache_file="$state_tmpdir/$FUNCNAME.cache.$1" \
  1550. rn ts rc td
  1551. if [ -e "$cache_file" ]; then
  1552. #debug "$FUNCNAME: SESSION cache hit $1"
  1553. cat "$cache_file"
  1554. return 0
  1555. fi
  1556. while read-0 rn ts rc td; do
  1557. [ "$relation" == "$rn" ] && {
  1558. printf "%s\0" "$ts" "$rc" "$td"
  1559. break
  1560. }
  1561. done < <(get_service_relations "$service") > "$cache_file"
  1562. if [ "$?" != 0 ]; then
  1563. rm -f "$cache_file" ## no cache
  1564. return 1
  1565. fi
  1566. cat "$cache_file"
  1567. }
  1568. _get_charm_metadata_uses() {
  1569. local metadata="$1" cache_file="$CACHEDIR/$FUNCNAME.cache.$(printf "%s\0" "$@" | md5_compat)"
  1570. if [ -e "$cache_file" ]; then
  1571. #debug "$FUNCNAME: SESSION cache hit $1"
  1572. cat "$cache_file" || return 1
  1573. return 0
  1574. fi
  1575. printf "%s" "$metadata" | { shyaml key-values-0 uses 2>/dev/null || true; } | tee "$cache_file"
  1576. }
  1577. export -f _get_charm_metadata_uses
  1578. _get_service_metadata() {
  1579. local service="$1" cache_file="$state_tmpdir/$FUNCNAME.cache.$1" \
  1580. charm
  1581. if [ -e "$cache_file" ]; then
  1582. #debug "$FUNCNAME: SESSION cache hit $1"
  1583. cat "$cache_file"
  1584. return 0
  1585. fi
  1586. charm="$(get_service_charm "$service")" || return 1
  1587. charm.metadata "$charm" > "$cache_file"
  1588. if [ "$?" != 0 ]; then
  1589. rm -f "$cache_file" ## no cache
  1590. return 1
  1591. fi
  1592. cat "$cache_file"
  1593. }
  1594. export -f _get_service_metadata
  1595. _get_service_uses() {
  1596. local service="$1" cache_file="$state_tmpdir/$FUNCNAME.cache.$1" \
  1597. metadata
  1598. if [ -e "$cache_file" ]; then
  1599. #debug "$FUNCNAME: SESSION cache hit $1"
  1600. cat "$cache_file"
  1601. return 0
  1602. fi
  1603. metadata="$(_get_service_metadata "$service")" || return 1
  1604. _get_charm_metadata_uses "$metadata" > "$cache_file"
  1605. if [ "$?" != 0 ]; then
  1606. rm -f "$cache_file" ## no cache
  1607. return 1
  1608. fi
  1609. cat "$cache_file"
  1610. }
  1611. export -f _get_service_uses
  1612. _get_services_uses() {
  1613. local cache_file="$state_tmpdir/$FUNCNAME.cache.$(printf "%s\0" "$@" | md5_compat)" \
  1614. service rn rd
  1615. if [ -e "$cache_file" ]; then
  1616. #debug "$FUNCNAME: SESSION cache hit $1"
  1617. cat "$cache_file"
  1618. return 0
  1619. fi
  1620. for service in "$@"; do
  1621. _get_service_uses "$service" | while read-0 rn rd; do
  1622. printf "%s\0" "$service" "$rn" "$rd"
  1623. done
  1624. [ "${PIPESTATUS[0]}" == 0 ] || {
  1625. return 1
  1626. }
  1627. done > "${cache_file}.wip"
  1628. mv "${cache_file}"{.wip,} &&
  1629. cat "$cache_file" || return 1
  1630. }
  1631. export -f _get_services_uses
  1632. _get_services_provides() {
  1633. local cache_file="$state_tmpdir/$FUNCNAME.cache.$(printf "%s\0" "$@" | md5_compat)" \
  1634. service rn rd
  1635. if [ -e "$cache_file" ]; then
  1636. #debug "$FUNCNAME: SESSION cache hit $1"
  1637. cat "$cache_file"
  1638. return 0
  1639. fi
  1640. ## YYY: replace the inner loop by a cached function
  1641. for service in "$@"; do
  1642. metadata="$(_get_service_metadata "$service")" || return 1
  1643. while read-0 rn rd; do
  1644. printf "%s\0" "$service" "$rn" "$rd"
  1645. done < <(printf "%s" "$metadata" | shyaml key-values-0 provides 2>/dev/null)
  1646. done > "$cache_file"
  1647. if [ "$?" != 0 ]; then
  1648. rm -f "$cache_file" ## no cache
  1649. return 1
  1650. fi
  1651. cat "$cache_file"
  1652. }
  1653. export -f _get_services_provides
  1654. _get_services_providing() {
  1655. local cache_file="$state_tmpdir/$FUNCNAME.cache.$(printf "%s\0" "$@" | md5_compat)" \
  1656. relation="$1"
  1657. shift ## services is "$@"
  1658. if [ -e "$cache_file" ]; then
  1659. #debug "$FUNCNAME: SESSION cache hit $1"
  1660. cat "$cache_file"
  1661. return 0
  1662. fi
  1663. while read-0 service relation_name relation_def; do
  1664. [ "$relation_name" == "$relation" ] || continue
  1665. printf "%s\0" "$service" "$relation_def"
  1666. done < <(_get_services_provides "$@") > "$cache_file"
  1667. if [ "$?" != 0 ]; then
  1668. rm -f "$cache_file" ## no cache
  1669. return 1
  1670. fi
  1671. cat "$cache_file"
  1672. }
  1673. export -f _get_services_provides
  1674. get_all_relations () {
  1675. local cache_file="$state_tmpdir/$FUNCNAME.cache.$(printf "%s\0" "$@" | md5_compat)" \
  1676. services
  1677. if [ -e "${cache_file}" ]; then
  1678. #debug "$FUNCNAME: SESSION cache hit $1"
  1679. cat "${cache_file}"
  1680. return 0
  1681. fi
  1682. declare -A services
  1683. services_uses=()
  1684. ## XXXvlab: bwerk, leveraging cache to be able to get the errorlevel here.
  1685. _get_services_uses "$@" || return 1
  1686. array_read-0 services_uses < <(_get_services_uses "$@")
  1687. services_provides=()
  1688. ## XXXvlab: bwerk, leveraging cache to be able to get the errorlevel here.
  1689. _get_services_provides "$@" || return 1
  1690. array_read-0 services_provides < <(_get_services_provides "$@")
  1691. for service in "$@"; do
  1692. services[$service]=1
  1693. done
  1694. all_services=("$@")
  1695. while [ "${#all_services[@]}" != 0 ]; do
  1696. array_pop all_services service
  1697. while read-0 relation_name ts relation_config tech_dep; do
  1698. printf "%s\0" "$service" "$relation_name" "$ts" "$relation_config" "$tech_dep"
  1699. ## adding target services ?
  1700. [ "${services[$ts]}" ] && continue
  1701. array_read-0 services_uses < <(_get_services_uses "$ts")
  1702. all_services+=("$ts")
  1703. services[$ts]=1
  1704. done < <(get_compose_relations "$service")
  1705. done > "${cache_file}.wip"
  1706. while true; do
  1707. changed=
  1708. new_services_uses=()
  1709. summon=()
  1710. required=()
  1711. recommended=()
  1712. optional=()
  1713. while [ "${#services_uses[@]}" != 0 ]; do
  1714. service="${services_uses[0]}"
  1715. relation_name="${services_uses[1]}"
  1716. relation_def="${services_uses[2]}"
  1717. services_uses=("${services_uses[@]:3}")
  1718. default_options=$(printf "%s" "$relation_def" | shyaml -y get-value "default-options" 2>/dev/null)
  1719. ## is this "use" declaration satisfied ?
  1720. found=
  1721. while read-0 s rn ts rc td; do
  1722. if [ -z "$found" -a "$service" == "$s" -a "$relation_name" == "$rn" ]; then
  1723. if [ "$default_options" ]; then
  1724. rc=$(merge_yaml_str "$default_options" "$rc") || return 1
  1725. fi
  1726. found="$ts"
  1727. fi
  1728. printf "%s\0" "$s" "$rn" "$ts" "$rc" "$td"
  1729. done < "${cache_file}.wip" > "${cache_file}.wip.new"
  1730. mv "${cache_file}.wip.new" "${cache_file}.wip"
  1731. if [ "$found" ]; then ## this "use" declaration was satisfied
  1732. debug "${DARKYELLOW}$service${NORMAL} use declaration for relation " \
  1733. "${DARKBLUE}$relation_name${NORMAL} is satisfied with ${DARKYELLOW}$found${NORMAL}"
  1734. continue
  1735. fi
  1736. auto=$(echo "$relation_def" | shyaml get-value auto pair 2>/dev/null)
  1737. case "$auto" in
  1738. "pair")
  1739. service_list=()
  1740. array_read-0 service_list < <(array_keys_to_stdin services)
  1741. providers=()
  1742. array_read-0 providers providers_def < <(_get_services_providing "$relation_name" "${service_list[@]}")
  1743. if [ "${#providers[@]}" == 1 ]; then
  1744. ts="${providers[0]}"
  1745. rd_provider="${providers_def[0]}"
  1746. rc_provider=$(printf "%s" "$rd_provider" | shyaml -y get-value "default-options" 2>/dev/null)
  1747. ## YYYvlab: should be seen even in no debug mode no ?
  1748. debug "Auto-pairs ${DARKYELLOW}$service${NORMAL}" \
  1749. "--${DARKBLUE}$relation_name${NORMAL}--> ${DARKYELLOW}$ts${NORMAL}"
  1750. rc=$(printf "%s" "$relation_def" | shyaml -y get-value "default-options" 2>/dev/null)
  1751. td=$(echo "$rd_provider" | shyaml get-value 'tech-dep' 2>/dev/null)
  1752. td=${td:-True}
  1753. rc=$(merge_yaml_str "$rc_provider" "$rc") || return 1
  1754. printf "%s\0" "$service" "$relation_name" "$ts" "$rc" "$td" >> "${cache_file}.wip"
  1755. ## Adding service
  1756. [ "${services[$ts]}" ] && continue
  1757. array_read-0 new_services_uses < <(_get_services_uses "$ts")
  1758. services[$ts]=1
  1759. changed=1
  1760. continue
  1761. elif [ "${#providers[@]}" -gt 1 ]; then
  1762. msg=""
  1763. warn "No auto-pairing ${DARKYELLOW}$service${NORMAL}" \
  1764. "--${DARKBLUE}$relation_name${NORMAL}--> ($DARKYELLOW""${providers[@]}""$NORMAL)"\
  1765. "(> 1 provider)."
  1766. continue
  1767. else
  1768. : ## Do nothing
  1769. fi
  1770. ;;
  1771. "summon")
  1772. summon+=("$service" "$relation_name" "$relation_def")
  1773. ;;
  1774. ""|null|disable|disabled)
  1775. :
  1776. ;;
  1777. *)
  1778. err "Invalid ${WHITE}auto${NORMAL} value '$auto'."
  1779. return 1
  1780. ;;
  1781. esac
  1782. constraint=$(echo "$relation_def" | shyaml get-value constraint auto-pair 2>/dev/null)
  1783. case "$constraint" in
  1784. "required")
  1785. required+=("$service" "$relation_name" "$relation_def")
  1786. ;;
  1787. "recommended")
  1788. recommended+=("$service" "$relation_name" "$relation_def")
  1789. ;;
  1790. "optional")
  1791. optional+=("$service" "$relation_name" "$relation_def")
  1792. ;;
  1793. *)
  1794. err "Invalid ${WHITE}constraint${NORMAL} value '$contraint'."
  1795. return 1
  1796. ;;
  1797. esac
  1798. new_services_uses+=("$service" "$relation_name" "$relation_def") ## re-queue it
  1799. done
  1800. services_uses=("${new_services_uses[@]}")
  1801. if [ "$changed" ]; then
  1802. continue
  1803. fi
  1804. ## situation is stable
  1805. if [ "${#summon[@]}" != 0 ]; then
  1806. die "Summon code not implemented yet"
  1807. continue
  1808. fi
  1809. [ "$NO_CONSTRAINT_CHECK" ] && break
  1810. if [ "${#required[@]}" != 0 ]; then
  1811. echo "$(_display_solves required)" | sed -r "s/^/${RED}||${NORMAL} /g" >&2
  1812. err "Required relations not satisfied"
  1813. return 1
  1814. fi
  1815. if [ "${#recommended[@]}" != 0 ]; then
  1816. ## make recommendation
  1817. echo "$(_display_solves recommended)" | sed -r "s/^/${YELLOW}||${NORMAL} /g" >&2
  1818. fi
  1819. if [ "${#optional[@]}" != 0 ]; then
  1820. ## inform about options
  1821. echo "$(_display_solves optional)" | sed -r "s/^/${BLUE}||${NORMAL} /g" >&2
  1822. fi
  1823. # if [ "${#required[@]}" != 0 ]; then
  1824. # err "Required relations not satisfied"
  1825. # return 1
  1826. # fi
  1827. if [ "${#recommended[@]}" != 0 ]; then
  1828. warn "Recommended relations not satisfied"
  1829. fi
  1830. break
  1831. done
  1832. if [ "$?" != 0 ]; then
  1833. rm -f "${cache_file}"{,.wip,.wip.new} ## no cache
  1834. return 1
  1835. fi
  1836. export ALL_RELATIONS="$cache_file"
  1837. mv "${cache_file}"{.wip,}
  1838. cat "$cache_file"
  1839. }
  1840. export -f get_all_relations
  1841. _display_solves() {
  1842. local array_name="$1" by_relation msg
  1843. ## inform about options
  1844. msg=""
  1845. declare -A by_relation
  1846. while read-0 service relation_name relation_def; do
  1847. solves=$(printf "%s" "$relation_def" | shyaml -y get-value solves 2>/dev/null);
  1848. auto=$(printf "%s" "$relation_def" | shyaml get-value auto 2>/dev/null);
  1849. if [ -z "$solves" ]; then
  1850. continue
  1851. fi
  1852. by_relation[$relation_name]+=$(printf "\n %s" "${DARKYELLOW}$service$NORMAL for:")
  1853. if [ "$auto" == "pair" ]; then
  1854. requirement="add provider in cluster to auto-pair"
  1855. else
  1856. requirement="add explicit relation"
  1857. fi
  1858. while read-0 name def; do
  1859. by_relation[$relation_name]+=$(printf "\n - ${DARKCYAN}%-15s${NORMAL} %s (%s)" "$name" "$def" "$requirement")
  1860. done < <(printf "%s" "$solves" | shyaml key-values-0)
  1861. done < <(array_values_to_stdin "$array_name")
  1862. while read-0 relation_name message; do
  1863. msg+="$(printf "\n${DARKBLUE}%s$NORMAL provider is $array_name by%s" \
  1864. "$relation_name" "$message" )"
  1865. done < <(array_kv_to_stdin by_relation)
  1866. if [ "$msg" ]; then
  1867. printf "%s\n" "${msg:1}"
  1868. fi
  1869. }
  1870. get_compose_relation_def() {
  1871. local service="$1" relation="$2" relation_name target_service relation_config tech_dep
  1872. while read-0 relation_name target_service relation_config tech_dep; do
  1873. [ "$relation_name" == "$relation" ] || continue
  1874. printf "%s\0%s\0%s\0" "$target_service" "$relation_config" "$tech_dep"
  1875. done < <(get_compose_relations "$service") || return 1
  1876. }
  1877. export -f get_compose_relation_def
  1878. run_service_relations () {
  1879. local service services loaded subservices subservice
  1880. PROJECT_NAME=$(get_default_project_name) || return 1
  1881. export PROJECT_NAME
  1882. declare -A loaded
  1883. subservices=$(get_ordered_service_dependencies "$@") || return 1
  1884. for service in $subservices; do
  1885. # debug "Upping dep's relations of ${DARKYELLOW}$service${NORMAL}:"
  1886. for subservice in $(get_service_deps "$service") "$service"; do
  1887. [ "${loaded[$subservice]}" ] && continue
  1888. export BASE_SERVICE_NAME=$service
  1889. MASTER_BASE_SERVICE_NAME=$(get_top_master_service_for_service "$subservice") || return 1
  1890. MASTER_BASE_CHARM_NAME=$(get_service_charm "$MASTER_BASE_SERVICE_NAME") || return 1
  1891. RELATION_BASE_COMPOSE_DEF=$(get_compose_service_def "$subservice") || return 1
  1892. export RELATION_BASE_COMPOSE_DEF MASTER_BASE_{CHARM,SERVICE}_NAME
  1893. # debug " Relations of ${DARKYELLOW}$subservice${NORMAL}:"
  1894. while read-0 relation_name target_service relation_config tech_dep; do
  1895. export relation_config
  1896. export TARGET_SERVICE_NAME=$target_service
  1897. MASTER_TARGET_SERVICE_NAME=$(get_top_master_service_for_service "$target_service") || return 1
  1898. MASTER_TARGET_CHARM_NAME=$(get_service_charm "$MASTER_TARGET_SERVICE_NAME") || return 1
  1899. RELATION_TARGET_COMPOSE_DEF=$(get_compose_service_def "$target_service") || return 1
  1900. export RELATION_TARGET_COMPOSE_DEF MASTER_TARGET_{CHARM,SERVICE}_NAME
  1901. Wrap -d "Building $DARKYELLOW$subservice$NORMAL --$DARKBLUE$relation_name$NORMAL--> $DARKYELLOW$target_service$NORMAL" <<EOF || return 1
  1902. _run_service_relation "$relation_name" "$subservice" "$target_service" "\$relation_config"
  1903. EOF
  1904. done < <(get_service_relations "$subservice") || return 1
  1905. loaded[$subservice]=1
  1906. done
  1907. done
  1908. }
  1909. export -f run_service_relations
  1910. _run_service_action_direct() {
  1911. local service="$1" action="$2" charm _dummy
  1912. shift; shift
  1913. read-0 charm || true ## against 'set -e' that could be setup in parent scripts
  1914. if read-0 _dummy || [ "$_dummy" ]; then
  1915. print_syntax_error "$FUNCNAME: too many arguments in action descriptor"
  1916. return 1
  1917. fi
  1918. export action_errlvl_file="$state_tmpdir/action-$service-$charm-$action-errlvl"
  1919. export state_tmpdir
  1920. {
  1921. (
  1922. set +e ## Prevents unwanted leaks from parent shell
  1923. export COMPOSE_CONFIG=$(get_compose_yml_content)
  1924. export METADATA_CONFIG=$(charm.metadata "$charm")
  1925. export SERVICE_NAME=$service
  1926. export ACTION_NAME=$action
  1927. export CONTAINER_NAME=$(get_top_master_service_for_service "$service")
  1928. export DOCKER_BASE_IMAGE=$(service_base_docker_image "$CONTAINER_NAME")
  1929. export SERVICE_DATASTORE="$DATASTORE/$service"
  1930. export SERVICE_CONFIGSTORE="$CONFIGSTORE/$service"
  1931. exname="$exname $ACTION_NAME $SERVICE_NAME" \
  1932. stdbuf -oL -eL bash -c 'charm.run_direct_action "$@"' -- "$charm" "$action" "$@"
  1933. echo "$?" > "$action_errlvl_file"
  1934. ) | logstdout "$DARKYELLOW$service$NORMAL/${DARKCYAN}$action${NORMAL} ${GREEN}@${NORMAL}"
  1935. } 3>&1 1>&2 2>&3 | logstderr "$DARKYELLOW$service$NORMAL/${DARKCYAN}$action${NORMAL} ${RED}@$NORMAL" 3>&1 1>&2 2>&3
  1936. if ! [ -e "$action_errlvl_file" ]; then
  1937. err "Action $DARKYELLOW$service$NORMAL:$DARKCYAN$action$NORMAL has failed without having time" \
  1938. "to output an errlvl"
  1939. return 1
  1940. fi
  1941. return "$(cat "$action_errlvl_file")"
  1942. }
  1943. export -f _run_service_action_direct
  1944. _run_service_action_relation() {
  1945. local service="$1" action="$2" charm target_charm relation_name relation_config _dummy
  1946. shift; shift
  1947. read-0 charm target_service target_charm relation_name relation_config || true
  1948. if read-0 _dummy || [ "$_dummy" ]; then
  1949. print_syntax_error "$FUNCNAME: too many arguments in action descriptor"
  1950. return 1
  1951. fi
  1952. export RELATION_DATA_FILE=$(get_relation_data_file "$service" "$target_service" "$relation_name" "$relation_config")
  1953. export action_errlvl_file="$state_tmpdir/action-$service-$charm-$action-errlvl"
  1954. export state_tmpdir
  1955. {
  1956. (
  1957. set +e ## Prevents unwanted leaks from parent shell
  1958. export METADATA_CONFIG=$(charm.metadata "$charm")
  1959. export SERVICE_NAME=$service
  1960. export RELATION_TARGET_SERVICE="$target_service"
  1961. export RELATION_TARGET_CHARM="$target_charm"
  1962. export RELATION_BASE_SERVICE="$service"
  1963. export RELATION_BASE_CHARM="$charm"
  1964. export ACTION_NAME=$action
  1965. export CONTAINER_NAME=$(get_top_master_service_for_service "$service")
  1966. export DOCKER_BASE_IMAGE=$(service_base_docker_image "$CONTAINER_NAME")
  1967. export SERVICE_DATASTORE="$DATASTORE/$service"
  1968. export SERVICE_CONFIGSTORE="$CONFIGSTORE/$service"
  1969. exname="$exname $ACTION_NAME $SERVICE_NAME" \
  1970. stdbuf -oL -eL bash -c 'charm.run_relation_action "$@"' -- "$target_charm" "$relation_name" "$action" "$@"
  1971. echo "$?" > "$action_errlvl_file"
  1972. ) | logstdout "$DARKYELLOW$service$NORMAL/${DARKCYAN}$action${NORMAL} ${GREEN}@${NORMAL}"
  1973. } 3>&1 1>&2 2>&3 | logstderr "$DARKYELLOW$service$NORMAL/${DARKCYAN}$action${NORMAL} ${RED}@$NORMAL" 3>&1 1>&2 2>&3
  1974. if ! [ -e "$action_errlvl_file" ]; then
  1975. err "Action $DARKYELLOW$service$NORMAL:$DARKCYAN$action$NORMAL has failed without having time" \
  1976. "to output an errlvl"
  1977. return 1
  1978. fi
  1979. return "$(cat "$action_errlvl_file")"
  1980. }
  1981. export -f _run_service_action_relation
  1982. get_relation_data_dir() {
  1983. local service="$1" target_service="$2" relation_name="$3" \
  1984. cache_file="$state_tmpdir/$FUNCNAME.cache.$(printf "%s\0" "$@" | md5_compat)"
  1985. if [ -e "$cache_file" ]; then
  1986. # debug "$FUNCNAME: cache hit ($*)"
  1987. cat "$cache_file"
  1988. return 0
  1989. fi
  1990. project=$(get_default_project_name) || return 1
  1991. relation_dir="$VARDIR/relations/$project/${service}-${target_service}/$relation_name"
  1992. if ! [ -d "$relation_dir" ]; then
  1993. mkdir -p "$relation_dir" || return 1
  1994. chmod go-rwx "$relation_dir" || return 1 ## protecting this directory
  1995. fi
  1996. echo "$relation_dir" | tee "$cache_file"
  1997. }
  1998. export -f get_relation_data_dir
  1999. get_relation_data_file() {
  2000. local service="$1" target_service="$2" relation_name="$3" relation_config="$4"
  2001. relation_dir=$(get_relation_data_dir "$service" "$target_service" "$relation_name") || return 1
  2002. relation_data_file="$relation_dir/data"
  2003. new=
  2004. if [ -e "$relation_data_file" ]; then
  2005. ## Has reference changed ?
  2006. new_md5=$(echo "$relation_config" | md5_compat)
  2007. if [ "$new_md5" != "$(cat "$relation_data_file.md5_ref" 2>/dev/null)" ]; then
  2008. new=true
  2009. fi
  2010. else
  2011. new=true
  2012. fi
  2013. if [ "$new" ]; then
  2014. echo "$relation_config" > "$relation_data_file"
  2015. chmod go-rwx "$relation_data_file" ## protecting this file
  2016. echo "$relation_config" | md5_compat > "$relation_data_file.md5_ref"
  2017. fi
  2018. echo "$relation_data_file"
  2019. }
  2020. export -f get_relation_data_file
  2021. has_service_action () {
  2022. local service="$1" action="$2" cache_file="$state_tmpdir/$FUNCNAME.cache.$1" \
  2023. charm target_charm relation_name target_service relation_config _tech_dep
  2024. if [ -e "$cache_file" ]; then
  2025. # debug "$FUNCNAME: cache hit ($*)"
  2026. cat "$cache_file"
  2027. return 0
  2028. fi
  2029. charm=$(get_service_charm "$service") || return 1
  2030. ## Action directly provided ?
  2031. if charm.has_direct_action "$charm" "$action" >/dev/null; then
  2032. echo -en "direct\0$charm" | tee "$cache_file"
  2033. return 0
  2034. fi
  2035. ## Action provided by relation ?
  2036. while read-0 relation_name target_service relation_config _tech_dep; do
  2037. target_charm=$(get_service_charm "$target_service") || return 1
  2038. if charm.has_relation_action "$target_charm" "$relation_name" "$action" >/dev/null; then
  2039. echo -en "relation\0$charm\0$target_service\0$target_charm\0$relation_name\0$relation_config" | tee "$cache_file"
  2040. return 0
  2041. fi
  2042. done < <(get_service_relations "$service")
  2043. return 1
  2044. # master=$(get_top_master_service_for_service "$service")
  2045. # [ "$master" == "$charm" ] && return 1
  2046. # has_service_action "$master" "$action"
  2047. }
  2048. export -f has_service_action
  2049. run_service_action () {
  2050. local service="$1" action="$2"
  2051. shift ; shift
  2052. {
  2053. if ! read-0 action_type; then
  2054. info "Service $DARKYELLOW$service$NORMAL does not have any action $DARKCYAN$action$NORMAL defined."
  2055. info " Add an executable script to 'actions/$action' to implement action."
  2056. return 1
  2057. fi
  2058. Section "running $DARKYELLOW$service$NORMAL/$DARKCYAN$action$NORMAL ($action_type)"; Feed
  2059. "_run_service_action_${action_type}" "$service" "$action" "$@"
  2060. } < <(has_service_action "$service" "$action")
  2061. }
  2062. export -f run_service_action
  2063. get_compose_relation_config() {
  2064. local service=$1 relation_config cache_file="$state_tmpdir/$FUNCNAME.cache.$1"
  2065. if [ -e "$cache_file" ]; then
  2066. # debug "$FUNCNAME: cache hit ($*)"
  2067. cat "$cache_file"
  2068. return 0
  2069. fi
  2070. compose_service_def=$(get_compose_service_def "$service") || return 1
  2071. echo "$compose_service_def" | shyaml get-value "relations" 2>/dev/null | tee "$cache_file"
  2072. }
  2073. export -f get_compose_relation_config
  2074. # ## Return key-values-0
  2075. # get_compose_relation_config_for_service() {
  2076. # local service=$1 relation_name=$2 relation_config
  2077. # compose_service_relations=$(get_compose_relation_config "$service") || return 1
  2078. # if ! relation_config=$(
  2079. # echo "$compose_service_relations" |
  2080. # shyaml get-value "${relation_name}" 2>/dev/null); then
  2081. # err "Couldn't find $DARKYELLOW${service}$NORMAL/${WHITE}${relation_name}$NORMAL" \
  2082. # "relation config in compose configuration."
  2083. # return 1
  2084. # fi
  2085. # if [ -z "$relation_config" ]; then
  2086. # err "Relation ${WHITE}mysql-database$NORMAL is empty in compose configuration."
  2087. # return 1
  2088. # fi
  2089. # if ! echo "$relation_config" | shyaml key-values-0 2>/dev/null; then
  2090. # err "No key/values in ${DARKBLUE}mysql-database$NORMAL of compose config."
  2091. # return 1
  2092. # fi
  2093. # }
  2094. # export -f get_compose_relation_config_for_service
  2095. _get_container_relation() {
  2096. local metadata=$1 found relation_name relation_def
  2097. found=
  2098. while read-0 relation_name relation_def; do
  2099. [ "$(echo "$relation_def" | shyaml get-value "scope" 2>/dev/null)" == "container" ] && {
  2100. found="$relation_name"
  2101. break
  2102. }
  2103. done < <(_get_charm_metadata_uses "$metadata")
  2104. if [ -z "$found" ]; then
  2105. die "Charm $DARKPINK$charm$NORMAL is a subordinate but does not have any required relation declaration with" \
  2106. "${WHITE}scope${NORMAL} set to 'container'."
  2107. fi
  2108. printf "%s" "$found"
  2109. }
  2110. _get_master_service_for_service_cached () {
  2111. local service="$1" charm="$2" metadata="$3" cache_file="$CACHEDIR/$FUNCNAME.cache.$(echo "$*" | md5_compat)" \
  2112. charm requires master_charm target_charm target_service service_def found
  2113. if [ -e "$cache_file" ]; then
  2114. # debug "$FUNCNAME: STATIC cache hit ($1)"
  2115. cat "$cache_file" &&
  2116. touch "$cache_file" || return 1
  2117. return 0
  2118. fi
  2119. if [ "$(echo "$metadata" | shyaml get-value "subordinate" 2>/dev/null)" != "True" ]; then
  2120. ## just return service name
  2121. echo "$service" | tee "$cache_file"
  2122. return 0
  2123. fi
  2124. ## Action provided by relation ?
  2125. container_relation=$(_get_container_relation "$metadata")
  2126. read-0 target_service _ _ < <(get_service_relation "$service" "$container_relation")
  2127. if [ -z "$target_service" ]; then
  2128. err "Couldn't find ${WHITE}relations.${container_relation}${NORMAL} in" \
  2129. "${DARKYELLOW}$service$NORMAL compose definition."
  2130. err ${FUNCNAME[@]}
  2131. return 1
  2132. fi
  2133. echo "$target_service" | tee "$cache_file"
  2134. }
  2135. export -f _get_master_service_for_service_cached
  2136. get_master_service_for_service() {
  2137. local service="$1" cache_file="$state_tmpdir/$FUNCNAME.cache.$1" \
  2138. charm metadata result
  2139. if [ -e "$cache_file" ]; then
  2140. # debug "$FUNCNAME: SESSION cache hit ($*)"
  2141. cat "$cache_file" || return 1
  2142. return 0
  2143. fi
  2144. charm=$(get_service_charm "$service") || return 1
  2145. metadata=$(charm.metadata "$charm" 2>/dev/null) || {
  2146. metadata=""
  2147. warn "No charm $DARKPINK$charm$NORMAL found."
  2148. }
  2149. result=$(_get_master_service_for_service_cached "$service" "$charm" "$metadata") || return 1
  2150. echo "$result" | tee "$cache_file" || return 1
  2151. }
  2152. export -f get_master_service_for_service
  2153. get_top_master_service_for_service() {
  2154. local service="$1" cache_file="$state_tmpdir/$FUNCNAME.cache.$1" \
  2155. current_service
  2156. if [ -e "$cache_file" ]; then
  2157. # debug "$FUNCNAME: cache hit ($*)"
  2158. cat "$cache_file"
  2159. return 0
  2160. fi
  2161. current_service="$service"
  2162. while true; do
  2163. master_service=$(get_master_service_for_service "$current_service") || return 1
  2164. [ "$master_service" == "$current_service" ] && break
  2165. current_service="$master_service"
  2166. done
  2167. echo "$current_service" | tee "$cache_file"
  2168. return 0
  2169. }
  2170. export -f get_top_master_service_for_service
  2171. ##
  2172. ## The result is a mixin that is not always a complete valid
  2173. ## docker-compose entry (thinking of subordinates). The result
  2174. ## will be merge with master charms.
  2175. _get_docker_compose_mixin_from_metadata_cached() {
  2176. local service="$1" charm="$2" metadata="$3" has_build_dir="$4" cache_file="$CACHEDIR/$FUNCNAME.cache.$(echo "$*" | md5_compat)" \
  2177. metadata_file metadata volumes docker_compose subordinate image
  2178. if [ -e "$cache_file" ]; then
  2179. #debug "$FUNCNAME: STATIC cache hit $1"
  2180. cat "$cache_file" &&
  2181. touch "$cache_file" || return 1
  2182. return 0
  2183. fi
  2184. mixin=$(echo -en "labels:\n- compose.charm=$charm")
  2185. if [ "$metadata" ]; then
  2186. ## resources to volumes
  2187. volumes=$(
  2188. for resource_type in data config; do
  2189. while read-0 resource; do
  2190. eval "echo \" - \$${resource_type^^}STORE/\$service\$resource:\$resource:rw\""
  2191. done < <(echo "$metadata" | shyaml get-values-0 "${resource_type}-resources" 2>/dev/null)
  2192. done
  2193. while read-0 resource; do
  2194. if [[ "$resource" == /*:/*:* ]]; then
  2195. echo " - $resource"
  2196. elif [[ "$resource" == /*:/* ]]; then
  2197. echo " - $resource:rw"
  2198. elif [[ "$resource" == /*:* ]]; then
  2199. echo " - ${resource%%:*}:$resource"
  2200. elif [[ "$resource" =~ ^/[^:]+$ ]]; then
  2201. echo " - $resource:$resource:rw"
  2202. else
  2203. die "Invalid host-resource specified in 'metadata.yml'."
  2204. fi
  2205. done < <(echo "$metadata" | shyaml get-values-0 "host-resources" 2>/dev/null)
  2206. while read-0 resource; do
  2207. dest="$(charm.get_dir "$charm")/resources$resource"
  2208. if ! [ -e "$dest" ]; then
  2209. die "charm-resource: '$resource' does not exist (file: '$dest')."
  2210. fi
  2211. echo " - $dest:$resource:ro"
  2212. done < <(echo "$metadata" | shyaml get-values-0 "charm-resources" 2>/dev/null)
  2213. ) || return 1
  2214. if [ "$volumes" ]; then
  2215. mixin=$(merge_yaml_str "$mixin" "$(echo -en "volumes:\n$volumes")") || {
  2216. err "Failed to merge mixin with ${WHITE}docker-compose${NORMAL} option" \
  2217. "from charm ${DARKPINK}$charm$NORMAL."
  2218. return 1
  2219. }
  2220. fi
  2221. docker_compose=$(echo "$metadata" | shyaml get-value -y "docker-compose" 2>/dev/null)
  2222. if [ "$docker_compose" ]; then
  2223. mixin=$(merge_yaml_str "$mixin" "$docker_compose") || {
  2224. err "Failed to merge mixin with ${WHITE}docker-compose${NORMAL} option" \
  2225. "from charm ${DARKPINK}$charm$NORMAL."
  2226. return 1
  2227. }
  2228. fi
  2229. if [ "$(echo "$metadata" | shyaml get-value "subordinate" 2>/dev/null)" == "True" ]; then
  2230. subordinate=true
  2231. fi
  2232. fi
  2233. image=$(echo "$metadata" | shyaml get-value "docker-image" 2>/dev/null)
  2234. [ "$image" == "None" ] && image=""
  2235. image_or_build_statement=
  2236. if [ "$image" ]; then
  2237. if [ "$subordinate" ]; then
  2238. err "Subordinate charm can not have a ${WHITE}docker-image${NORMAL} value."
  2239. return 1
  2240. fi
  2241. image_or_build_statement="image: $image"
  2242. elif [ "$has_build_dir" ]; then
  2243. if [ "$subordinate" ]; then
  2244. err "Subordinate charm can not have a 'build' sub directory."
  2245. return 1
  2246. fi
  2247. image_or_build_statement="build: $(charm.get_dir "$charm")/build"
  2248. fi
  2249. if [ "$image_or_build_statement" ]; then
  2250. mixin=$(merge_yaml_str "$mixin" "$image_or_build_statement") || {
  2251. err "Failed to merge yaml with image or build YAML statement."
  2252. return 1
  2253. }
  2254. fi
  2255. echo "$mixin" | tee "$cache_file"
  2256. }
  2257. export -f _get_docker_compose_mixin_from_metadata_cached
  2258. get_docker_compose_mixin_from_metadata() {
  2259. local service="$1" cache_file="$state_tmpdir/$FUNCNAME.cache.$1"
  2260. if [ -e "$cache_file" ]; then
  2261. #debug "$FUNCNAME: SESSION cache hit ($*)"
  2262. cat "$cache_file"
  2263. return 0
  2264. fi
  2265. charm=$(get_service_charm "$service") || return 1
  2266. metadata="$(charm.metadata "$charm" 2>/dev/null)" || return 1
  2267. has_build_dir=
  2268. [ -d "$(charm.get_dir "$charm")/build" ] && has_build_dir=true
  2269. mixin=$(_get_docker_compose_mixin_from_metadata_cached "$service" "$charm" "$metadata" "$has_build_dir") || return 1
  2270. echo "$mixin" | tee "$cache_file"
  2271. }
  2272. export -f get_docker_compose_mixin_from_metadata
  2273. _save() {
  2274. local name="$1"
  2275. cat - | tee -a "$docker_compose_dir/.data/$name"
  2276. }
  2277. export -f _save
  2278. get_default_project_name() {
  2279. if [ "$DEFAULT_PROJECT_NAME" ]; then
  2280. echo "$DEFAULT_PROJECT_NAME"
  2281. return 0
  2282. fi
  2283. compose_yml_location="$(get_compose_yml_location)" || return 1
  2284. if [ "$compose_yml_location" ]; then
  2285. if normalized_path=$(readlink -f "$compose_yml_location"); then
  2286. echo "$(basename "$(dirname "$normalized_path")")"
  2287. return 0
  2288. fi
  2289. fi
  2290. echo "orphan"
  2291. return 0
  2292. }
  2293. export -f get_default_project_name
  2294. get_running_compose_containers() {
  2295. ## XXXvlab: docker bug: there will be a final newline anyway
  2296. docker ps --filter label="compose.service" --format='{{.ID}}'
  2297. }
  2298. export -f get_running_compose_containers
  2299. get_volumes_for_container() {
  2300. local container="$1"
  2301. docker inspect \
  2302. --format '{{range $mount := .Mounts}}{{$mount.Source}}{{"\x00"}}{{$mount.Destination}}{{"\x00"}}{{end}}' \
  2303. "$container"
  2304. }
  2305. export -f get_volumes_for_container
  2306. is_volume_used() {
  2307. local volume="$1" container_id src dst
  2308. while read container_id; do
  2309. while read-0 src dst; do
  2310. [[ "$src" == "$volume"/* ]] && return 0
  2311. done < <(get_volumes_for_container "$container_id")
  2312. done < <(get_running_compose_containers)
  2313. return 1
  2314. }
  2315. export -f is_volume_used
  2316. clean_unused_docker_compose() {
  2317. for f in /var/lib/compose/docker-compose/*; do
  2318. [ -e "$f" ] || continue
  2319. is_volume_used "$f" && continue
  2320. debug "Cleaning unused docker-compose ${f##*/}"
  2321. rm -rf "$f" || return 1
  2322. done
  2323. }
  2324. export -f clean_unused_docker_compose
  2325. stdin_get_hash() {
  2326. local sha
  2327. sha=$(sha256sum) || return 1
  2328. sha=${sha:0:64}
  2329. echo "$sha"
  2330. }
  2331. export -f stdin_get_hash
  2332. file_get_hash() {
  2333. stdin_get_hash < "$1" || return 1
  2334. }
  2335. export -f file_get_hash
  2336. docker_compose_store() {
  2337. local file="$1" sha
  2338. sha=$(file_get_hash "$file") || return 1
  2339. project=$(get_default_project_name) || return 1
  2340. dst="/var/lib/compose/docker-compose/$sha/$project"
  2341. mkdir -p "$dst" || return 1
  2342. cat <<EOF > "$dst/.env" || return 1
  2343. DOCKER_COMPOSE_PATH=$dst
  2344. EOF
  2345. cp "$file" "$dst/docker-compose.yml" || return 1
  2346. mkdir -p "$dst/bin" || return 1
  2347. cat <<EOF > "$dst/bin/dc" || return 1
  2348. #!/bin/bash
  2349. $(declare -f read-0)
  2350. docker_run_opts=()
  2351. while read-0 opt; do
  2352. docker_run_opts+=("\$opt")
  2353. done < <(cat "$COMPOSE_LAUNCHER_OPTS")
  2354. docker_run_opts+=(
  2355. "-w" "$dst"
  2356. "--entrypoint" "/usr/local/bin/docker-compose"
  2357. )
  2358. [ -t 1 ] && {
  2359. docker_run_opts+=("-ti")
  2360. }
  2361. exec docker run --rm "\${docker_run_opts[@]}" "${COMPOSE_DOCKER_IMAGE:-docker.0k.io/compose}" "\$@"
  2362. EOF
  2363. chmod +x "$dst/bin/dc" || return 1
  2364. printf "%s" "$sha"
  2365. }
  2366. launch_docker_compose() {
  2367. local charm docker_compose_tmpdir docker_compose_dir
  2368. docker_compose_tmpdir=$(mktemp -d -t tmp.XXXXXXXXXX)
  2369. #debug "Creating temporary docker-compose directory in '$docker_compose_tmpdir'."
  2370. trap_add EXIT "rm -rf \"$docker_compose_tmpdir\""
  2371. ## docker-compose will name network from the parent dir name
  2372. project=$(get_default_project_name)
  2373. mkdir -p "$docker_compose_tmpdir/$project"
  2374. docker_compose_dir="$docker_compose_tmpdir/$project"
  2375. get_docker_compose $SERVICE_PACK > "$docker_compose_dir/docker-compose.yml" || return 1
  2376. if [ -e "$state_tmpdir/to-merge-in-docker-compose.yml" ]; then
  2377. # debug "Merging some config data in docker-compose.yml:"
  2378. # debug "$(cat $state_tmpdir/to-merge-in-docker-compose.yml)"
  2379. _config_merge "$docker_compose_dir/docker-compose.yml" "$state_tmpdir/to-merge-in-docker-compose.yml" || return 1
  2380. fi
  2381. if [ -z "$(echo $(cat "$docker_compose_dir/docker-compose.yml"))" ]; then
  2382. die "Generated 'docker-compose.yml' is unexpectedly empty."
  2383. fi
  2384. ## XXXvlab: could be more specific and only link the needed charms
  2385. ## XXXvlab: why do we need these links ? If this is for the build command, then it is not useful anymore.
  2386. # for charm in $(shyaml keys services < "$docker_compose_dir/docker-compose.yml"); do
  2387. # if charm.exists "$charm"; then
  2388. # ln -sf "$(charm.get_dir "$charm")" "$docker_compose_dir/$charm" || exit 1
  2389. # fi
  2390. # done
  2391. mkdir "$docker_compose_dir/.data"
  2392. if [ -z "$COMPOSE_DISABLE_DOCKER_COMPOSE_STORE" ]; then
  2393. sha=$(docker_compose_store "$docker_compose_dir/docker-compose.yml") || return 1
  2394. fi
  2395. {
  2396. {
  2397. if [ -z "$COMPOSE_DISABLE_DOCKER_COMPOSE_STORE" ]; then
  2398. cd "/var/lib/compose/docker-compose/$sha/$project"
  2399. else
  2400. cd "$docker_compose_dir"
  2401. fi
  2402. if [ -f ".env" ]; then
  2403. debug "${WHITE}.env$NORMAL for $DARKYELLOW$SERVICE_PACK$NORMAL:"
  2404. debug "$(cat ".env" | prefix " $GRAY|$NORMAL ")"
  2405. fi
  2406. debug "${WHITE}docker-compose.yml$NORMAL for $DARKYELLOW$SERVICE_PACK$NORMAL:"
  2407. debug "$(cat "docker-compose.yml" | prefix " $GRAY|$NORMAL ")"
  2408. debug "${WHITE}Launching$NORMAL: docker-compose $@"
  2409. if [ "$DRY_COMPOSE_RUN" ]; then
  2410. echo docker-compose "$@"
  2411. else
  2412. docker-compose "$@"
  2413. fi
  2414. echo "$?" > "$docker_compose_dir/.data/errlvl"
  2415. } | _save stdout
  2416. } 3>&1 1>&2 2>&3 | _save stderr 3>&1 1>&2 2>&3
  2417. 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
  2418. err "Detected bug https://github.com/docker/docker/issues/4036 ... "
  2419. err "Please re-launch your command, or switch from 'devicemapper' driver to 'overlayfs' or 'aufs'."
  2420. fi
  2421. docker_compose_errlvl="$(cat "$docker_compose_dir/.data/errlvl" 2>/dev/null)"
  2422. if [ -z "$docker_compose_errlvl" ]; then
  2423. err "Something went wrong before you could gather docker-compose errorlevel."
  2424. return 1
  2425. fi
  2426. return "$docker_compose_errlvl"
  2427. }
  2428. export -f launch_docker_compose
  2429. get_compose_yml_location() {
  2430. if ! [ -z ${COMPOSE_YML_FILE+x} ]; then ## if set, even if empty
  2431. echo "$COMPOSE_YML_FILE"
  2432. return 0
  2433. fi
  2434. parent=$(while ! [ -f "./compose.yml" ]; do
  2435. [ "$PWD" == "/" ] && exit 0
  2436. cd ..
  2437. done; echo "$PWD"
  2438. )
  2439. if [ "$parent" ]; then
  2440. echo "$parent/compose.yml"
  2441. return 0
  2442. fi
  2443. ## XXXvlab: do we need this additional environment variable,
  2444. ## COMPOSE_YML_FILE is not sufficient ?
  2445. if [ "$DEFAULT_COMPOSE_FILE" ]; then
  2446. if ! [ -e "$DEFAULT_COMPOSE_FILE" ]; then
  2447. warn "No 'compose.yml' was found in current or parent dirs," \
  2448. "and \$DEFAULT_COMPOSE_FILE points to an unexistent file." \
  2449. "(${DEFAULT_COMPOSE_FILE})"
  2450. return 0
  2451. fi
  2452. echo "$DEFAULT_COMPOSE_FILE"
  2453. return 0
  2454. fi
  2455. warn "No 'compose.yml' was found in current or parent dirs, and no \$DEFAULT_COMPOSE_FILE was set."
  2456. return 0
  2457. }
  2458. export -f get_compose_yml_location
  2459. get_compose_yml_content() {
  2460. local cache_file="$state_tmpdir/$FUNCNAME.cache"
  2461. if [ -e "$cache_file" ]; then
  2462. cat "$cache_file" &&
  2463. touch "$cache_file" || return 1
  2464. return 0
  2465. fi
  2466. if [ -z "$COMPOSE_YML_FILE" ]; then
  2467. COMPOSE_YML_FILE=$(get_compose_yml_location) || exit 1
  2468. fi
  2469. if [ -e "$COMPOSE_YML_FILE" ]; then
  2470. debug "Found $WHITE$exname$NORMAL YAML file in '$COMPOSE_YML_FILE'."
  2471. COMPOSE_YML_CONTENT=$(cat "$COMPOSE_YML_FILE") || {
  2472. err "Could not read '$COMPOSE_YML_FILE'."
  2473. return 1
  2474. }
  2475. else
  2476. debug "No compose file found. Using an empty one."
  2477. COMPOSE_YML_CONTENT=""
  2478. fi
  2479. COMPOSE_YML_CONTENT=$(merge_yaml_str "$COMPOSE_YML_CONTENT" "${compose_contents[@]}") || return 1
  2480. output=$(echo "$COMPOSE_YML_CONTENT"| shyaml get-value 2>&1)
  2481. if [ "$?" != 0 ]; then
  2482. outputed_something=
  2483. while IFS='' read -r line1 && IFS='' read -r line2; do
  2484. [ "$outputed_something" ] || err "Invalid YAML in '$COMPOSE_YML_FILE':"
  2485. outputed_something=true
  2486. echo "$line1 $GRAY($line2)$NORMAL"
  2487. done < <(echo "$output" | grep ^yaml.scanner -A 100 |
  2488. sed -r 's/^ in "<stdin>", //g' | sed -r 's/^yaml.scanner.[a-zA-Z]+: //g') |
  2489. prefix " $GRAY|$NORMAL "
  2490. [ "$outputed_something" ] || {
  2491. err "Unexpected error while running 'shyaml get-value' on '$COMPOSE_YML_FILE':"
  2492. echo "$output" | prefix " $GRAY|$NORMAL "
  2493. }
  2494. return 1
  2495. fi
  2496. echo "$COMPOSE_YML_CONTENT" | tee "$cache_file" || return 1
  2497. }
  2498. export -f get_compose_yml_content
  2499. get_default_target_services() {
  2500. local services=("$@")
  2501. if [ -z "${services[*]}" ]; then
  2502. if [ "$DEFAULT_SERVICES" ]; then
  2503. debug "No service provided, using $WHITE\$DEFAULT_SERVICES$NORMAL variable." \
  2504. "Target services: $DARKYELLOW$DEFAULT_SERVICES$NORMAL"
  2505. services="$DEFAULT_SERVICES"
  2506. else
  2507. err "No service provided."
  2508. return 1
  2509. fi
  2510. fi
  2511. echo "${services[*]}"
  2512. }
  2513. export -f get_default_target_services
  2514. get_master_services() {
  2515. local loaded master_service service
  2516. declare -A loaded
  2517. for service in "$@"; do
  2518. master_service=$(get_top_master_service_for_service "$service") || return 1
  2519. if [ "${loaded[$master_service]}" ]; then
  2520. continue
  2521. fi
  2522. echo "$master_service"
  2523. loaded["$master_service"]=1
  2524. done | xargs printf "%s "
  2525. return "${PIPESTATUS[0]}"
  2526. }
  2527. export -f get_master_services
  2528. get_current_docker_container_id() {
  2529. local line
  2530. line=$(cat "/proc/self/cpuset") || return 1
  2531. [[ "$line" == *docker* ]] || return 1
  2532. echo "${line##*/}"
  2533. }
  2534. export -f get_current_docker_container_id
  2535. ## if we are in a docker compose, we might want to know what is the
  2536. ## real host path of some local paths.
  2537. get_host_path() {
  2538. local path="$1"
  2539. path=$(realpath "$path") || return 1
  2540. container_id=$(get_current_docker_container_id) || {
  2541. print "%s" "$path"
  2542. return 0
  2543. }
  2544. biggest_dst=
  2545. current_src=
  2546. while read-0 src dst; do
  2547. [[ "$path" == "$dst"* ]] || continue
  2548. if [[ "${#biggest_dst}" < "${#dst}" ]]; then
  2549. biggest_dst="$dst"
  2550. current_src="$src"
  2551. fi
  2552. done < <(get_volumes_for_container "$container_id")
  2553. if [ "$current_src" ]; then
  2554. printf "%s" "$current_src"
  2555. else
  2556. return 1
  2557. fi
  2558. }
  2559. export -f get_host_path
  2560. _setup_state_dir() {
  2561. export state_tmpdir=$(mktemp -d -t tmp.XXXXXXXXXX)
  2562. #debug "Creating temporary state directory in '$state_tmpdir'."
  2563. # trap_add EXIT "debug \"Removing temporary state directory in $state_tmpdir.\";\
  2564. # rm -rf \"$state_tmpdir\""
  2565. trap_add EXIT "rm -rf \"$state_tmpdir\""
  2566. }
  2567. get_docker_compose_help_msg() {
  2568. local action="$1" cache_file="$CACHEDIR/$FUNCNAME.cache.$(echo "$1"; cat "$(which docker-compose)" | md5_compat)" \
  2569. docker_compose_help_msg
  2570. if [ -e "$cache_file" ]; then
  2571. cat "$cache_file" &&
  2572. touch "$cache_file" || return 1
  2573. return 0
  2574. fi
  2575. docker_compose_help_msg=$(docker-compose $action --help 2>/dev/null) || return 1
  2576. echo "$docker_compose_help_msg" |
  2577. tee "$cache_file" || return 1
  2578. }
  2579. get_docker_compose_usage() {
  2580. local action="$1" cache_file="$CACHEDIR/$FUNCNAME.cache.$(echo "$1"; cat "$(which docker-compose)" | md5_compat)" \
  2581. docker_compose_help_msg
  2582. if [ -e "$cache_file" ]; then
  2583. cat "$cache_file" &&
  2584. touch "$cache_file" || return 1
  2585. return 0
  2586. fi
  2587. docker_compose_help_msg=$(get_docker_compose_help_msg $action) || return 1
  2588. echo "$docker_compose_help_msg" |
  2589. grep -m 1 "^Usage:" -A 10000 |
  2590. egrep -m 1 "^\$" -B 10000 |
  2591. xargs printf "%s " |
  2592. sed -r 's/^Usage: //g' |
  2593. tee "$cache_file" || return 1
  2594. }
  2595. get_docker_compose_opts_help() {
  2596. local action="$1" cache_file="$CACHEDIR/$FUNCNAME.cache.$(echo "$1"; cat "$(which docker-compose)" | md5_compat)" \
  2597. docker_compose_help_msg
  2598. if [ -e "$cache_file" ]; then
  2599. cat "$cache_file" &&
  2600. touch "$cache_file" || return 1
  2601. return 0
  2602. fi
  2603. docker_compose_opts_help=$(get_docker_compose_help_msg $action) || return 1
  2604. echo "$docker_compose_opts_help" |
  2605. grep '^Options:' -A 20000 |
  2606. tail -n +2 |
  2607. { cat ; echo; } |
  2608. egrep -m 1 "^\S*\$" -B 10000 |
  2609. head -n -1 |
  2610. tee "$cache_file" || return 1
  2611. }
  2612. get_docker_compose_commands_help() {
  2613. local action="$1" cache_file="$CACHEDIR/$FUNCNAME.cache.$(echo "$1"; cat "$(which docker-compose)" | md5_compat)" \
  2614. docker_compose_help_msg
  2615. if [ -e "$cache_file" ]; then
  2616. cat "$cache_file" &&
  2617. touch "$cache_file" || return 1
  2618. return 0
  2619. fi
  2620. docker_compose_opts_help=$(get_docker_compose_help_msg $action) || return 1
  2621. echo "$docker_compose_opts_help" |
  2622. grep '^Commands:' -A 20000 |
  2623. tail -n +2 |
  2624. { cat ; echo; } |
  2625. egrep -m 1 "^\S*\$" -B 10000 |
  2626. head -n -1 |
  2627. tee "$cache_file" || return 1
  2628. }
  2629. get_docker_compose_opts_list() {
  2630. local action="$1" cache_file="$CACHEDIR/$FUNCNAME.cache.$(echo "$1"; cat "$(which docker-compose)" | md5_compat)" \
  2631. docker_compose_help_msg
  2632. if [ -e "$cache_file" ]; then
  2633. cat "$cache_file" &&
  2634. touch "$cache_file" || return 1
  2635. return 0
  2636. fi
  2637. docker_compose_opts_help=$(get_docker_compose_opts_help $action) || return 1
  2638. echo "$docker_compose_opts_help" |
  2639. egrep "^\s+-" |
  2640. sed -r 's/\s+((((-[a-zA-Z]|--[a-zA-Z0-9-]+)( [A-Z=]+|=[^ ]+)?)(, )?)+)\s+.*$/\1/g' |
  2641. tee "$cache_file" || return 1
  2642. }
  2643. options_parser() {
  2644. sed -r 's/^(\s+(((-[a-zA-Z]|--[a-zA-Z0-9-]+)([ =]([a-zA-Z_=\"\[]|\])+)?(, | )?)+)\s+)[^ ].*$/\x0\2\x0\0/g'
  2645. printf "\0"
  2646. }
  2647. remove_options_in_option_help_msg() {
  2648. {
  2649. read-0 null
  2650. if [ "$null" ]; then
  2651. err "options parsing error, should start with an option line."
  2652. return 1
  2653. fi
  2654. while read-0 opt full_txt;do
  2655. multi_opts="$(printf "%s " $opt | multi_opts_filter)"
  2656. single_opts="$(printf "%s " $opt | single_opts_filter)"
  2657. for to_remove in "$@"; do
  2658. str_matches "$to_remove" $multi_opts $single_opts && {
  2659. continue 2
  2660. }
  2661. done
  2662. echo -n "$full_txt"
  2663. done
  2664. } < <(options_parser)
  2665. }
  2666. _MULTIOPTION_REGEX='^((-[a-zA-Z]|--[a-zA-Z0-9-]+)(, )?)+'
  2667. _MULTIOPTION_REGEX_LINE_FILTER=$_MULTIOPTION_REGEX'(\s|=)'
  2668. multi_opts_filter() {
  2669. egrep "$_MULTIOPTION_REGEX_LINE_FILTER" |
  2670. sed -r "s/^($_MULTIOPTION_REGEX)(\s|=).*$/\1/g" |
  2671. tr ',' "\n" | xargs printf "%s "
  2672. }
  2673. single_opts_filter() {
  2674. egrep -v "$_MULTIOPTION_REGEX_LINE_FILTER" |
  2675. tr ',' "\n" | xargs printf "%s "
  2676. }
  2677. get_docker_compose_multi_opts_list() {
  2678. local action="$1" opts_list
  2679. opts_list=$(get_docker_compose_opts_list "$action") || return 1
  2680. echo "$opts_list" | multi_opts_filter
  2681. }
  2682. get_docker_compose_single_opts_list() {
  2683. local action="$1" opts_list
  2684. opts_list=$(get_docker_compose_opts_list "$action") || return 1
  2685. echo "$opts_list" | single_opts_filter
  2686. }
  2687. display_commands_help() {
  2688. local charm_actions
  2689. echo
  2690. echo "${WHITE}Commands${NORMAL} (thanks to docker-compose):"
  2691. get_docker_compose_commands_help | sed -r "s/ ([a-z]+)(\s+)/ ${DARKCYAN}\1${NORMAL}\2/g"
  2692. charm_actions_help=$(get_docker_charm_action_help) || return 1
  2693. if [ "$charm_actions_help" ]; then
  2694. echo
  2695. echo "${WHITE}Charm actions${NORMAL}:"
  2696. printf "%s\n" "$charm_actions_help" | \
  2697. sed -r "s/^ ([a-z0-9-]+)(\s+)([a-z0-9-]+)(\s+)/ ${DARKCYAN}\1${NORMAL}\2${DARKYELLOW}\3${NORMAL}\4/g"
  2698. fi
  2699. }
  2700. get_docker_charm_action_help() {
  2701. local services service charm relation_name target_service relation_config \
  2702. target_charm
  2703. services=($(get_compose_yml_content | shyaml keys 2>/dev/null))
  2704. for service in "${services[@]}"; do
  2705. out=$(
  2706. charm=$(get_service_charm "$service") || return 1
  2707. for action in $(charm.ls_direct_actions "$charm"); do
  2708. printf " %-28s %s\n" "$action $service" "Direct action from ${DARKPINK}$charm${NORMAL}"
  2709. done
  2710. while read-0 relation_name target_service _relation_config _tech_dep; do
  2711. target_charm=$(get_service_charm "$target_service") || return 1
  2712. for action in $(charm.ls_relation_actions "$target_charm" "$relation_name"); do
  2713. printf " %-28s %s\n" "$action $service" "Indirect action from ${DARKPINK}$target_charm${NORMAL}"
  2714. done
  2715. done < <(get_compose_relations "$service")
  2716. )
  2717. if [ "$out" ]; then
  2718. echo " for ${DARKYELLOW}$service${NORMAL}:"
  2719. printf "%s\n" "$out"
  2720. fi
  2721. done
  2722. }
  2723. display_help() {
  2724. print_help
  2725. echo "${WHITE}Options${NORMAL}:"
  2726. echo " -h, --help Print this message and quit"
  2727. echo " (ignoring any other options)"
  2728. echo " -V, --version Print current version and quit"
  2729. echo " (ignoring any other options)"
  2730. echo " --dirs Display data dirs and quit"
  2731. echo " (ignoring any other options)"
  2732. echo " -v, --verbose Be more verbose"
  2733. echo " -d, --debug Print full debugging information (sets also verbose)"
  2734. echo " --dry-compose-run If docker-compose will be run, only print out what"
  2735. echo " command line will be used."
  2736. echo " --rebuild-relations-to-service, -R SERVICE"
  2737. echo " Will rebuild all relations to given service"
  2738. echo " --add-compose-content, -Y YAML"
  2739. echo " Will merge some direct YAML with the current compose"
  2740. get_docker_compose_opts_help | remove_options_in_option_help_msg --version --help --verbose |
  2741. filter_docker_compose_help_message
  2742. display_commands_help
  2743. }
  2744. _graph_service() {
  2745. local service="$1" base="$1"
  2746. charm=$(get_service_charm "$service") || return 1
  2747. metadata=$(charm.metadata "$charm") || return 1
  2748. subordinate=$(echo "$metadata" | shyaml get-value "subordinate" 2>/dev/null)
  2749. if [ "$subordinate" == "True" ]; then
  2750. requires="$(echo "$metadata" | shyaml get-value "requires" 2>/dev/null)"
  2751. master_charm=
  2752. while read-0 relation_name relation; do
  2753. [ "$(echo "$relation" | shyaml get-value "scope" 2>/dev/null)" == "container" ] || continue
  2754. interface="$(echo "$relation" | shyaml get-value "interface" 2>/dev/null)"
  2755. if [ -z "$interface" ]; then
  2756. err "No ${WHITE}$interface${NORMAL} set for relation $relation_name."
  2757. return 1
  2758. fi
  2759. ## Action provided by relation ?
  2760. target_service=
  2761. while read-0 relation_name candidate_target_service _relation_config _tech_dep; do
  2762. [ "$interface" == "$relation_name" ] && {
  2763. target_service="$candidate_target_service"
  2764. break
  2765. }
  2766. done < <(get_service_relations "$service")
  2767. if [ -z "$target_service" ]; then
  2768. err "Couldn't find ${WHITE}relations.$interface${NORMAL} in" \
  2769. "${DARKYELLOW}$service$NORMAL compose definition."
  2770. return 1
  2771. fi
  2772. master_service="$target_service"
  2773. master_charm=$(get_service_charm "$target_service") || return 1
  2774. break
  2775. done < <(echo "$requires" | shyaml key-values-0 2>/dev/null)
  2776. fi
  2777. _graph_node_service "$service" "$base" "$charm"
  2778. _graph_edge_service "$service" "$subordinate" "$master_service"
  2779. }
  2780. _graph_node_service() {
  2781. local service="$1" base="$2" charm="$3"
  2782. cat <<EOF
  2783. "$(_graph_node_service_label ${service})" [
  2784. style = "filled, $([ "$subordinate" == "True" ] && echo "dashed" || echo "bold")"
  2785. penwidth = $([ "$subordinate" == "True" ] && echo "3" || echo "5")
  2786. color = $([ "$base" ] && echo "blue" || echo "black")
  2787. fillcolor = "white"
  2788. fontname = "Courier New"
  2789. shape = "Mrecord"
  2790. label =<$(_graph_node_service_content "$service")>
  2791. ];
  2792. EOF
  2793. }
  2794. _graph_edge_service() {
  2795. local service="$1" subordinate="$2" master_service="$3"
  2796. while read-0 relation_name target_service relation_config tech_dep; do
  2797. cat <<EOF
  2798. "$(_graph_node_service_label ${service})" -> "$(_graph_node_service_label ${target_service})" [
  2799. penwidth = $([ "$master_service" == "$target_service" ] && echo 3 || echo 2)
  2800. fontsize = 16
  2801. fontcolor = "black"
  2802. style = $([ "$master_service" == "$target_service" ] && echo dashed || echo "\"\"")
  2803. weight = $([ "$master_service" == "$target_service" ] && echo 2.0 || echo 1.0)
  2804. dir = $([ "$master_service" == "$target_service" ] && echo none || echo both)
  2805. arrowtail = odot
  2806. # arrowhead = dotlicurve
  2807. taillabel = "$relation_name" ];
  2808. EOF
  2809. done < <(get_service_relations "$service") || return 1
  2810. }
  2811. _graph_node_service_label() {
  2812. local service="$1"
  2813. echo "service_$service"
  2814. }
  2815. _graph_node_service_content() {
  2816. local service="$1"
  2817. charm=$(get_service_charm "$service") || return 1
  2818. cat <<EOF
  2819. <table border="0" cellborder="0" cellpadding="3" bgcolor="white">
  2820. <tr>
  2821. <td bgcolor="black" align="center" colspan="2">
  2822. <font color="white">$service</font>
  2823. </td>
  2824. </tr>
  2825. $(if [ "$charm" != "$service" ]; then
  2826. cat <<EOF2
  2827. <tr>
  2828. <td align="left" port="r0">charm: $charm</td>
  2829. </tr>
  2830. EOF2
  2831. fi)
  2832. </table>
  2833. EOF
  2834. }
  2835. cla_contains () {
  2836. local e
  2837. for e in "${@:2}"; do [[ "$e" == "$1" ]] && return 0; done
  2838. return 1
  2839. }
  2840. filter_docker_compose_help_message() {
  2841. cat - |
  2842. sed -r "s/docker-compose run/${DARKWHITE}compose${NORMAL} ${DARKCYAN}$action${NORMAL}/g;
  2843. s/docker-compose.yml/compose.yml/g;
  2844. s/SERVICES?/${DARKYELLOW}\0${NORMAL}/g;
  2845. s/^(\s+)\\$/\1${WHITE}\$${NORMAL}/g;
  2846. s/^(\s+)run/\1${DARKCYAN}$action${NORMAL}/g;
  2847. s/docker-compose/${DARKWHITE}compose${NORMAL}/g"
  2848. }
  2849. graph() {
  2850. local services=("$@")
  2851. declare -A entries
  2852. cat <<EOF
  2853. digraph g {
  2854. graph [
  2855. fontsize=30
  2856. labelloc="t"
  2857. label=""
  2858. splines=true
  2859. overlap=false
  2860. #rankdir = "LR"
  2861. ];
  2862. ratio = auto;
  2863. EOF
  2864. for target_service in "$@"; do
  2865. services=$(get_ordered_service_dependencies "$target_service") || return 1
  2866. for service in $services; do
  2867. [ "${entries[$service]}" ] && continue || entries[$service]=1
  2868. if cla_contains "$service" "${services[@]}"; then
  2869. base=true
  2870. else
  2871. base=
  2872. fi
  2873. _graph_service "$service" "$base"
  2874. done
  2875. done
  2876. echo "}"
  2877. }
  2878. cached_wget() {
  2879. local cache_file="$CACHEDIR/$FUNCNAME.cache.$(echo "$*" | md5_compat)" \
  2880. url="$1"
  2881. if [ -e "$cache_file" ]; then
  2882. cat "$cache_file"
  2883. touch "$cache_file"
  2884. return 0
  2885. fi
  2886. wget -O- "${url}" |
  2887. tee "$cache_file"
  2888. if [ "${PIPESTATUS[0]}" != 0 ]; then
  2889. rm "$cache_file"
  2890. die "Unable to fetch '$url'."
  2891. return 1
  2892. fi
  2893. }
  2894. export -f cached_wget
  2895. [ "$SOURCED" ] && return 0
  2896. trap_add "EXIT" clean_cache
  2897. if [ -z "$DISABLE_SYSTEM_CONFIG_FILE" ]; then
  2898. if [ -r /etc/default/charm ]; then
  2899. . /etc/default/charm
  2900. fi
  2901. if [ -r "/etc/default/$exname" ]; then
  2902. . "/etc/default/$exname"
  2903. fi
  2904. ## XXXvlab: should provide YML config opportunities in possible parent dirs ?
  2905. ## userdir ? and global /etc/compose.yml ?
  2906. for cfgfile in /etc/compose.conf /etc/compose.local.conf \
  2907. /etc/default/compose /etc/compose/local.conf; do
  2908. [ -e "$cfgfile" ] || continue
  2909. . "$cfgfile" || die "Loading config file '$cfgfile' failed."
  2910. done
  2911. fi
  2912. _setup_state_dir
  2913. mkdir -p "$CACHEDIR" || exit 1
  2914. ##
  2915. ## Argument parsing
  2916. ##
  2917. services=()
  2918. remainder_args=()
  2919. compose_opts=()
  2920. compose_contents=()
  2921. action_opts=()
  2922. services_args=()
  2923. pos_arg_ct=0
  2924. no_hooks=
  2925. no_init=
  2926. action=
  2927. stage="main" ## switches from 'main', to 'action', 'remainder'
  2928. is_docker_compose_action=
  2929. rebuild_relations_to_service=()
  2930. DC_MATCH_MULTI=$(get_docker_compose_multi_opts_list) &&
  2931. DC_MATCH_SINGLE=$(get_docker_compose_single_opts_list) || return 1
  2932. while read-0 arg; do
  2933. case "$stage" in
  2934. "main")
  2935. case "$arg" in
  2936. --help|-h)
  2937. no_init=true ; no_hooks=true ; no_relations=true
  2938. display_help
  2939. exit 0
  2940. ;;
  2941. --verbose|-v)
  2942. export VERBOSE=true
  2943. compose_opts+=("--verbose")
  2944. ;;
  2945. --version|-V)
  2946. print_version
  2947. docker-compose --version
  2948. docker --version
  2949. exit 0
  2950. ;;
  2951. -f|--file)
  2952. read-0 value
  2953. [ -e "$value" ] || die "File $value doesn't exists"
  2954. export DEFAULT_COMPOSE_FILE="$value"
  2955. compose_opts+=("--file $value")
  2956. shift
  2957. ;;
  2958. -p|--project-name)
  2959. read-0 value
  2960. export DEFAULT_PROJECT_NAME="$value"
  2961. compose_opts+=("--project-name $value")
  2962. shift
  2963. ;;
  2964. --no-relations)
  2965. export no_relations=true
  2966. ;;
  2967. --no-hooks)
  2968. export no_hooks=true
  2969. ;;
  2970. --no-init)
  2971. export no_init=true
  2972. ;;
  2973. --rebuild-relations-to-service|-R)
  2974. read-0 value
  2975. rebuild_relations_to_service+=("$value")
  2976. shift
  2977. ;;
  2978. --debug)
  2979. export DEBUG=true
  2980. export VERBOSE=true
  2981. #compose_opts+=("--verbose" "--log-level" "DEBUG")
  2982. ;;
  2983. --add-compose-content|-Y)
  2984. read-0 value
  2985. compose_contents+=("$value")
  2986. shift
  2987. ;;
  2988. --dirs)
  2989. echo "CACHEDIR: $CACHEDIR"
  2990. echo "VARDIR: $VARDIR"
  2991. exit 0
  2992. ;;
  2993. --dry-compose-run)
  2994. export DRY_COMPOSE_RUN=true
  2995. ;;
  2996. --*|-*)
  2997. if str_pattern_matches "$arg" $DC_MATCH_MULTI; then
  2998. read-0 value
  2999. compose_opts+=("$arg" "$value")
  3000. shift;
  3001. elif str_pattern_matches "$arg" $DC_MATCH_SINGLE; then
  3002. compose_opts+=("$arg")
  3003. else
  3004. err "Unknown option '$arg'. Please check help:"
  3005. display_help
  3006. exit 1
  3007. fi
  3008. ;;
  3009. *)
  3010. action="$arg"
  3011. stage="action"
  3012. if DC_USAGE=$(get_docker_compose_usage "$action"); then
  3013. is_docker_compose_action=true
  3014. DC_MATCH_MULTI=$(get_docker_compose_multi_opts_list "$action") &&
  3015. DC_MATCH_SINGLE="$(get_docker_compose_single_opts_list "$action")"
  3016. if [ "$DC_MATCH_MULTI" ]; then
  3017. DC_MATCH_SINGLE="$DC_MATCH_SINGLE $(echo "$DC_MATCH_MULTI" | sed -r 's/( |$)/=\* /g')"
  3018. fi
  3019. pos_args=($(echo "$DC_USAGE" | sed -r 's/\[-[^]]+\] ?//g;s/\[options\] ?//g'))
  3020. pos_args=("${pos_args[@]:1}")
  3021. # echo "USAGE: $DC_USAGE"
  3022. # echo "pos_args: ${pos_args[@]}"
  3023. # echo "MULTI: $DC_MATCH_MULTI"
  3024. # echo "SINGLE: $DC_MATCH_SINGLE"
  3025. # exit 1
  3026. else
  3027. stage="remainder"
  3028. fi
  3029. ;;
  3030. esac
  3031. ;;
  3032. "action") ## Only for docker-compose actions
  3033. case "$arg" in
  3034. --help|-h)
  3035. no_init=true ; no_hooks=true ; no_relations=true
  3036. action_opts+=("$arg")
  3037. ;;
  3038. --*|-*)
  3039. if [ "$is_docker_compose_action" ]; then
  3040. if str_pattern_matches "$arg" $DC_MATCH_MULTI; then
  3041. read-0 value
  3042. action_opts+=("$arg" "$value")
  3043. shift
  3044. elif str_pattern_matches "$arg" $DC_MATCH_SINGLE; then
  3045. action_opts+=("$arg")
  3046. else
  3047. err "Unknown option '$arg'. Please check '${DARKCYAN}$action${NORMAL}' help:"
  3048. docker-compose "$action" --help |
  3049. filter_docker_compose_help_message >&2
  3050. exit 1
  3051. fi
  3052. fi
  3053. ;;
  3054. *)
  3055. # echo "LOOP $1 : pos_arg: $pos_arg_ct // ${pos_args[$pos_arg_ct]}"
  3056. if [[ "${pos_args[$pos_arg_ct]}" == "[SERVICE...]" ]]; then
  3057. services_args+=("$arg")
  3058. elif [[ "${pos_args[$pos_arg_ct]}" == "SERVICE" ]]; then
  3059. services_args=("$arg") || exit 1
  3060. stage="remainder"
  3061. else
  3062. action_posargs+=("$arg")
  3063. ((pos_arg_ct++))
  3064. fi
  3065. ;;
  3066. esac
  3067. ;;
  3068. "remainder")
  3069. remainder_args+=("$arg")
  3070. while read-0 arg; do
  3071. remainder_args+=("$arg")
  3072. done
  3073. break 3
  3074. ;;
  3075. esac
  3076. shift
  3077. done < <(cla.normalize "$@")
  3078. export compose_contents
  3079. [ "${services_args[*]}" ] && debug " ${DARKWHITE}Services:$NORMAL ${DARKYELLOW}${services_args[*]}$NORMAL"
  3080. [ "${compose_opts[*]}" ] && debug " ${DARKWHITE}Main docker-compose opts:$NORMAL ${compose_opts[*]}"
  3081. [ "${action_posargs[*]}" ] && debug " ${DARKWHITE}Main docker-compose pos args:$NORMAL ${action_posargs[*]}"
  3082. [ "${action_opts[*]}" ] && debug " ${DARKWHITE}Action $DARKCYAN$action$NORMAL with opts:$NORMAL ${action_opts[*]}"
  3083. [ "${remainder_args[*]}" ] && debug " ${DARKWHITE}Remainder args:$NORMAL ${remainder_args[*]}"
  3084. aexport remainder_args
  3085. ##
  3086. ## Actual code
  3087. ##
  3088. COMPOSE_YML_FILE=$(get_compose_yml_location) || exit 1
  3089. COMPOSE_YML_CONTENT=$(get_compose_yml_content) || exit 1
  3090. export COMPOSE_YML_FILE COMPOSE_YML_CONTENT
  3091. charm.sanity_checks || die "Sanity checks about charm-store failed. Please correct."
  3092. ##
  3093. ## Get services in command line.
  3094. ##
  3095. if [ -z "$is_docker_compose_action" -a "$action" ]; then
  3096. action_service=${remainder_args[0]}
  3097. if [ -z "$action_service" ]; then
  3098. err "No such command or action: ${DARKCYAN}$action${NORMAL}"
  3099. display_commands_help
  3100. exit 1
  3101. fi
  3102. remainder_args=("${remainder_args[@]:1}")
  3103. if has_service_action "$action_service" "$action" >/dev/null; then
  3104. is_service_action=true
  3105. {
  3106. read-0 action_type
  3107. case "$action_type" in
  3108. "relation")
  3109. read-0 _ target_service _target_charm relation_name
  3110. debug "Found action $DARKYELLOW${action_service}$NORMAL/$DARKBLUE$relation_name$NORMAL/$DARKCYAN$action$NORMAL (in $DARKYELLOW$target_service$NORMAL)"
  3111. ;;
  3112. "direct")
  3113. debug "Found action $DARKYELLOW${action_service}$NORMAL.$DARKCYAN$action$NORMAL"
  3114. ;;
  3115. esac
  3116. } < <(has_service_action "$action_service" "$action")
  3117. services_args=("$action_service")
  3118. else
  3119. die "Unknown action '${DARKCYAN}$action$NORMAL': It doesn't match any docker-compose commands nor inner charm actions."
  3120. fi
  3121. else
  3122. case "$action" in
  3123. ps|up)
  3124. if [ "${#services_args[@]}" == 0 ]; then
  3125. array_read-0 services_args < <(printf "%s" "$COMPOSE_YML_CONTENT" | shyaml keys-0 2>/dev/null)
  3126. fi
  3127. ;;
  3128. config)
  3129. services_args=("${action_posargs[@]}")
  3130. ;;
  3131. esac
  3132. fi
  3133. NO_CONSTRAINT_CHECK=
  3134. case "$action" in
  3135. ""|down|restart|logs|config|ps)
  3136. NO_CONSTRAINT_CHECK=True
  3137. ;;
  3138. *)
  3139. if [ "$is_service_action" ]; then
  3140. NO_CONSTRAINT_CHECK=True
  3141. fi
  3142. ;;
  3143. esac
  3144. get_all_relations "${services_args[@]}" >/dev/null || exit 1
  3145. if [ "$is_docker_compose_action" -a "${#services_args[@]}" -gt 0 ]; then
  3146. services=($(get_master_services "${services_args[@]}")) || exit 1
  3147. if [ "$action" == "up" ]; then
  3148. ## remove run-once
  3149. for service in "${services_args[@]}"; do
  3150. type="$(get_service_type "$service")" || exit 1
  3151. if [ "$type" != "run-once" ]; then
  3152. action_posargs+=("$service")
  3153. fi
  3154. done
  3155. else
  3156. action_posargs+=("${services[@]}")
  3157. fi
  3158. fi
  3159. get_docker_compose "${services_args[@]}" >/dev/null || { ## precalculate variable \$_current_docker_compose
  3160. err "Fails to compile base 'docker-compose.yml'"
  3161. exit 1
  3162. }
  3163. ##
  3164. ## Pre-action
  3165. ##
  3166. full_init=
  3167. case "$action" in
  3168. up|run)
  3169. full_init=true
  3170. post_hook=true
  3171. ;;
  3172. ""|down|restart|logs|config|ps)
  3173. full_init=
  3174. ;;
  3175. *)
  3176. if [ "$is_service_action" ]; then
  3177. full_init=true
  3178. fi
  3179. ;;
  3180. esac
  3181. if [ "$full_init" ]; then
  3182. ## init in order
  3183. if [ -z "$no_init" ]; then
  3184. Section setup host resources
  3185. setup_host_resources "${services_args[@]}" || exit 1
  3186. Section initialisation
  3187. run_service_hook init "${services_args[@]}" || exit 1
  3188. fi
  3189. ## Get relations
  3190. if [ -z "$no_relations" ]; then
  3191. if [ "${#rebuild_relations_to_service[@]}" != 0 ]; then
  3192. rebuild_relations_to_service=(
  3193. $(get_master_services "${rebuild_relations_to_service[@]}"))
  3194. project=$(get_default_project_name) || return 1
  3195. for service in "${rebuild_relations_to_service[@]}"; do
  3196. for dir in "$VARDIR/relations/$project/"*"-${service}/"*; do
  3197. [ -d "$dir" ] && {
  3198. debug rm -rf "$dir"
  3199. rm -rf "$dir"
  3200. }
  3201. done
  3202. done
  3203. fi
  3204. run_service_relations "${services_args[@]}" || exit 1
  3205. fi
  3206. run_service_hook pre_deploy "${services_args[@]}" || exit 1
  3207. fi
  3208. if [ "$action" == "run" ]; then
  3209. charm=$(get_service_charm "${services_args[0]}") || exit 1
  3210. metadata=$(charm.metadata "$charm") || exit 1
  3211. type="$(printf "%s" "$metadata" | shyaml get-value type 2>/dev/null)" || true
  3212. if [ "$type" == "run-once" ]; then
  3213. run_service_hook dc-pre-run "${services_args[@]}" || exit 1
  3214. fi
  3215. fi
  3216. export SERVICE_PACK="${services_args[*]}"
  3217. ##
  3218. ## Docker-compose
  3219. ##
  3220. case "$action" in
  3221. up|start|stop|build|run)
  3222. ## force daemon mode for up
  3223. if [[ "$action" == "up" ]]; then
  3224. if ! array_member action_opts -d; then
  3225. action_opts+=("-d")
  3226. fi
  3227. if ! array_member action_opts --remove-orphans; then
  3228. action_opts+=("--remove-orphans")
  3229. fi
  3230. fi
  3231. launch_docker_compose "${compose_opts[@]}" "$action" "${action_opts[@]}" "${action_posargs[@]}" "${remainder_args[@]}"
  3232. ;;
  3233. logs)
  3234. if ! array_member action_opts --tail; then ## force daemon mode for up
  3235. action_opts+=("--tail" "10")
  3236. fi
  3237. launch_docker_compose "${compose_opts[@]}" "$action" "${action_opts[@]}" "${action_posargs[@]}" "${remainder_args[@]}"
  3238. ;;
  3239. "")
  3240. launch_docker_compose "${compose_opts[@]}"
  3241. ;;
  3242. graph)
  3243. graph $SERVICE_PACK
  3244. ;;
  3245. config)
  3246. ## removing the services
  3247. services=($(get_master_services "${action_posargs[@]}")) || exit 1
  3248. ## forcing docker-compose config to output the config file to stdout and not stderr
  3249. out=$(launch_docker_compose "${compose_opts[@]}" "$action" "${action_opts[@]}" "${remainder_args[@]}" 2>&1) || {
  3250. echo "$out"
  3251. exit 1
  3252. }
  3253. echo "$out"
  3254. warn "Runtime configuration modification (from relations) are not included here."
  3255. ;;
  3256. down)
  3257. if ! array_member action_opts --remove-orphans; then ## force daemon mode for up
  3258. debug "Adding a default argument of '--remove-orphans'"
  3259. action_opts+=("--remove-orphans")
  3260. fi
  3261. launch_docker_compose "${compose_opts[@]}" "$action" "${action_opts[@]}" "${remainder_args[@]}"
  3262. ;;
  3263. *)
  3264. if [ "$is_service_action" ]; then
  3265. run_service_action "$SERVICE_PACK" "$action" "${remainder_args[@]}"
  3266. else
  3267. launch_docker_compose "${compose_opts[@]}" "$action" "${action_opts[@]}" "${action_posargs[@]}" "${remainder_args[@]}"
  3268. fi
  3269. ;;
  3270. esac || exit 1
  3271. if [ "$post_hook" -a "${#services_args[@]}" != 0 ]; then
  3272. run_service_hook post_deploy "${services_args[@]}" || exit 1
  3273. fi
  3274. clean_unused_docker_compose || return 1