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.

67 lines
2.4KB

  1. # @name: workflow.py
  2. # @creation_date: 2022-02-08
  3. # @license: The MIT License <https://opensource.org/licenses/MIT>
  4. # @author: Simon Bowie <ad7588@coventry.ac.uk>
  5. # @purpose: workflow route for workflow-related functions and pages
  6. # @acknowledgements:
  7. # https://www.digitalocean.com/community/tutorials/how-to-make-a-web-application-using-flask-in-python-3
  8. from flask import Blueprint, render_template, request, flash, redirect, url_for
  9. from flask_login import login_required, current_user
  10. from .models import Resource
  11. from werkzeug.exceptions import abort
  12. from . import db
  13. workflow = Blueprint('workflow', __name__)
  14. # function to retrieve data about a single workflow from the database
  15. def get_workflow(workflow_id):
  16. workflow = Workflow.query.filter_by(id=workflow_id).first()
  17. if workflow is None:
  18. abort(404)
  19. return workflow
  20. # route for displaying all workflows in database
  21. @workflow.route('/workflows')
  22. def get_workflows():
  23. workflows = Workflow.query
  24. return render_template('workflows.html', workflows=workflows)
  25. # route for displaying a single workflow based on the ID in the database
  26. @workflow.route('/workflows/<int:workflow_id>')
  27. def show_workflow(workflow_id):
  28. workflow = get_workflow(workflow_id)
  29. return render_template('workflow.html', workflow=workflow)
  30. # route for editing a single workflow based on the ID in the database
  31. @workflow.route('/workflows/<int:workflow_id>/edit', methods=('GET', 'POST'))
  32. @login_required
  33. def edit_workflow(workflow_id):
  34. workflow = get_workflow(workflow_id)
  35. if request.method == 'POST':
  36. name = request.form['name']
  37. description = request.form['description']
  38. if not name:
  39. flash('Name is required!')
  40. else:
  41. workflow = Workflow.query.get(workflow_id)
  42. workflow.name = name
  43. workflow.description = description
  44. db.session.commit()
  45. return redirect(url_for('workflow.get_workflows'))
  46. return render_template('edit.html', workflow=workflow)
  47. # route for function to delete a single workflow from the edit page
  48. @workflow.route('/workflows/<int:workflow_id>/delete', methods=('POST',))
  49. @login_required
  50. def delete_workflow(workflow_id):
  51. workflow = get_workflow(workflow_id)
  52. deletion = Workflow.query.get(workflow_id)
  53. db.session.delete(deletion)
  54. db.session.commit()
  55. flash('Successfully deleted!')
  56. return redirect(url_for('workflow.get_workflows'))