-
Notifications
You must be signed in to change notification settings - Fork 0
/
Copy pathcli.py
458 lines (395 loc) · 18 KB
/
cli.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
175
176
177
178
179
180
181
182
183
184
185
186
187
188
189
190
191
192
193
194
195
196
197
198
199
200
201
202
203
204
205
206
207
208
209
210
211
212
213
214
215
216
217
218
219
220
221
222
223
224
225
226
227
228
229
230
231
232
233
234
235
236
237
238
239
240
241
242
243
244
245
246
247
248
249
250
251
252
253
254
255
256
257
258
259
260
261
262
263
264
265
266
267
268
269
270
271
272
273
274
275
276
277
278
279
280
281
282
283
284
285
286
287
288
289
290
291
292
293
294
295
296
297
298
299
300
301
302
303
304
305
306
307
308
309
310
311
312
313
314
315
316
317
318
319
320
321
322
323
324
325
326
327
328
329
330
331
332
333
334
335
336
337
338
339
340
341
342
343
344
345
346
347
348
349
350
351
352
353
354
355
356
357
358
359
360
361
362
363
364
365
366
367
368
369
370
371
372
373
374
375
376
377
378
379
380
381
382
383
384
385
386
387
388
389
390
391
392
393
394
395
396
397
398
399
400
401
402
403
404
405
406
407
408
409
410
411
412
413
414
415
416
417
418
419
420
421
422
423
424
425
426
427
428
429
430
431
432
433
434
435
436
437
438
439
440
441
442
443
444
445
446
447
448
449
450
451
452
453
454
455
456
457
458
import os
import sys
import subprocess
import astor
import ast
try:
# For when running as part of the package
from .console import console
except ImportError:
# For when running directly
from console import console
class Cli:
def __init__(self, project_name, app_name):
self.django_project_name = project_name
self.django_app_name = app_name
self.project_root = os.path.join(os.getcwd(), self.django_project_name)
self.project_configs = os.path.join(self.project_root, self.django_project_name)
self.settings_folder = os.path.join(self.project_configs, "settings")
self.settings_file = os.path.join(self.project_configs, "settings.py")
def _create_project(self) -> bool:
"""
Create a new Django project,
return True if successful, False otherwise.
"""
# check if a project already exists
if not os.path.exists(self.project_root):
try:
import django
except ImportError:
subprocess.run(
[sys.executable, "-m", "pip", "install", "--upgrade", "django"],
check=True,
)
try:
subprocess.run(
["django-admin", "startproject", self.django_project_name],
check=True,
)
console.print(
f"\nDjango project '{self.django_project_name}' created successfully! ✅",
style="bold on blue",
)
return True
except Exception as e:
return False
else:
console.print(f"\nDjango project already exists. ❌", style="bold red")
return False
def _create_app(self) -> bool:
"""Create a new Django app, return True if successful, False otherwise."""
try:
os.chdir(self.project_root)
subprocess.run(
[
sys.executable,
os.path.join(self.project_root, "manage.py"),
"startapp",
self.django_app_name,
],
check=True,
)
console.print(
f"\nDjango app '{self.django_app_name}' created successfully! ✅",
style="bold on blue",
)
return True
except Exception as e:
# print("An error occurred while creating the Django app." + str(e)) # for debugging
return False
def _create_project_util_files(self) -> bool:
"""
Creates:
.gitignore,
requirements.txt,
README.md,
.env.dev,
.env.prod,
returns: True if successful, False otherwise.
"""
os.chdir(self.project_root)
try:
with open(".gitignore", "w") as file:
file.write("*.pyc\n")
file.write("__pycache__/\n")
file.write("*.sqlite3\n")
file.write("db.sqlite3\n")
file.write("env\n")
file.write(".env.dev\n")
file.write(".env.prod\n")
file.write(".vscode\n")
file.write(".idea\n")
file.write("*.DS_Store\n")
open("requirements.txt", "a").close()
open("README.md", "a").close()
open(".env.dev", "a").close()
with open(".env.prod", "w") as file:
file.write("DEBUG=False\n")
file.write("ALLOWED_HOSTS='*' # Add your domains in production separated by commas\n")
file.write("SECRET_KEY='' # generate and add new secret key using Django shell\n")
console.print(
"\nCreated requirements.txt, Readme, and .env files successfully! ✅",
style="bold on blue",
)
return True
except FileExistsError as e:
# print(f"An error occurred while creating the project utility files. {e}") # for debugging
return False
def _create_settings(self) -> bool:
"""
Creates a settings folder of the Django project.
settings/base.py: Base settings
settings/develoment.py: Development settings
settings/production.py: Production settings
returns: True if successful, False otherwise.
"""
# cd into project folder
os.chdir(self.project_configs)
# create folder called settings
os.makedirs("settings", exist_ok=True)
# move into new folder
os.chdir(self.settings_folder)
# move settings.py into new settings folder and rename it to base.py
os.rename(self.settings_file, os.path.join(self.settings_folder, "base.py"))
try:
open("__init__.py", "a").close()
open("development.py", "a").close()
open("production.py", "a").close()
console.print(
f"\nDjango project '{self.django_project_name}' Settings folder and files created successfully! ✅",
style="bold on blue",
)
return True
except FileExistsError as e:
# print(F"An error occurred while creating the settings folder. {e}") # for debugging
return False
def _update_base_setting(self) -> bool:
"""
Fill the base settings file with the necessary configurations.
returns: True if successful, False otherwise.
"""
try:
new_code = """
env = environ.Env()
ENVIRONMENT = os.getenv('SETTING_FILE_PATH')
# Load environment-specific .env file
if ENVIRONMENT == 'project.settings.production':
environ.Env.read_env('.env.prod')
elif ENVIRONMENT == "project.settings.development":
environ.Env.read_env('.env.dev')
"""
# cd into project settings folder
os.chdir(self.settings_folder)
# open base.py file
with open("base.py", "r") as file:
tree = ast.parse(file.read())
# Create a new import node
os_import = ast.parse("import os").body[0]
environ_impoort = ast.parse("import environ").body[0]
# Find the last import statement
last_import_index = -1
for index, node in enumerate(tree.body):
if isinstance(node, (ast.Import, ast.ImportFrom)):
last_import_index = index
# Insert the new import after the last import statement
tree.body.insert(last_import_index + 1, os_import)
tree.body.insert(last_import_index + 2, environ_impoort)
for node in ast.walk(tree):
if isinstance(node, ast.Assign):
if node.targets[0].id == "INSTALLED_APPS":
node.value.elts.append(ast.Constant(s=self.django_app_name))
if node.targets[0].id == "ALLOWED_HOSTS":
node.value.elts.append(ast.Constant(s="*"))
if node.targets[0].id == "BASE_DIR":
# Create the AST for Path(__file__).resolve().parent.parent.parent
node.value = ast.Call(
func=ast.Attribute(
value=ast.Call(
func=ast.Name(id="Path", ctx=ast.Load()), # Path()
args=[ast.Name(id="__file__", ctx=ast.Load())], # __file__
keywords=[],
),
attr="resolve", # resolve()
ctx=ast.Load(),
),
args=[],
keywords=[],
)
# Add `.parent.parent.parent` to the result
node.value = ast.Attribute(
value=ast.Attribute(
value=ast.Attribute(
value=node.value, attr="parent", ctx=ast.Load() # first parent
),
attr="parent", # second parent
ctx=ast.Load(),
),
attr="parent", # third parent
ctx=ast.Load(),
)
new_nodes = ast.parse(new_code).body
for i, new_node in enumerate(new_nodes):
tree.body.insert(last_import_index + 3 + i, new_node)
# Iterate over the AST nodes and add a blank line after assignments
for index, node in enumerate(tree.body):
# Check if the node is an assignment (Store, Assignment or AugAssign)
if isinstance(node, ast.Assign):
# Insert a 'pass' node to simulate a blank line
tree.body.insert(index + 1, "\n")
# write the changes to the file, with indentation and spaces
with open("base.py", "w") as file:
file.write(astor.to_source(tree))
# run black to format the code on base.py
subprocess.run(["black", "base.py"], check=True)
console.print(
f"\nUpdated settings/base.py successfully! ✅", style="bold on blue"
)
return True
except Exception as e:
return False
def _update_dev_setting(self) -> bool:
"""
Fill the development settings file with the necessary configurations.
returns: True if successful, False otherwise.
"""
try:
# cd into project settings folder
os.chdir(self.settings_folder)
# open development.py file
with open("development.py", "w") as file:
file.write("from .base import *")
console.print(
f"\nUpdated settings/development.py successfully! ✅",
style="bold on blue",
)
return True
except Exception as e:
# print(f"An error occurred while updating the development settings file. {e}") # for debugging
return False
def _update_prod_setting(self) -> bool:
"""
Fill the production settings file with the necessary configurations.
returns: True if successful, False otherwise.
"""
try:
# cd into project settings folder
os.chdir(self.settings_folder)
# open development.py file
with open("production.py", "w") as file:
file.write("from .base import *\n")
file.write("import os\n\n")
file.write("DEBUG = env('DEBUG')\n")
file.write("SECRET_KEY = env('SECRET_KEY')\n")
file.write(
"ALLOWED_HOSTS = env('ALLOWED_HOSTS').split(',')\n"
)
file.write(
"DATABASES = {} # Add your production database settings here\n"
)
console.print(
f"\nUpdated settings/production.py successfully! ✅", style="bold on blue"
)
return True
except Exception as e:
# print(f"An error occurred while updating the production settings file. {e}") # for debugging
return False
def _create_app_urls_file(self) -> bool:
"""
create a urls.py file in the app folder.
returns: True if successful, False otherwise.
"""
try:
# cd into the app folder
os.chdir(os.path.join(self.project_root, self.django_app_name))
# create urls.py file
open("urls.py", "w").close()
console.print(
f"\nCreated '{self.django_app_name}/urls.py' successfully! ✅",
style="bold on blue",
)
return True
except Exception as e:
return False
def _add_app_urls_to_project_urls(self) -> bool:
"""
Add the app urls to the project urls file.
returns: True if successful, False otherwise.
"""
os.chdir(self.project_configs)
try:
with open("urls.py", "r") as file:
tree = ast.parse(file.read())
for node in ast.walk(tree):
if isinstance(node, ast.ImportFrom):
if node.module == "django.urls":
# add the include function to the import statement, if it doesn't exist
if not any(alias.name == "include" for alias in node.names):
node.names.append(ast.alias(name="include", asname=None))
for node in ast.walk(tree):
if not any(isinstance(node, ast.Assign) for node in ast.walk(tree)):
if isinstance(node, ast.Assign):
if node.targets[0].id == "urlpatterns":
node.value.elts.append(
ast.Call(
func=ast.Attribute(
value=ast.Name(id="path", ctx=ast.Load()),
attr="include",
ctx=ast.Load(),
),
args=[
ast.Constant(
s=f"{self.django_app_name}.urls", kind=None
)
],
keywords=[],
)
)
with open("urls.py", "w") as file:
file.write(astor.to_source(tree))
subprocess.run(["black", "urls.py"], check=True)
console.print(f"\nAdded app urls to project urls.py successfully! ✅", style="bold on blue")
return True
except Exception as e:
return False
def _update_settings_path(self):
"""
Updates manage.py setting path
return True if successful False otherwise
"""
try:
os.chdir(self.project_root)
with open("manage.py", "r") as file:
tree = ast.parse(file.read())
# Check if "from django.conf import settings" is already imported
import_already_exists = any(
isinstance(node, ast.ImportFrom)
and node.module == "django.conf"
and any(alias.name == "settings" for alias in node.names)
for node in tree.body
)
# if not import_already_exists:
# env_import = ast.parse("from django.conf import settings").body[0]
# last_import_index = -1
# for index, node in enumerate(tree.body):
# if isinstance(node, (ast.Import, ast.ImportFrom)):
# last_import_index = index
# # Insert the new import after the last import statement
# tree.body.insert(last_import_index + 1, env_import)
# Find and update the `os.environ.setdefault` call
for node in tree.body:
if isinstance(node, ast.FunctionDef) and node.name == "main":
for stmt in node.body:
if (
isinstance(stmt, ast.Expr)
and isinstance(stmt.value, ast.Call)
and isinstance(stmt.value.func, ast.Attribute)
and isinstance(stmt.value.func.value, ast.Attribute)
and isinstance(stmt.value.func.value.value, ast.Name)
and stmt.value.func.value.value.id == "os"
and stmt.value.func.value.attr == "environ"
and stmt.value.func.attr == "setdefault"
):
# Update the second argument of the call
stmt.value.args[1] = ast.parse(
'os.getenv("SETTING_FILE_PATH")'
).body[0].value
# write the changes to the file, with indentation and spaces
with open("manage.py", "w") as file:
file.write(astor.to_source(tree))
subprocess.run(["black", "manage.py"], check=True)
console.print(f"\nUpdated manage.py successfully! ✅", style="bold on blue")
return True
except Exception as e:
return False
def run_setup(self):
"""Main method that creates everything"""
steps = [
(self._create_project),
(self._create_app),
(self._create_settings),
(self._update_base_setting),
(self._update_dev_setting),
(self._update_prod_setting),
(self._create_project_util_files),
(self._create_app_urls_file),
(self._add_app_urls_to_project_urls),
(self._update_settings_path),
]
success = True
for step in steps:
result = step()
if not result:
success = False
break
if success:
console.print(f"\nMake sure you set the env 'SETTING_FILE_PATH' to '{self.django_project_name}.settings.development' (for your development enviroment)\nor '{self.django_project_name}.settings.production' (for your production enviroment) before running the server.", style="bold white on yellow")