Skip to content
New issue

Have a question about this project? # for a free GitHub account to open an issue and contact its maintainers and the community.

By clicking “#”, you agree to our terms of service and privacy statement. We’ll occasionally send you account related emails.

Already on GitHub? # to your account

Refactor code to use class-based exceptions and improve code organization #257

Open
wants to merge 1 commit into
base: master
Choose a base branch
from
Open
Show file tree
Hide file tree
Changes from all commits
Commits
File filter

Filter by extension

Filter by extension

Conversations
Failed to load comments.
Loading
Jump to
Jump to file
Failed to load files.
Loading
Diff view
Diff view
2 changes: 1 addition & 1 deletion .gitignore
Original file line number Diff line number Diff line change
Expand Up @@ -2,6 +2,6 @@ bin
include
lib
.Python
tests/
.envrc
.venv
__pycache__
98 changes: 66 additions & 32 deletions server.py
Original file line number Diff line number Diff line change
@@ -1,59 +1,93 @@
import json
from flask import Flask,render_template,request,redirect,flash,url_for
from flask import Flask, render_template, request, redirect, flash, url_for


def loadClubs():
with open('clubs.json') as c:
listOfClubs = json.load(c)['clubs']
return listOfClubs
def load_clubs():
with open("clubs.json") as c:
clubs = json.load(c)["clubs"]
return clubs


def loadCompetitions():
with open('competitions.json') as comps:
listOfCompetitions = json.load(comps)['competitions']
return listOfCompetitions
def load_competitions():
with open("competitions.json") as comps:
competitions = json.load(comps)["competitions"]
return competitions


app = Flask(__name__)
app.secret_key = 'something_special'
app.secret_key = "something_special"

competitions = loadCompetitions()
clubs = loadClubs()
competitions = load_competitions()
clubs = load_clubs()

@app.route('/')

class EmailNotFound(Exception):
def __init__(self, message):
super().__init__(message)
self.message = message


class CompetitionNotFound(Exception):
def __init__(self, message):
super().__init__(message)
self.message = message


def get_club(email):
clubs = load_clubs()
for club in clubs:
if email == club["email"]:
return club
raise EmailNotFound("Club introuvables. Veuillez réessayer.")


def get_competition(name):
competitions = load_competitions()
for competition in competitions:
if name == competition["name"]:
return competition
raise CompetitionNotFound("Compétition introuvables. Veuillez réessayer.")


@app.route("/")
def index():
return render_template('index.html')
return render_template("index.html")


@app.route('/showSummary',methods=['POST'])
@app.route("/showSummary", methods=["POST"])
def showSummary():
club = [club for club in clubs if club['email'] == request.form['email']][0]
return render_template('welcome.html',club=club,competitions=competitions)
club = get_club(request.form["email"])
return render_template("welcome.html", club=club, competitions=competitions)


@app.route('/book/<competition>/<club>')
def book(competition,club):
foundClub = [c for c in clubs if c['name'] == club][0]
foundCompetition = [c for c in competitions if c['name'] == competition][0]
@app.route("/book/<competition>/<club>")
def book(competition, club):
foundClub = [c for c in clubs if c["name"] == club][0]
foundCompetition = [c for c in competitions if c["name"] == competition][0]
if foundClub and foundCompetition:
return render_template('booking.html',club=foundClub,competition=foundCompetition)
return render_template(
"booking.html", club=foundClub, competition=foundCompetition
)
else:
flash("Something went wrong-please try again")
return render_template('welcome.html', club=club, competitions=competitions)
return render_template("welcome.html", club=club, competitions=competitions)


@app.route('/purchasePlaces',methods=['POST'])
@app.route("/purchasePlaces", methods=["POST"])
def purchasePlaces():
competition = [c for c in competitions if c['name'] == request.form['competition']][0]
club = [c for c in clubs if c['name'] == request.form['club']][0]
placesRequired = int(request.form['places'])
competition['numberOfPlaces'] = int(competition['numberOfPlaces'])-placesRequired
flash('Great-booking complete!')
return render_template('welcome.html', club=club, competitions=competitions)
competition = [c for c in competitions if c["name"] == request.form["competition"]][
0
]
club = [c for c in clubs if c["name"] == request.form["club"]][0]
placesRequired = int(request.form["places"])
competition["numberOfPlaces"] = int(competition["numberOfPlaces"]) - placesRequired
flash("Great-booking complete!")
return render_template("welcome.html", club=club, competitions=competitions)


# TODO: Add route for points display


@app.route('/logout')
@app.route("/logout")
def logout():
return redirect(url_for('index'))
return redirect(url_for("index"))
Empty file.
Empty file.
Empty file.
29 changes: 29 additions & 0 deletions tests/tests_unitaires/test_get_club.py
Original file line number Diff line number Diff line change
@@ -0,0 +1,29 @@
import pytest
import sys
import os

sys.path.insert(0, os.path.abspath(os.path.join(os.path.dirname(__file__), "../../")))

from server import get_club, load_clubs, EmailNotFound


def test_get_club_should_returne_club_with_valide_data(mocker):
mock_response = [{
"name": "test1",
"email": "test@testgetclub.co",
"points": "13",
}]
mocker.patch("server.load_clubs", return_value=mock_response)
result = get_club("test@testgetclub.co")
expected_value = {
"name": "test1",
"email": "test@testgetclub.co",
"points": "13"}
assert result == expected_value


def test_get_club_should_raise_error_with_invalide_data(mocker):

mocker.patch('server.load_clubs', return_value=[])
with pytest.raises(EmailNotFound, match='Club introuvables. Veuillez réessayer.'):
get_club("test2@testgetclub.co")
32 changes: 32 additions & 0 deletions tests/tests_unitaires/test_get_competition.py
Original file line number Diff line number Diff line change
@@ -0,0 +1,32 @@
import pytest
import sys
import os

sys.path.insert(0, os.path.abspath(os.path.join(os.path.dirname(__file__), '../../')))

from server import load_competitions, get_competition, CompetitionNotFound


def test_should_return_competition_with_valid_competition(mocker):
mock_response = [
{
"name": "testcompetition",
"date": "2020-03-27 10:00:00",
"numberOfPlaces": "11"
}
]
mocker.patch('server.load_competitions', return_value=mock_response)
result = get_competition('testcompetition')
expected_value = {
"name": "testcompetition",
"date": "2020-03-27 10:00:00",
"numberOfPlaces": "11"
}
assert result == expected_value


def test_should_raise_CompetitionNotFound_error_with_invalid_competition(mocker):
mock_response = []
mocker.patch('server.load_competitions', return_value=mock_response)
with pytest.raises(CompetitionNotFound, match="Compétition introuvables. Veuillez réessayer."):
get_competition('invalidcompetition')