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 | class JiraAddon(BaseServerAddon):
settings_model: Type[JiraSettings] = JiraSettings
frontend_scopes: dict[str, Any] = {"project": {}}
addon_type = "server"
def initialize(self):
# first set ayon-python-api
sys.path.insert(0, os.path.join(JIRA_ADDON_DIR, "vendor"))
self.add_endpoint(
"run_template",
self.run_template,
method="POST",
)
self.add_endpoint(
"get_templates",
self.get_templates,
method="GET",
)
self.add_endpoint(
"get_placeholders",
self.get_placeholders,
method="GET",
)
async def get_default_settings(self):
settings_model_cls = self.get_settings_model()
return settings_model_cls(**DEFAULT_VALUES)
async def setup(self):
need_restart = await self.create_required_attributes()
if need_restart:
self.request_server_restart()
await self._update_enums()
async def create_required_attributes(self) -> bool:
"""Make sure there are required 'applications' and 'tools' attributes.
This only checks for the existence of the attributes, it does not
populate them with any data. When an attribute is added, server needs
to be restarted, while adding enum data to the attribute does not
require a restart.
Returns:
bool: 'True' if an attribute was created or updated.
"""
# keep track of the last attribute position (for adding new attributes)
jira_current_phase_def = self._get_jira_current_phase_def()
attribute_name = jira_current_phase_def["name"]
async with Postgres.acquire() as conn, conn.transaction():
query = (
f"SELECT BOOL_OR(name = '{attribute_name}') AS "
"has_jira_current_phase FROM attributes;"
)
result = (await conn.fetch(query))[0]
attributes_to_create = {}
if not result["has_jira_current_phase"]:
attrib_name = jira_current_phase_def["name"]
attributes_to_create[attrib_name] = {
"scope": jira_current_phase_def["scope"],
"data": {
"title": jira_current_phase_def["title"],
"type": jira_current_phase_def["type"],
"enum": [],
}
}
needs_restart = False
# when any of the required attributes are not present, add them
# and return 'True' to indicate that server needs to be restarted
insert_query = (
"INSERT INTO attributes (name, scope, data, position)"
" VALUES ($1, $2, $3, "
"(SELECT COALESCE(MAX(position), 0) + 1 FROM attributes))"
" ON CONFLICT DO NOTHING"
)
for name, payload in attributes_to_create.items():
await conn.execute(
insert_query,
name,
payload["scope"],
payload["data"],
)
needs_restart = True
return needs_restart
def _get_jira_current_phase_def(self):
return {
"name": "jiraCurrentPhase",
"type": "string",
"title": "Jira Current Phase",
"scope": ["task"],
"enum": [],
}
async def _update_enums(self):
"""Updates applications and tools enums based on the addon settings.
This method is called when the addon is started (after we are sure
that the 'applications' and 'tools' attributes exist) and when
the addon settings are updated (using on_settings_updated method).
"""
instance = AddonLibrary.getinstance()
app_defs = instance.data.get(self.name)
phases_enum = []
for addon_version in sort_versions(
app_defs.versions.keys(), reverse=True
):
addon = app_defs.versions[addon_version]
for variant in ("production", "staging"):
settings_model = await addon.get_studio_settings(variant)
studio_settings = settings_model.dict()
for phase in studio_settings["phases"]:
if phase not in phases_enum:
phases_enum.append(phase)
jira_attribute_def = self._get_jira_current_phase_def()
jira_attribute_name = jira_attribute_def["name"]
jira_attribute_def["enum"] = list(phases_enum)
phases_scope = jira_attribute_def["scope"]
jira_attribute_def.pop("scope")
jira_attribute_def.pop("name")
phases_matches = False
async for row in Postgres.iterate(
"SELECT name, position, scope, data from public.attributes"
):
if row["name"] == jira_attribute_name:
# Check if scope is matching ftrack addon requirements
if (
set(row["scope"]) == set(phases_scope)
and row["data"].get("enum") == phases_enum
):
phases_matches = True
if phases_matches:
return
if not phases_matches:
await Postgres.execute(
"""
UPDATE attributes SET
scope = $1,
data = $2
WHERE
name = $3
""",
phases_scope,
jira_attribute_def,
jira_attribute_name,
)
# Reset attributes cache on server
await attribute_library.load()
async def on_settings_changed(self, *args, **kwargs):
_ = args, kwargs
await self._update_enums()
async def get_templates(self):
"""Get list of name of templates
Currently from `server/templates` folder. Each template should have 2
parts, `Ayon` and `Jira`.
"""
templates_dir = os.path.join(JIRA_ADDON_DIR, "templates")
if not os.path.isdir(TEMPLATES_DIR):
raise RuntimeError(f"No templates directory at {templates_dir}")
template_names = set()
for filename in os.listdir(templates_dir):
filename = filename.lower()
if TEMPLATE_SUFFIX in filename:
filename = filename.replace(TEMPLATE_SUFFIX, "").strip("_")
template_names.add(filename)
return template_names
async def get_placeholders(
self,
template_name: str = Query(
...,
description="Name of template",
example="Tier_1_Outfit",
)
):
"""Parses content of JIRA template for unique string in %"""
template_file_name = f"{template_name}_{TEMPLATE_SUFFIX}"
template_file_path = os.path.join(TEMPLATES_DIR, template_file_name)
if not os.path.exists(template_file_path):
raise RuntimeError(f"{template_file_path} doesn't exist")
with open(template_file_path, 'r') as file:
file_content = file.read()
pattern = r'%([^%]+)%'
matches = re.findall(pattern, file_content)
return set(matches)
async def run_template(
self,
user: CurrentUser,
body: Dict[str, Any] = Body(
...,
description="Body with all parameters, expected project_name[str]"
"jira_project_code[str], template_name[str], "
"placeholder_map[dict[str, str]], "
"folder_paths[list[str]]"
,
)
) -> Response:
"""Creates tasks and jira tickets based on selected values in form"""
from .templates import create_tasks_and_tickets
creds = await self._get_jira_creds(body["project_name"])
status = await create_tasks_and_tickets(
user,
body["project_name"],
creds["project_code"],
body["template_name"],
body["placeholder_map"],
body["folder_paths"],
creds
)
if status.errors:
errors = "\n".join(status.errors)
return Response(
status_code=400,
content=f"{errors} \n\n {status.traceback}")
return Response(status_code=204, content=f"{status.info()}")
async def _get_jira_creds(self, project_name):
"""Pulls Jira credentials from Project Settings"""
jira_settings = await self.get_project_settings(project_name)
creds = {
"url": jira_settings.jira_server,
"username": jira_settings.jira_username,
"password": jira_settings.jira_password,
"project_code": jira_settings.jira_project_code,
}
return creds
|