Skip to content

Commit d14e189

Browse files
committed
build: linting changes after running ruff
1 parent a5f155c commit d14e189

7 files changed

+50
-43
lines changed

run.py

+2-2
Original file line numberDiff line numberDiff line change
@@ -1,4 +1,4 @@
11
from src.views import app
22

3-
if __name__ == '__main__':
4-
app.run(debug= True, port=5500, host='0.0.0.0')
3+
if __name__ == "__main__":
4+
app.run(debug=True, port=5500, host="0.0.0.0")

src/core.py

+2-2
Original file line numberDiff line numberDiff line change
@@ -2,5 +2,5 @@
22

33

44
app = Flask(__name__)
5-
app.config['DEBUG'] = True
6-
app.config['ENV'] = 'development'
5+
app.config["DEBUG"] = True
6+
app.config["ENV"] = "development"

src/data/convert_data.py

+5-3
Original file line numberDiff line numberDiff line change
@@ -19,7 +19,9 @@ def fetch_crime_data(self) -> None:
1919
"""Fetch crime data only when needed."""
2020
if not self.crime_data:
2121
latitude, longitude = self.location_client.postcode_to_coordinates()
22-
self.crime_data = self.police_client.get_data_for_coordinates(latitude, longitude)
22+
self.crime_data = self.police_client.get_data_for_coordinates(
23+
latitude, longitude
24+
)
2325

2426
def extract_specific_data(self, key: str) -> List:
2527
"""Helper function to count occurrences of a given key in crime data."""
@@ -32,12 +34,12 @@ def extract_specific_data(self, key: str) -> List:
3234
topic = topic.get("category", "Unknown") if topic else "Unknown"
3335
d[topic] += 1
3436

35-
return [{'label': k, 'value': v} for k, v in d.items()]
37+
return [{"label": k, "value": v} for k, v in d.items()]
3638

3739
def get_crime_categories(self) -> List:
3840
"""Extracts crime categories."""
3941
return self.extract_specific_data("category")
4042

4143
def get_crime_outcomes(self) -> List:
4244
"""Extracts crime outcomes."""
43-
return self.extract_specific_data("outcome_status")
45+
return self.extract_specific_data("outcome_status")

src/services/location_client.py

+4-4
Original file line numberDiff line numberDiff line change
@@ -9,7 +9,7 @@ def __init__(self, location):
99
def postcode_to_coordinates(self):
1010
url = f"http://api.postcodes.io/postcodes/{self.location}"
1111
resp_postcode = requests.get(url=url)
12-
data = json.loads(resp_postcode.text)['result']
13-
latitude = data['latitude']
14-
longitude = data['longitude']
15-
return latitude, longitude
12+
data = json.loads(resp_postcode.text)["result"]
13+
latitude = data["latitude"]
14+
longitude = data["longitude"]
15+
return latitude, longitude

src/services/police_client.py

+4-7
Original file line numberDiff line numberDiff line change
@@ -2,15 +2,12 @@
22
import requests
33

44

5-
class PoliceClient():
5+
class PoliceClient:
66
def __init__(self):
77
pass
88

99
def get_data_for_coordinates(self, latitude, longitude):
10-
url = 'https://data.police.uk/api/crimes-street/all-crime?'
11-
params = dict(
12-
lat=latitude,
13-
lng=longitude
14-
)
10+
url = "https://data.police.uk/api/crimes-street/all-crime?"
11+
params = dict(lat=latitude, lng=longitude)
1512
resp = requests.get(url=url, params=params)
16-
return json.loads(resp.text)
13+
return json.loads(resp.text)

src/views.py

+11-14
Original file line numberDiff line numberDiff line change
@@ -8,46 +8,43 @@ def _parse_request_body():
88
"""Extract data type from request body."""
99
request_body = request.get_json()
1010
try:
11-
id_ = request_body['id']
12-
items = request_body['items']
11+
id_ = request_body["id"]
12+
items = request_body["items"]
1313
return id_, items
1414
except KeyError:
1515
# Missing necessary fields.
16-
response_body = {
17-
'error':
18-
"'id', 'items' key in request body"
19-
}
16+
response_body = {"error": "'id', 'items' key in request body"}
2017
abort(make_response(jsonify(response_body), 400))
2118

2219

23-
@app.route('/healthz', methods=['GET'])
20+
@app.route("/healthz", methods=["GET"])
2421
def healthz():
25-
return '', 200
22+
return "", 200
2623

2724

2825
@app.route("/")
2926
def hello():
30-
return render_template('home.html')
27+
return render_template("home.html")
3128

3229

3330
@app.route("/home")
3431
def home():
3532
return redirect("/")
3633

3734

38-
@app.route('/category_data/<location>')
35+
@app.route("/category_data/<location>")
3936
def category_data(location):
4037
processor = CrimeDataProcessor(location)
4138
return jsonify(processor.get_crime_categories())
4239

4340

44-
@app.route('/outcome_data/<location>')
41+
@app.route("/outcome_data/<location>")
4542
def outcome_data(location):
4643
processor = CrimeDataProcessor(location)
4744
return jsonify(processor.get_crime_outcomes())
4845

4946

50-
@app.route('/viewcrime', methods=['GET', 'POST'])
47+
@app.route("/viewcrime", methods=["GET", "POST"])
5148
def viewcrime():
52-
postcode = request.form['postcode']
53-
return render_template('results.html', location=postcode)
49+
postcode = request.form["postcode"]
50+
return render_template("results.html", location=postcode)

tests/test_crime_data_processor.py

+22-11
Original file line numberDiff line numberDiff line change
@@ -1,9 +1,9 @@
11
import pytest
2-
from unittest.mock import patch, MagicMock
2+
from unittest.mock import patch
33

44
from src.data.convert_data import CrimeDataProcessor
55

6-
# Mock data
6+
77
MOCK_COORDINATES = (51.5074, -0.1278) # London example
88
MOCK_CRIME_DATA = [
99
{"category": "burglary", "outcome_status": {"category": "Under investigation"}},
@@ -12,17 +12,19 @@
1212
{"category": "theft", "outcome_status": {"category": "Under investigation"}},
1313
]
1414

15+
1516
@pytest.fixture
1617
def mock_processor():
1718
"""Fixture to create a CrimeDataProcessor with mocked API calls."""
18-
with patch("src.data.convert_data.LocationClient") as MockLocationClient, \
19-
patch("src.data.convert_data.PoliceClient") as MockPoliceClient:
20-
21-
# Mock LocationClient behavior
19+
with (
20+
patch("src.data.convert_data.LocationClient") as MockLocationClient,
21+
patch("src.data.convert_data.PoliceClient") as MockPoliceClient,
22+
):
23+
# Mock LocationClient behaviour
2224
mock_location = MockLocationClient.return_value
2325
mock_location.postcode_to_coordinates.return_value = MOCK_COORDINATES
2426

25-
# Mock PoliceClient behavior
27+
# Mock PoliceClient behaviour
2628
mock_police = MockPoliceClient.return_value
2729
mock_police.get_data_for_coordinates.return_value = MOCK_CRIME_DATA
2830

@@ -33,7 +35,7 @@ def test_get_crime_categories(mock_processor):
3335
"""Test if categories are counted correctly."""
3436
expected_result = [
3537
{"label": "burglary", "value": 2},
36-
{"label": "theft", "value": 2}
38+
{"label": "theft", "value": 2},
3739
]
3840
assert mock_processor.get_crime_categories() == expected_result
3941

@@ -52,9 +54,18 @@ def test_get_crime_outcomes(mock_processor):
5254
def test_fetch_crime_data_calls_api_once(mock_processor):
5355
"""Ensure postcode_to_coordinates and get_data_for_coordinates are only called once."""
5456

55-
with patch.object(mock_processor.location_client, "postcode_to_coordinates", return_value=(51.5074, -0.1278)) as mock_location, \
56-
patch.object(mock_processor.police_client, "get_data_for_coordinates", return_value=[{"category": "theft"}]) as mock_police:
57-
57+
with (
58+
patch.object(
59+
mock_processor.location_client,
60+
"postcode_to_coordinates",
61+
return_value=(51.5074, -0.1278),
62+
) as mock_location,
63+
patch.object(
64+
mock_processor.police_client,
65+
"get_data_for_coordinates",
66+
return_value=[{"category": "theft"}],
67+
) as mock_police,
68+
):
5869
mock_processor.get_crime_categories()
5970
mock_processor.get_crime_outcomes()
6071

0 commit comments

Comments
 (0)