I'm designing a Scala service which has 3 endpoints which are very similar -
a. getUserByUserID(userIds: List[UserID]): List[User]
b. getUserByEmployeeID(employeeIDs: List[EmployeeID]): List[User]
c. getUserByDepartmentID(departmentIDs: List[DepartmentID]): List[User]
Think of User as a case class having many fields but 3 of them for the above endpoints are:
case class User(
userId: UserID,
employeeID: EmployeeID,
departmentID: DepartmentID,
)
All these IDs are of type java.util.UUID
.
All 3 endpoints return the User
object as a list where the appropriate IDs match.
My concern is that there's a lot of repetitive work in this. Only difference is that the WHERE
clause in the query changes to one of userID
, employeeID
, departmentID
.
I want to minimize this duplication. Is Scala generics a way to do that?
I was thinking of creating a coordinator service that takes in any form of ID and returns the List[User]
from it
so something like
endpoint1, endpoint2, endpoint3 -> call CoordinatorService --> call Database service
Coordinator service only has 1 method
def getUserFromAnyID[A <: UUID](id: A): List[User]
and somehow match the generic A
to ID to call appropriate database service. At a high level it would look like:
def getUserFromAnyID[A <: UUID](id: A): List[User] = {
// A is a list
A match {
case Nil => List.empty()
case someList =>
// How to match the type of the object in someList?? It can be any of userId, employeeID, departmentID
// After matching, it will call the database service:
<type of list object> match {
case userID: UserID => databaseService.getUsersByUserID(<pass list of userIds)
case employeeIds: EmployeeID => databaseService.getUsersByEmployeeIDs(<pass list of employee IDs)
.
.
.
}
}
}
Is there an efficient pattern to achieve this?