Skip to content
New issue

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

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

Already on GitHub? Sign in to your account

[#5199] Optimize /project/children endpoint #5204

Merged
merged 1 commit into from
Mar 10, 2023
Merged
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
54 changes: 36 additions & 18 deletions akvo/rest/serializers/project.py
Original file line number Diff line number Diff line change
@@ -1,12 +1,12 @@
# -*- coding: utf-8 -*-

import functools
# Akvo RSR is covered by the GNU Affero General Public License.
# See more details in the license.txt file located at the root folder of the Akvo RSR module.
# For additional details on the GNU license please see < http://www.gnu.org/licenses/agpl.html >.

from datetime import timedelta
import logging
from typing import List
from typing import List, Optional

from django.conf import settings
from django.utils.timezone import now
Expand Down Expand Up @@ -358,26 +358,44 @@ class ProjectMetadataSerializer(BaseRSRSerializer):
children_count = serializers.SerializerMethodField()

def get_children_count(self, obj):
return obj.children().count()
if parents_to_children := self.context.get("parents_to_children"):
return len(parents_to_children.get(obj.uuid, []))
else:
return obj.children().count()

def get_locations(self, obj):
countries = {location.country for location in obj.locations.all() if location.country}
return [
{'country': c.name, 'iso_code': c.iso_code}
for c
in countries
]
countries = set()
results = []
for location in obj.locations.all():
country = location.country
if not country or country in countries:
continue
countries.add(country)
results.append({
"country": country.name,
"iso_code": country.iso_code,
})
return results

def get_parent(self, obj):
p = obj.parent()
user = self.context['request'].user
if not user.can_view_project(p):
return None
return (
{'id': p.id, 'title': p.title, 'is_lead': p.is_hierarchy_root()}
if p is not None
else None
)
if "parent" in self.context:
p = self.context.get("parent")
else:
p = obj.parent()
user = self.context['request'].user
if not user.can_view_project(p):
return None
return self._parent_to_dict(p)

@staticmethod
@functools.lru_cache
def _parent_to_dict(parent: Project) -> Optional[dict]:
if parent is not None:
return {
'id': parent.id,
'title': parent.title,
'is_lead': parent.is_hierarchy_root()
}

def get_editable(self, obj):
"""Method used by the editable SerializerMethodField"""
Expand Down
35 changes: 27 additions & 8 deletions akvo/rest/views/project.py
Original file line number Diff line number Diff line change
Expand Up @@ -6,6 +6,8 @@
"""

from datetime import timedelta
from typing import Dict, List
from uuid import UUID

from django.conf import settings
from django.db.models import Count, Q
Expand Down Expand Up @@ -104,22 +106,39 @@ def external_project(self, request, **kwargs):
def children(self, request, **kwargs):
project = self.get_object()

queryset = self._filter_queryset(project.children().select_related(
queryset = self._filter_queryset(project.descendants(max_depth=2, with_self=False).select_related(
"primary_organisation",
"projecthierarchy",
"publishingstatus",
).prefetch_related(
"locations",
"locations__country",
"recipient_countries",
"sectors",
"projectrole_set",
))
page = self.paginate_queryset(queryset)

descendants = list(queryset)
serializer_context = self.get_serializer_context()

if page is not None:
serializer = ProjectMetadataSerializer(page, many=True, context=serializer_context)
return self.get_paginated_response(serializer.data)
# Optimization to count the children
# Collect the children of each project in a list
# The alternative is a subquery, but that's extra slow due to lacking psql indices
parent_to_children: Dict[UUID, List[Project]] = dict()
children: List[Project] = []
parent_uuid = project.uuid
for descendant in descendants:
if not (curr_parent_uuid := descendant.get_parent_uuid()):
continue
parent_to_children.setdefault(curr_parent_uuid, []).append(descendant)

if curr_parent_uuid == parent_uuid:
children.append(descendant)

serializer_context["parents_to_children"] = parent_to_children

# optimization for ProjectMetadataSerializer.get_parent
serializer_context["parent"] = project

serializer = ProjectMetadataSerializer(queryset, many=True, context=serializer_context).data
serializer = ProjectMetadataSerializer(children, many=True, context=serializer_context)
return Response(serializer.data)

@action(
Expand Down
10 changes: 3 additions & 7 deletions akvo/rsr/spa/app/modules/hierarchy/services.js
Original file line number Diff line number Diff line change
@@ -1,13 +1,9 @@
import api from '../../utils/api'
import { getProjectUuids } from '../../utils/misc'

export const getChildrenApi = async (id, page = 1) => {
const response = await api.get(`/project/${id}/children/?format=json&page=${page}`)
const { results, next } = response.data
if (next) {
return results?.concat(await getChildrenApi(id, page + 1))
}
return results
export const getChildrenApi = async (id) => {
const response = await api.get(`/project/${id}/children/?format=json`)
return response.data
}

export const getProgramApi = (id, successCallback, errorCallback) => {
Expand Down
11 changes: 5 additions & 6 deletions akvo/rsr/tests/rest/test_project_hierarchy.py
Original file line number Diff line number Diff line change
Expand Up @@ -88,23 +88,22 @@ def test_project_access_check(self):
self.assertFalse(self.user.has_perm('rsr.view_project', self.p5))
self.assertFalse(self.user.has_perm('rsr.view_project', self.p6))

def assertReturnsProjects(self, response, project_set):
results = response.data["results"]
self.assertEqual(len(project_set), response.data["count"])
def assertReturnsProjects(self, results, count, project_set):
self.assertEqual(len(project_set), count)
self.assertEqual(project_set, {p['id'] for p in results})
self.assertFalse(results[0]['editable'])

def test_fetch_root_projects(self):
response = self.c.get('/rest/v1/program/?format=json', follow=True)
self.assertReturnsProjects(response, {self.p1.id, self.p5.id})
self.assertReturnsProjects(response.data["results"], response.data["count"], {self.p1.id, self.p5.id})

def test_get_program_children(self):
response = self.c.get(f'/rest/v1/project/{self.p1.id}/children?format=json', follow=True)
self.assertReturnsProjects(response, {self.p2.id})
self.assertReturnsProjects(response.data, len(response.data), {self.p2.id})

def test_get_project_children(self):
response = self.c.get(f'/rest/v1/project/{self.p2.id}/children?format=json', follow=True)
self.assertReturnsProjects(response, {self.p3.id})
self.assertReturnsProjects(response.data, len(response.data), {self.p3.id})


class RawProjectHierarchyTestCase(BaseTestCase):
Expand Down