-
Notifications
You must be signed in to change notification settings - Fork 0
/
Copy pathstart_app.py
executable file
·174 lines (136 loc) · 5.14 KB
/
start_app.py
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
80
81
82
83
84
85
86
87
88
89
90
91
92
93
94
95
96
97
98
99
100
101
102
103
104
105
106
107
108
109
110
111
112
113
114
115
116
117
118
119
120
121
122
123
124
125
126
127
128
129
130
131
132
133
134
135
136
137
138
139
140
141
142
143
144
145
146
147
148
149
150
151
152
153
154
155
156
157
158
159
160
161
162
163
164
165
166
167
168
169
170
171
172
173
174
#!/usr/bin/env python3
"""Entrypoint for the adtool software, essentially a wrapper around docker-compose.
Typical usage example which will start the software:
./start_app.py --mode prod --gpu
"""
import argparse
import os
import subprocess
from enum import Enum
from typing import List
class HasDockerCompose(Enum):
"""An enum that checks for a docker compose command to run, listed in
fallback order."""
HAS_DOCKER_COMPOSE = 1
HAS_DOCKER_HYPHEN_COMPOSE = 2
HAS_NONE = 3
def check_docker_compose() -> HasDockerCompose:
"""Check if Docker Compose is installed and can be run without sudo."""
try:
subprocess.run(
["docker", "compose", "--version"], check=True, stdout=subprocess.DEVNULL
)
return HasDockerCompose.HAS_DOCKER_COMPOSE
except (FileNotFoundError, subprocess.CalledProcessError):
pass
try:
subprocess.run(
["docker-compose", "--version"], check=True, stdout=subprocess.DEVNULL
)
return HasDockerCompose.HAS_DOCKER_HYPHEN_COMPOSE
except (FileNotFoundError, subprocess.CalledProcessError):
return HasDockerCompose.HAS_NONE
def set_notebooks_permissions() -> None:
"""Set permissions for the notebooks directory to resolve permission issues."""
subprocess.run(["chmod", "-R", "777", "./services/base/JupyterLab/Notebooks/"])
def is_git_repository() -> bool:
"""Check if the current directory is a Git repository."""
try:
subprocess.run(
["git", "rev-parse", "--is-inside-work-tree"],
check=True,
stdout=subprocess.DEVNULL,
)
return True
except subprocess.CalledProcessError:
return False
def get_git_remote_url() -> str:
"""Get the remote URL of the Git repository."""
try:
output = (
subprocess.check_output(["git", "config", "--get", "remote.origin.url"])
.decode()
.strip()
)
return output
except subprocess.CalledProcessError:
return ""
def is_correct_git_repository(repo_name: str) -> bool:
"""Check if the current directory corresponds to the expected Git repository.
Args:
repo_name (str): The expected name of the Git repository.
Returns:
bool: True if the current directory corresponds to the expected Git repository, False otherwise.
"""
remote_url = get_git_remote_url()
return repo_name in remote_url
def is_at_root_folder() -> bool:
"""Check if the current directory is at the project root."""
git_root = (
subprocess.check_output(["git", "rev-parse", "--show-toplevel"])
.decode()
.strip()
)
cwd = os.getcwd()
return git_root == cwd
def main() -> None:
"""Entry point for the Dockerized application."""
repo_name = "adtool"
# parse arguments
parser = argparse.ArgumentParser(description="Entry point for adtool")
parser.add_argument(
"--mode",
choices=["base", "dev", "prod"],
default="prod",
help="specify the mode: base, dev, or prod (default: prod)",
)
parser.add_argument(
"--env",
metavar="FILE_PATH",
help="specify the relative file path to source environment variables",
)
parser.add_argument("--gpu", action="store_true", help="run with GPU")
parser.add_argument(
"command",
nargs="?",
default="up",
help="specify the command for docker-compose",
)
args, compose_args = parser.parse_known_args()
# run checks
if not is_git_repository() or not is_correct_git_repository(repo_name):
print("Error: start_app.py must be run from the correct Git repository.")
return
has_docker_compose = check_docker_compose()
if has_docker_compose == HasDockerCompose.HAS_NONE:
print("Error: Docker Compose is not installed or cannot be run without sudo.")
return
if not is_at_root_folder():
print("Error: start_app.py must be run from the root of the project.")
return
# HACK: need to ensure notebook permissions which are sometimes wrong
set_notebooks_permissions()
os.chdir("./services")
passed_args = []
if args.env:
passed_args.extend(["--env-file", args.env])
compose_files: List[str] = ["-f", "base/docker-compose.yml"]
if args.mode != "base":
compose_files.extend([ "-f", f"{args.mode}/docker-compose.yml"])
if args.gpu:
compose_files.extend(["-f", "docker-compose-gpu.override.yml"])
# except for the base config, in the others we must go up in the
# directory to find the override
executable: List[str] = []
if has_docker_compose == HasDockerCompose.HAS_DOCKER_COMPOSE:
executable = ["docker", "compose"]
elif has_docker_compose == HasDockerCompose.HAS_DOCKER_HYPHEN_COMPOSE:
executable = ["docker-compose"]
command: List[str] = (
executable + passed_args + compose_files + [args.command] + compose_args
)
# spawn child process that takes over the python process
# to handle keyboard interrupts like Ctrl-C
os.execvp(command[0], command)
if __name__ == "__main__":
main()