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
|
from celery.result import AsyncResult
from celery.utils.log import get_task_logger
from django.conf import settings
from django.http import StreamingHttpResponse, JsonResponse
import os
import time
import uuid
from rest_framework import status
from rest_framework.exceptions import ValidationError
from rest_framework.parsers import MultiPartParser, FormParser
from rest_framework.permissions import AllowAny
from rest_framework.response import Response
from rest_framework.views import APIView
from blocks.celery_tasks import app
from simulationAPI.models import Task, Session
from simulationAPI.negotiation import IgnoreClientContentNegotiation
from simulationAPI.serializers import TaskSerializer
from simulationAPI.tasks import process_task, kill_task
from simulationAPI.helpers.ngspice_helper import CreateXcos, update_task_status
SCILAB_INSTANCE_TIMEOUT_INTERVAL = 300
MAX_LOG_SIZE = 512 * 1024
LOOK_DELAY = 0.1
# States of the line
# to indicate initialization of block in log file is encountered
INITIALIZATION = 0
# to indicate ending of log file data for that block is encountered
ENDING = 1
# to indicate data is proper and can be read
DATA = 2
# to indicate there is no line in log file further
NOLINE = -1
logger = get_task_logger(__name__)
class XmlUploader(APIView):
'''
API for XmlUpload
Requires a multipart/form-data POST Request with Xml file in the
'file' parameter
'''
permission_classes = (AllowAny,)
parser_classes = (MultiPartParser, FormParser,)
def post(self, request, *args, **kwargs):
logger.info('Got POST for Xml upload: data=%s', request.data)
uploaded_file = request.FILES.get('file')
if not uploaded_file:
return Response({"error": "No file provided"}, status=status.HTTP_400_BAD_REQUEST)
file_extension = uploaded_file.name.split('.')[-1].lower()
# Validate file type
if file_extension not in ['xml', 'sce']:
return Response({"error": "Invalid file type. Only .xml and .sce files are allowed."},
status=status.HTTP_400_BAD_REQUEST)
serializer = TaskSerializer(data=request.data, context={'request': request})
if serializer.is_valid():
task = serializer.save()
task_type = request.data.get('type')
script_task_id = request.data.get('script_task_id')
if task_type == 'XCOS' and script_task_id:
try:
script_task = Task.objects.get(task_id=script_task_id, type='SCRIPT')
if script_task.workspace_file:
task.script_task_id = script_task_id
task.workspace_file = script_task.workspace_file
task.save()
logger.info(f'Copied workspace file from script task {script_task_id} to xcos task {task.task_id}')
else:
logger.warning(f'Script task {script_task_id} does not have a workspace file')
except Task.DoesNotExist:
logger.warning(f'Script task {script_task_id} not found')
# serializer.save()
task_id = serializer.data['task_id']
celery_task = process_task.apply_async(
kwargs={'task_id': str(task_id)}, task_id=str(task_id))
if task_type == 'XCOS':
response_data = {
'task_id': task_id,
'state': celery_task.state,
'details': str(celery_task.info),
}
else:
rv = celery_task.get(timeout=10)
response_data = {**rv, 'task_id': task_id}
return Response(response_data)
return Response(serializer.errors, status=status.HTTP_400_BAD_REQUEST)
class XmlSave(APIView):
'''
API for XmlSave
Requires a multipart/form-data POST Request with Xml file in the
'file' parameter
'''
permission_classes = (AllowAny,)
parser_classes = (MultiPartParser, FormParser,)
def post(self, request, *args, **kwargs):
logger.info('Got POST for Xml save: data=%s', request.data)
file = request.FILES.get('file', None)
script_task_id = request.POST.get('scriptTaskId', None)
workspace_file = None
if not file:
return Response({"error": "No file provided"}, status=status.HTTP_400_BAD_REQUEST)
file_name = file.name
file_path = os.path.join(settings.MEDIA_ROOT, 'uploads', file_name)
# Ensure the directory exists
os.makedirs(os.path.dirname(file_path), exist_ok=True)
with open(file_path, 'wb+') as destination:
for chunk in file.chunks():
destination.write(chunk)
if script_task_id:
try:
script_task = Task.objects.get(task_id=script_task_id)
workspace_file = script_task.workspace_file
except Task.DoesNotExist:
print("Task not found")
else:
print("No scriptTaskId provided")
# logger.info('workspace_file: %s', workspace_file)
try:
# Update the request data to include the file path
data = request.data.copy()
data['file_path'] = file_path
filename = CreateXcos(data['file_path'], '{}', 'saves', workspace_file)
with open(filename, 'r') as file:
filecontent = file.read()
response = Response(filecontent, status=status.HTTP_200_OK,
content_type='application/octet-stream')
response['Content-Disposition'] = f'attachment; filename="{os.path.basename(filename)}"'
return response
except Exception as e:
logger.error('Error while creating Xcos file: %s', str(e))
return Response({"error": "Error while creating Xcos file"}, status=status.HTTP_500_INTERNAL_SERVER_ERROR)
class CeleryResultView(APIView):
"""
Returns Simulation results for 'task_id' provided after
uploading the xml
/api/task/<uuid>
"""
permission_classes = (AllowAny,)
methods = ['GET']
def get(self, request, task_id):
if not isinstance(task_id, uuid.UUID):
raise ValidationError('Invalid uuid format')
task_id = str(task_id)
celery_result = AsyncResult(task_id)
response_data = {
'task_id': task_id,
'state': celery_result.state,
}
# If the task failed, clean up the error message
e = celery_result.info
details = str(e)
response_data['details'] = details.split(': ', 1)[-1] if celery_result.failed() and isinstance(e, BaseException) else details
return Response(response_data)
class CancelTaskView(APIView):
"""Cancels a running Celery task."""
permission_classes = (AllowAny,)
methods = ['GET']
def get(self, request, task_id):
"""Handles task cancellation request."""
if not isinstance(task_id, uuid.UUID):
raise ValidationError('Invalid uuid format')
task_id = str(task_id)
# Cancel the task
app.control.revoke(task_id)
kill_task.delay(task_id)
# Check if task was actually revoked
celery_result = AsyncResult(task_id)
response_data = {
'task_id': task_id,
'state': celery_result.state,
'details': str(celery_result.info)
}
return Response(response_data, status=status.HTTP_200_OK)
def parse_line(line, lineno):
'''
Function to parse the line
Returns tuple of figure ID and state
state = INITIALIZATION if new figure is created
ENDING if current fig end
DATA otherwise
'''
line_words = line.split(' ') # Each line is split to read condition
try:
# The below condition determines the block ID
if line_words[0] == "Initialization":
# New figure created
# Get fig id
# to extract figure ids (sometime multiple sinks can be used in one
# diagram to differentiate that)
figure_id = line_words[-1]
state = INITIALIZATION
elif line_words[0] == "Ending":
# Current figure end
# Get fig id
figure_id = line_words[-1]
state = ENDING
else:
# Current figure coordinates
figure_id = line_words[2]
state = DATA
return (figure_id, state)
except Exception as e:
logger.error('%s while parsing %s on line %s', str(e), line, lineno)
return (None, NOLINE)
def get_line_and_state(file, figure_list, lastlogtimes,
lineno, incomplete_line):
'''
Function to get a new line from file
This also parses the line and appends new figures to figure List
'''
line = file.readline() # read line by line from log
if not line: # if line is empty then return noline
return (incomplete_line, None, NOLINE)
if incomplete_line is not None:
line = incomplete_line + line
if '\n' not in line:
return (line, None, NOLINE)
# every line is passed to function parse_line for getting values
line = line.rstrip()
(figure_id, state) = parse_line(line, lineno)
if state == INITIALIZATION:
# New figure created
# Add figure ID to list
figure_list.append(figure_id) # figure id of block is added to list
lastlogtimes[figure_id] = -1
line = None
elif state == ENDING:
# End of figure
# Remove figure ID from list
# Once ending of log file/data is encountered for that block, figure id
# will be removed
figure_list.remove(figure_id)
del lastlogtimes[figure_id]
line = None
elif state == NOLINE:
line = None
return (line, figure_id, state)
class StreamView(APIView):
"""
Streams Simulation results for 'task_id' provided after
uploading the xml
/api/streaming/<uuid>
"""
permission_classes = (AllowAny,)
methods = ['GET']
content_negotiation_class = IgnoreClientContentNegotiation
def get(self, request, task_id):
return StreamingHttpResponse(self.event_stream(task_id), content_type='text/event-stream')
def get_log_name(self, task_id):
while True:
file_obj = Task.objects.get(task_id=task_id)
log_name = file_obj.log_name
returncode = file_obj.returncode
if log_name is None:
if returncode is None:
time.sleep(LOOK_DELAY)
continue
logger.warning('log_name is None')
return None
if not os.path.isfile(log_name):
logger.warning('log file does not exist')
return None
if os.stat(log_name).st_size == 0:
if returncode is None:
time.sleep(LOOK_DELAY)
continue
logger.warning('log file is empty')
return None
return log_name
def handle_duplicate_lines(self):
if self.duplicatelineno == 0:
return
self.duplicatelines += self.duplicatelineno
yield "event: duplicate\ndata: %d\n\n" % self.duplicatelineno
self.duplicatelineno = 0
def event_stream(self, task_id):
if not isinstance(task_id, uuid.UUID):
raise ValidationError('Invalid uuid format')
log_name = self.get_log_name(task_id)
if log_name is None:
yield "event: ERROR\ndata: no log file found\n\n"
return
with open(log_name, 'r') as log_file:
# Start sending log
self.duplicatelineno = 0
self.duplicatelines = 0
lastline = ''
lineno = 0
line = None
starttime = time.time()
endtime = starttime + SCILAB_INSTANCE_TIMEOUT_INTERVAL
log_size = 0
figure_list = []
lastlogtimes = {}
while time.time() <= endtime and log_size <= MAX_LOG_SIZE:
(line, figure_id, state) = get_line_and_state(log_file, figure_list, lastlogtimes,
lineno, line)
# if incomplete line, wait for the complete line
if state == NOLINE:
time.sleep(LOOK_DELAY)
continue
if not figure_list:
break
# Get the line and loop until the state is ENDING and figure_list
# empty. Determine if we get block id and give it to chart.js
if line is None:
continue
if lastline != line:
self.handle_duplicate_lines()
lastline = line
if state == DATA:
words = line.split()
if len(words) == 15 and words[-1] == 'CSCOPE':
logtime = float(words[8])
totallogtime = float(words[-2])
if logtime < lastlogtimes[figure_id] + 0.001 * totallogtime:
line = None
continue
lastlogtimes[figure_id] = logtime
interval = starttime + logtime - time.time() - 0.1
if interval > 0:
time.sleep(interval)
send_line = "event: log\ndata: %s\n\n" % line
log_size += len(send_line)
yield send_line
else:
self.duplicatelineno += 1
lineno += 1
line = None
self.handle_duplicate_lines()
if self.duplicatelines != 0:
logger.info('lines = %s, duplicate lines = %s, log size = %s',
lineno, self.duplicatelines, log_size)
else:
logger.info('lines = %s, log size = %s', lineno, log_size)
update_task_status(None, task_id, 'SUCCESS')
# Notify Client
yield "event: DONE\ndata: None\n\n"
def get_session(request):
if not request.session.session_key:
request.session.save() # Create a new session if not already exists
session_id = request.session.session_key
app_name = request.GET.get('app_name', None)
# Save or update session in the custom table
session, created = Session.objects.update_or_create(
session_id=session_id,
app_name=app_name
)
return JsonResponse({'session_id': session_id, 'expire_at': session.expire_at})
|