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.5KB

  1. # @name: publisher.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: publisher route for publisher-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. publisher = Blueprint('publisher', __name__)
  14. # function to retrieve data about a single publisher from the database
  15. def get_publisher(publisher_id):
  16. publisher = Publisher.query.filter_by(id=publisher_id).first()
  17. if publisher is None:
  18. abort(404)
  19. return publisher
  20. # route for displaying all publishers in database
  21. @publisher.route('/publishers')
  22. def get_publishers():
  23. publishers = Publisher.query
  24. return render_template('publishers.html', publishers=publishers)
  25. # route for displaying a single publisher based on the ID in the database
  26. @publisher.route('/publishers/<int:publisher_id>')
  27. def show_publisher(publisher_id):
  28. publisher = get_publisher(publisher_id)
  29. return render_template('publisher.html', publisher=publisher)
  30. # route for editing a single publisher based on the ID in the database
  31. @publisher.route('/publishers/<int:publisher_id>/edit', methods=('GET', 'POST'))
  32. @login_required
  33. def edit_publisher(publisher_id):
  34. publisher = get_publisher(publisher_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. publisher = Publisher.query.get(publisher_id)
  42. publisher.name = name
  43. publisher.description = description
  44. db.session.commit()
  45. return redirect(url_for('publisher.get_publishers'))
  46. return render_template('edit.html', publisher=publisher)
  47. # route for function to delete a single publisher from the edit page
  48. @publisher.route('/publishers/<int:publisher_id>/delete', methods=('POST',))
  49. @login_required
  50. def delete_publisher(publisher_id):
  51. publisher = get_publisher(publisher_id)
  52. deletion = Publisher.query.get(publisher_id)
  53. db.session.delete(deletion)
  54. db.session.commit()
  55. flash('Successfully deleted!')
  56. return redirect(url_for('publisher.get_publishers'))