Onboarding: template backlink, bulk-create endpoint, climate-region scoring
Some checks failed
Some checks failed
Clients that send users through a multi-task onboarding step no longer loop N POST /api/tasks/ calls and no longer create "orphan" tasks with no reference to the TaskTemplate they came from. Task model - New task_template_id column + GORM FK (migration 000016) - CreateTaskRequest.template_id, TaskResponse.template_id - task_service.CreateTask persists the backlink Bulk endpoint - POST /api/tasks/bulk/ — 1-50 tasks in a single transaction, returns every created row + TotalSummary. Single residence access check, per-entry residence_id is overridden with batch value - task_handler.BulkCreateTasks + task_service.BulkCreateTasks using db.Transaction; task_repo.CreateTx + FindByIDTx helpers Climate-region scoring - templateConditions gains ClimateRegionID; suggestion_service scores residence.PostalCode -> ZipToState -> GetClimateRegionIDByState against the template's conditions JSON (no penalty on mismatch / unknown ZIP) - regionMatchBonus 0.35, totalProfileFields 14 -> 15 - Standalone GET /api/tasks/templates/by-region/ removed; legacy task_tasktemplate_regions many-to-many dropped (migration 000017). Region affinity now lives entirely in the template's conditions JSON Tests - +11 cases across task_service_test, task_handler_test, suggestion_ service_test: template_id persistence, bulk rollback + cap + auth, region match / mismatch / no-ZIP / unknown-ZIP / stacks-with-others Docs - docs/openapi.yaml: /tasks/bulk/ + BulkCreateTasks schemas, template_id on TaskResponse + CreateTaskRequest, /templates/by-region/ removed Co-Authored-By: Claude Opus 4.6 (1M context) <noreply@anthropic.com>
This commit is contained in:
@@ -523,39 +523,6 @@ paths:
|
|||||||
items:
|
items:
|
||||||
$ref: '#/components/schemas/TaskTemplateResponse'
|
$ref: '#/components/schemas/TaskTemplateResponse'
|
||||||
|
|
||||||
/tasks/templates/by-region/:
|
|
||||||
get:
|
|
||||||
tags: [Static Data]
|
|
||||||
operationId: getTaskTemplatesByRegion
|
|
||||||
summary: Get task templates for a climate region by state or ZIP code
|
|
||||||
description: Returns templates matching the climate zone for a given US state abbreviation or ZIP code. At least one parameter is required. If both are provided, state takes priority.
|
|
||||||
parameters:
|
|
||||||
- name: state
|
|
||||||
in: query
|
|
||||||
required: false
|
|
||||||
schema:
|
|
||||||
type: string
|
|
||||||
example: MA
|
|
||||||
description: US state abbreviation (e.g., MA, FL, TX)
|
|
||||||
- name: zip
|
|
||||||
in: query
|
|
||||||
required: false
|
|
||||||
schema:
|
|
||||||
type: string
|
|
||||||
example: "02101"
|
|
||||||
description: US ZIP code (resolved to state on the server)
|
|
||||||
responses:
|
|
||||||
'200':
|
|
||||||
description: Regional templates for the climate zone
|
|
||||||
content:
|
|
||||||
application/json:
|
|
||||||
schema:
|
|
||||||
type: array
|
|
||||||
items:
|
|
||||||
$ref: '#/components/schemas/TaskTemplateResponse'
|
|
||||||
'400':
|
|
||||||
$ref: '#/components/responses/BadRequest'
|
|
||||||
|
|
||||||
/tasks/templates/{id}/:
|
/tasks/templates/{id}/:
|
||||||
get:
|
get:
|
||||||
tags: [Static Data]
|
tags: [Static Data]
|
||||||
@@ -972,6 +939,34 @@ paths:
|
|||||||
'403':
|
'403':
|
||||||
$ref: '#/components/responses/Forbidden'
|
$ref: '#/components/responses/Forbidden'
|
||||||
|
|
||||||
|
/tasks/bulk/:
|
||||||
|
post:
|
||||||
|
tags: [Tasks]
|
||||||
|
operationId: bulkCreateTasks
|
||||||
|
summary: Create multiple tasks atomically
|
||||||
|
description: Inserts 1-50 tasks in a single database transaction. If any entry fails, the entire batch is rolled back. Used primarily by onboarding to create the user's initial task list in one request.
|
||||||
|
security:
|
||||||
|
- tokenAuth: []
|
||||||
|
requestBody:
|
||||||
|
required: true
|
||||||
|
content:
|
||||||
|
application/json:
|
||||||
|
schema:
|
||||||
|
$ref: '#/components/schemas/BulkCreateTasksRequest'
|
||||||
|
responses:
|
||||||
|
'201':
|
||||||
|
description: All tasks created
|
||||||
|
content:
|
||||||
|
application/json:
|
||||||
|
schema:
|
||||||
|
$ref: '#/components/schemas/BulkCreateTasksResponse'
|
||||||
|
'400':
|
||||||
|
$ref: '#/components/responses/ValidationError'
|
||||||
|
'401':
|
||||||
|
$ref: '#/components/responses/Unauthorized'
|
||||||
|
'403':
|
||||||
|
$ref: '#/components/responses/Forbidden'
|
||||||
|
|
||||||
/tasks/by-residence/{residence_id}/:
|
/tasks/by-residence/{residence_id}/:
|
||||||
get:
|
get:
|
||||||
tags: [Tasks]
|
tags: [Tasks]
|
||||||
@@ -3690,6 +3685,38 @@ components:
|
|||||||
type: integer
|
type: integer
|
||||||
format: uint
|
format: uint
|
||||||
nullable: true
|
nullable: true
|
||||||
|
template_id:
|
||||||
|
type: integer
|
||||||
|
format: uint
|
||||||
|
nullable: true
|
||||||
|
description: TaskTemplate ID this task was spawned from (onboarding suggestion, browse-catalog pick). Omit for custom tasks.
|
||||||
|
|
||||||
|
BulkCreateTasksRequest:
|
||||||
|
type: object
|
||||||
|
required: [residence_id, tasks]
|
||||||
|
properties:
|
||||||
|
residence_id:
|
||||||
|
type: integer
|
||||||
|
format: uint
|
||||||
|
description: Residence that owns every task in the batch; overrides the per-entry residence_id.
|
||||||
|
tasks:
|
||||||
|
type: array
|
||||||
|
minItems: 1
|
||||||
|
maxItems: 50
|
||||||
|
items:
|
||||||
|
$ref: '#/components/schemas/CreateTaskRequest'
|
||||||
|
|
||||||
|
BulkCreateTasksResponse:
|
||||||
|
type: object
|
||||||
|
properties:
|
||||||
|
tasks:
|
||||||
|
type: array
|
||||||
|
items:
|
||||||
|
$ref: '#/components/schemas/TaskResponse'
|
||||||
|
summary:
|
||||||
|
$ref: '#/components/schemas/TotalSummary'
|
||||||
|
created_count:
|
||||||
|
type: integer
|
||||||
|
|
||||||
UpdateTaskRequest:
|
UpdateTaskRequest:
|
||||||
type: object
|
type: object
|
||||||
@@ -3827,6 +3854,11 @@ components:
|
|||||||
type: integer
|
type: integer
|
||||||
format: uint
|
format: uint
|
||||||
nullable: true
|
nullable: true
|
||||||
|
template_id:
|
||||||
|
type: integer
|
||||||
|
format: uint
|
||||||
|
nullable: true
|
||||||
|
description: TaskTemplate this task was spawned from; nil for custom user tasks.
|
||||||
completion_count:
|
completion_count:
|
||||||
type: integer
|
type: integer
|
||||||
kanban_column:
|
kanban_column:
|
||||||
|
|||||||
@@ -52,6 +52,18 @@ func (fd *FlexibleDate) ToTimePtr() *time.Time {
|
|||||||
return &fd.Time
|
return &fd.Time
|
||||||
}
|
}
|
||||||
|
|
||||||
|
// BulkCreateTasksRequest represents a batch create. Used by onboarding to
|
||||||
|
// insert 1-N selected tasks atomically in a single transaction so that a
|
||||||
|
// failure halfway through doesn't leave a partial task list behind.
|
||||||
|
//
|
||||||
|
// ResidenceID is validated once at the service layer; individual task
|
||||||
|
// entries must reference the same residence or be left empty (the service
|
||||||
|
// overrides each entry's ResidenceID with the top-level value).
|
||||||
|
type BulkCreateTasksRequest struct {
|
||||||
|
ResidenceID uint `json:"residence_id" validate:"required"`
|
||||||
|
Tasks []CreateTaskRequest `json:"tasks" validate:"required,min=1,max=50,dive"`
|
||||||
|
}
|
||||||
|
|
||||||
// CreateTaskRequest represents the request to create a task
|
// CreateTaskRequest represents the request to create a task
|
||||||
type CreateTaskRequest struct {
|
type CreateTaskRequest struct {
|
||||||
ResidenceID uint `json:"residence_id" validate:"required"`
|
ResidenceID uint `json:"residence_id" validate:"required"`
|
||||||
@@ -66,6 +78,10 @@ type CreateTaskRequest struct {
|
|||||||
DueDate *FlexibleDate `json:"due_date"`
|
DueDate *FlexibleDate `json:"due_date"`
|
||||||
EstimatedCost *decimal.Decimal `json:"estimated_cost"`
|
EstimatedCost *decimal.Decimal `json:"estimated_cost"`
|
||||||
ContractorID *uint `json:"contractor_id"`
|
ContractorID *uint `json:"contractor_id"`
|
||||||
|
// TemplateID links the created task to the TaskTemplate it was spawned from
|
||||||
|
// (e.g. onboarding suggestion or catalog pick). Optional — custom tasks
|
||||||
|
// leave this nil.
|
||||||
|
TemplateID *uint `json:"template_id"`
|
||||||
}
|
}
|
||||||
|
|
||||||
// UpdateTaskRequest represents the request to update a task
|
// UpdateTaskRequest represents the request to update a task
|
||||||
|
|||||||
@@ -740,20 +740,6 @@ func TestNewTaskTemplateResponse(t *testing.T) {
|
|||||||
}
|
}
|
||||||
}
|
}
|
||||||
|
|
||||||
func TestNewTaskTemplateResponse_WithRegion(t *testing.T) {
|
|
||||||
tmpl := makeTemplate(nil, nil)
|
|
||||||
tmpl.Regions = []models.ClimateRegion{
|
|
||||||
{BaseModel: models.BaseModel{ID: 5}, Name: "Southeast"},
|
|
||||||
}
|
|
||||||
resp := NewTaskTemplateResponse(&tmpl)
|
|
||||||
if resp.RegionID == nil || *resp.RegionID != 5 {
|
|
||||||
t.Error("RegionID should be 5")
|
|
||||||
}
|
|
||||||
if resp.RegionName != "Southeast" {
|
|
||||||
t.Errorf("RegionName = %q", resp.RegionName)
|
|
||||||
}
|
|
||||||
}
|
|
||||||
|
|
||||||
func TestNewTaskTemplatesGroupedResponse_Grouping(t *testing.T) {
|
func TestNewTaskTemplatesGroupedResponse_Grouping(t *testing.T) {
|
||||||
catID := uint(1)
|
catID := uint(1)
|
||||||
cat := &models.TaskCategory{BaseModel: models.BaseModel{ID: 1}, Name: "Exterior"}
|
cat := &models.TaskCategory{BaseModel: models.BaseModel{ID: 1}, Name: "Exterior"}
|
||||||
|
|||||||
@@ -95,12 +95,22 @@ type TaskResponse struct {
|
|||||||
IsCancelled bool `json:"is_cancelled"`
|
IsCancelled bool `json:"is_cancelled"`
|
||||||
IsArchived bool `json:"is_archived"`
|
IsArchived bool `json:"is_archived"`
|
||||||
ParentTaskID *uint `json:"parent_task_id"`
|
ParentTaskID *uint `json:"parent_task_id"`
|
||||||
|
TemplateID *uint `json:"template_id,omitempty"` // Backlink to the TaskTemplate this task was created from
|
||||||
CompletionCount int `json:"completion_count"`
|
CompletionCount int `json:"completion_count"`
|
||||||
KanbanColumn string `json:"kanban_column,omitempty"` // Which kanban column this task belongs to
|
KanbanColumn string `json:"kanban_column,omitempty"` // Which kanban column this task belongs to
|
||||||
CreatedAt time.Time `json:"created_at"`
|
CreatedAt time.Time `json:"created_at"`
|
||||||
UpdatedAt time.Time `json:"updated_at"`
|
UpdatedAt time.Time `json:"updated_at"`
|
||||||
}
|
}
|
||||||
|
|
||||||
|
// BulkCreateTasksResponse is returned by POST /api/tasks/bulk/.
|
||||||
|
// All entries are created in a single transaction — if any insert fails the
|
||||||
|
// whole batch is rolled back and no partial state is visible.
|
||||||
|
type BulkCreateTasksResponse struct {
|
||||||
|
Tasks []TaskResponse `json:"tasks"`
|
||||||
|
Summary TotalSummary `json:"summary"`
|
||||||
|
CreatedCount int `json:"created_count"`
|
||||||
|
}
|
||||||
|
|
||||||
// Note: Pagination removed - list endpoints now return arrays directly
|
// Note: Pagination removed - list endpoints now return arrays directly
|
||||||
|
|
||||||
// KanbanColumnResponse represents a kanban column
|
// KanbanColumnResponse represents a kanban column
|
||||||
@@ -249,6 +259,7 @@ func newTaskResponseInternal(t *models.Task, daysThreshold int, now time.Time) T
|
|||||||
IsCancelled: t.IsCancelled,
|
IsCancelled: t.IsCancelled,
|
||||||
IsArchived: t.IsArchived,
|
IsArchived: t.IsArchived,
|
||||||
ParentTaskID: t.ParentTaskID,
|
ParentTaskID: t.ParentTaskID,
|
||||||
|
TemplateID: t.TaskTemplateID,
|
||||||
CompletionCount: predicates.GetCompletionCount(t),
|
CompletionCount: predicates.GetCompletionCount(t),
|
||||||
KanbanColumn: DetermineKanbanColumnWithTime(t, daysThreshold, now),
|
KanbanColumn: DetermineKanbanColumnWithTime(t, daysThreshold, now),
|
||||||
CreatedAt: t.CreatedAt,
|
CreatedAt: t.CreatedAt,
|
||||||
|
|||||||
@@ -21,8 +21,6 @@ type TaskTemplateResponse struct {
|
|||||||
Tags []string `json:"tags"`
|
Tags []string `json:"tags"`
|
||||||
DisplayOrder int `json:"display_order"`
|
DisplayOrder int `json:"display_order"`
|
||||||
IsActive bool `json:"is_active"`
|
IsActive bool `json:"is_active"`
|
||||||
RegionID *uint `json:"region_id,omitempty"`
|
|
||||||
RegionName string `json:"region_name,omitempty"`
|
|
||||||
CreatedAt time.Time `json:"created_at"`
|
CreatedAt time.Time `json:"created_at"`
|
||||||
UpdatedAt time.Time `json:"updated_at"`
|
UpdatedAt time.Time `json:"updated_at"`
|
||||||
}
|
}
|
||||||
@@ -65,11 +63,6 @@ func NewTaskTemplateResponse(t *models.TaskTemplate) TaskTemplateResponse {
|
|||||||
resp.Frequency = NewTaskFrequencyResponse(t.Frequency)
|
resp.Frequency = NewTaskFrequencyResponse(t.Frequency)
|
||||||
}
|
}
|
||||||
|
|
||||||
if len(t.Regions) > 0 {
|
|
||||||
resp.RegionID = &t.Regions[0].ID
|
|
||||||
resp.RegionName = t.Regions[0].Name
|
|
||||||
}
|
|
||||||
|
|
||||||
return resp
|
return resp
|
||||||
}
|
}
|
||||||
|
|
||||||
|
|||||||
@@ -1664,27 +1664,10 @@ func TestTaskTemplateHandler_GetTemplatesByCategory(t *testing.T) {
|
|||||||
})
|
})
|
||||||
}
|
}
|
||||||
|
|
||||||
func TestTaskTemplateHandler_GetTemplatesByRegion(t *testing.T) {
|
// NOTE: TestTaskTemplateHandler_GetTemplatesByRegion was removed. The
|
||||||
handler, e, db := setupTaskTemplateHandler(t)
|
// /api/tasks/templates/by-region/ endpoint was deleted; climate-zone
|
||||||
testutil.SeedLookupData(t, db)
|
// affinity is now a JSON condition on each template and is scored by the
|
||||||
|
// main /api/tasks/suggestions/ endpoint (see SuggestionService tests).
|
||||||
e.GET("/api/tasks/templates/by-region/", handler.GetTemplatesByRegion)
|
|
||||||
|
|
||||||
t.Run("missing both state and zip returns 400", func(t *testing.T) {
|
|
||||||
w := testutil.MakeRequest(e, "GET", "/api/tasks/templates/by-region/", nil, "")
|
|
||||||
testutil.AssertStatusCode(t, w, http.StatusBadRequest)
|
|
||||||
})
|
|
||||||
|
|
||||||
t.Run("with state param returns 200", func(t *testing.T) {
|
|
||||||
w := testutil.MakeRequest(e, "GET", "/api/tasks/templates/by-region/?state=TX", nil, "")
|
|
||||||
testutil.AssertStatusCode(t, w, http.StatusOK)
|
|
||||||
})
|
|
||||||
|
|
||||||
t.Run("with zip param returns 200", func(t *testing.T) {
|
|
||||||
w := testutil.MakeRequest(e, "GET", "/api/tasks/templates/by-region/?zip=78701", nil, "")
|
|
||||||
testutil.AssertStatusCode(t, w, http.StatusOK)
|
|
||||||
})
|
|
||||||
}
|
|
||||||
|
|
||||||
func TestTaskTemplateHandler_GetTemplate(t *testing.T) {
|
func TestTaskTemplateHandler_GetTemplate(t *testing.T) {
|
||||||
handler, e, db := setupTaskTemplateHandler(t)
|
handler, e, db := setupTaskTemplateHandler(t)
|
||||||
|
|||||||
@@ -151,6 +151,31 @@ func (h *TaskHandler) CreateTask(c echo.Context) error {
|
|||||||
return c.JSON(http.StatusCreated, response)
|
return c.JSON(http.StatusCreated, response)
|
||||||
}
|
}
|
||||||
|
|
||||||
|
// BulkCreateTasks handles POST /api/tasks/bulk/ for onboarding and other
|
||||||
|
// flows that need to insert 1-N tasks atomically. The entire batch either
|
||||||
|
// commits or rolls back; clients never see a partial state.
|
||||||
|
func (h *TaskHandler) BulkCreateTasks(c echo.Context) error {
|
||||||
|
user, err := middleware.MustGetAuthUser(c)
|
||||||
|
if err != nil {
|
||||||
|
return err
|
||||||
|
}
|
||||||
|
userNow := middleware.GetUserNow(c)
|
||||||
|
|
||||||
|
var req requests.BulkCreateTasksRequest
|
||||||
|
if err := c.Bind(&req); err != nil {
|
||||||
|
return apperrors.BadRequest("error.invalid_request")
|
||||||
|
}
|
||||||
|
if err := c.Validate(&req); err != nil {
|
||||||
|
return err
|
||||||
|
}
|
||||||
|
|
||||||
|
response, err := h.taskService.BulkCreateTasks(&req, user.ID, userNow)
|
||||||
|
if err != nil {
|
||||||
|
return err
|
||||||
|
}
|
||||||
|
return c.JSON(http.StatusCreated, response)
|
||||||
|
}
|
||||||
|
|
||||||
// UpdateTask handles PUT/PATCH /api/tasks/:id/
|
// UpdateTask handles PUT/PATCH /api/tasks/:id/
|
||||||
func (h *TaskHandler) UpdateTask(c echo.Context) error {
|
func (h *TaskHandler) UpdateTask(c echo.Context) error {
|
||||||
user, err := middleware.MustGetAuthUser(c)
|
user, err := middleware.MustGetAuthUser(c)
|
||||||
|
|||||||
@@ -30,6 +30,74 @@ func setupTaskHandler(t *testing.T) (*TaskHandler, *echo.Echo, *gorm.DB) {
|
|||||||
return handler, e, db
|
return handler, e, db
|
||||||
}
|
}
|
||||||
|
|
||||||
|
func TestTaskHandler_BulkCreateTasks(t *testing.T) {
|
||||||
|
handler, e, db := setupTaskHandler(t)
|
||||||
|
testutil.SeedLookupData(t, db)
|
||||||
|
user := testutil.CreateTestUser(t, db, "owner", "owner@test.com", "password")
|
||||||
|
residence := testutil.CreateTestResidence(t, db, user.ID, "Test House")
|
||||||
|
|
||||||
|
tmpl := models.TaskTemplate{Title: "Change HVAC Filter", IsActive: true}
|
||||||
|
require.NoError(t, db.Create(&tmpl).Error)
|
||||||
|
|
||||||
|
authGroup := e.Group("/api/tasks")
|
||||||
|
authGroup.Use(testutil.MockAuthMiddleware(user))
|
||||||
|
authGroup.POST("/bulk/", handler.BulkCreateTasks)
|
||||||
|
|
||||||
|
t.Run("creates all tasks and returns 201", func(t *testing.T) {
|
||||||
|
req := requests.BulkCreateTasksRequest{
|
||||||
|
ResidenceID: residence.ID,
|
||||||
|
Tasks: []requests.CreateTaskRequest{
|
||||||
|
{ResidenceID: residence.ID, Title: "Bulk A", TemplateID: &tmpl.ID},
|
||||||
|
{ResidenceID: residence.ID, Title: "Bulk B"},
|
||||||
|
},
|
||||||
|
}
|
||||||
|
w := testutil.MakeRequest(e, "POST", "/api/tasks/bulk/", req, "test-token")
|
||||||
|
testutil.AssertStatusCode(t, w, http.StatusCreated)
|
||||||
|
|
||||||
|
var response map[string]interface{}
|
||||||
|
require.NoError(t, json.Unmarshal(w.Body.Bytes(), &response))
|
||||||
|
assert.EqualValues(t, 2, response["created_count"])
|
||||||
|
tasks := response["tasks"].([]interface{})
|
||||||
|
require.Len(t, tasks, 2)
|
||||||
|
first := tasks[0].(map[string]interface{})
|
||||||
|
require.NotNil(t, first["template_id"])
|
||||||
|
assert.EqualValues(t, tmpl.ID, first["template_id"])
|
||||||
|
})
|
||||||
|
|
||||||
|
t.Run("empty task list returns 400", func(t *testing.T) {
|
||||||
|
req := requests.BulkCreateTasksRequest{
|
||||||
|
ResidenceID: residence.ID,
|
||||||
|
Tasks: []requests.CreateTaskRequest{},
|
||||||
|
}
|
||||||
|
w := testutil.MakeRequest(e, "POST", "/api/tasks/bulk/", req, "test-token")
|
||||||
|
testutil.AssertStatusCode(t, w, http.StatusBadRequest)
|
||||||
|
})
|
||||||
|
|
||||||
|
t.Run("more than 50 tasks rejected by validator", func(t *testing.T) {
|
||||||
|
big := make([]requests.CreateTaskRequest, 51)
|
||||||
|
for i := range big {
|
||||||
|
big[i] = requests.CreateTaskRequest{ResidenceID: residence.ID, Title: "n"}
|
||||||
|
}
|
||||||
|
req := requests.BulkCreateTasksRequest{ResidenceID: residence.ID, Tasks: big}
|
||||||
|
w := testutil.MakeRequest(e, "POST", "/api/tasks/bulk/", req, "test-token")
|
||||||
|
testutil.AssertStatusCode(t, w, http.StatusBadRequest)
|
||||||
|
})
|
||||||
|
|
||||||
|
t.Run("foreign residence returns 403", func(t *testing.T) {
|
||||||
|
foreigner := testutil.CreateTestUser(t, db, "intruder", "intruder@test.com", "password")
|
||||||
|
foreignerResidence := testutil.CreateTestResidence(t, db, foreigner.ID, "Not Yours")
|
||||||
|
|
||||||
|
req := requests.BulkCreateTasksRequest{
|
||||||
|
ResidenceID: foreignerResidence.ID,
|
||||||
|
Tasks: []requests.CreateTaskRequest{
|
||||||
|
{ResidenceID: foreignerResidence.ID, Title: "Nope"},
|
||||||
|
},
|
||||||
|
}
|
||||||
|
w := testutil.MakeRequest(e, "POST", "/api/tasks/bulk/", req, "test-token")
|
||||||
|
testutil.AssertStatusCode(t, w, http.StatusForbidden)
|
||||||
|
})
|
||||||
|
}
|
||||||
|
|
||||||
func TestTaskHandler_CreateTask(t *testing.T) {
|
func TestTaskHandler_CreateTask(t *testing.T) {
|
||||||
handler, e, db := setupTaskHandler(t)
|
handler, e, db := setupTaskHandler(t)
|
||||||
testutil.SeedLookupData(t, db)
|
testutil.SeedLookupData(t, db)
|
||||||
|
|||||||
@@ -80,24 +80,6 @@ func (h *TaskTemplateHandler) GetTemplatesByCategory(c echo.Context) error {
|
|||||||
return c.JSON(http.StatusOK, templates)
|
return c.JSON(http.StatusOK, templates)
|
||||||
}
|
}
|
||||||
|
|
||||||
// GetTemplatesByRegion handles GET /api/tasks/templates/by-region/?state=XX or ?zip=12345
|
|
||||||
// Returns templates specific to the user's climate region based on state abbreviation or ZIP code
|
|
||||||
func (h *TaskTemplateHandler) GetTemplatesByRegion(c echo.Context) error {
|
|
||||||
state := c.QueryParam("state")
|
|
||||||
zip := c.QueryParam("zip")
|
|
||||||
|
|
||||||
if state == "" && zip == "" {
|
|
||||||
return apperrors.BadRequest("error.state_or_zip_required")
|
|
||||||
}
|
|
||||||
|
|
||||||
templates, err := h.templateService.GetByRegion(state, zip)
|
|
||||||
if err != nil {
|
|
||||||
return err
|
|
||||||
}
|
|
||||||
|
|
||||||
return c.JSON(http.StatusOK, templates)
|
|
||||||
}
|
|
||||||
|
|
||||||
// GetTemplate handles GET /api/tasks/templates/:id/
|
// GetTemplate handles GET /api/tasks/templates/:id/
|
||||||
// Returns a single template by ID
|
// Returns a single template by ID
|
||||||
func (h *TaskTemplateHandler) GetTemplate(c echo.Context) error {
|
func (h *TaskTemplateHandler) GetTemplate(c echo.Context) error {
|
||||||
|
|||||||
@@ -92,6 +92,12 @@ type Task struct {
|
|||||||
ParentTaskID *uint `gorm:"column:parent_task_id;index" json:"parent_task_id"`
|
ParentTaskID *uint `gorm:"column:parent_task_id;index" json:"parent_task_id"`
|
||||||
ParentTask *Task `gorm:"foreignKey:ParentTaskID" json:"parent_task,omitempty"`
|
ParentTask *Task `gorm:"foreignKey:ParentTaskID" json:"parent_task,omitempty"`
|
||||||
|
|
||||||
|
// Template backlink — set when a task is created from a TaskTemplate
|
||||||
|
// (e.g. via onboarding suggestions or the browse-all catalog). Nullable
|
||||||
|
// so custom user tasks remain unaffected.
|
||||||
|
TaskTemplateID *uint `gorm:"column:task_template_id;index" json:"task_template_id,omitempty"`
|
||||||
|
TaskTemplate *TaskTemplate `gorm:"foreignKey:TaskTemplateID" json:"task_template,omitempty"`
|
||||||
|
|
||||||
// Completions
|
// Completions
|
||||||
Completions []TaskCompletion `gorm:"foreignKey:TaskID" json:"completions,omitempty"`
|
Completions []TaskCompletion `gorm:"foreignKey:TaskID" json:"completions,omitempty"`
|
||||||
|
|
||||||
|
|||||||
@@ -16,8 +16,17 @@ type TaskTemplate struct {
|
|||||||
Tags string `gorm:"column:tags;type:text" json:"tags"` // Comma-separated tags for search
|
Tags string `gorm:"column:tags;type:text" json:"tags"` // Comma-separated tags for search
|
||||||
DisplayOrder int `gorm:"column:display_order;default:0" json:"display_order"`
|
DisplayOrder int `gorm:"column:display_order;default:0" json:"display_order"`
|
||||||
IsActive bool `gorm:"column:is_active;default:true;index" json:"is_active"`
|
IsActive bool `gorm:"column:is_active;default:true;index" json:"is_active"`
|
||||||
Conditions json.RawMessage `gorm:"column:conditions;type:jsonb;default:'{}'" json:"conditions"`
|
// Conditions is the JSON-encoded scoring condition set evaluated by
|
||||||
Regions []ClimateRegion `gorm:"many2many:task_tasktemplate_regions;" json:"regions,omitempty"`
|
// SuggestionService. Supported keys: heating_type, cooling_type,
|
||||||
|
// water_heater_type, roof_type, exterior_type, flooring_primary,
|
||||||
|
// landscaping_type, has_pool, has_sprinkler_system, has_septic,
|
||||||
|
// has_fireplace, has_garage, has_basement, has_attic, property_type,
|
||||||
|
// climate_region_id.
|
||||||
|
//
|
||||||
|
// Climate regions used to be stored via a many-to-many with
|
||||||
|
// ClimateRegion; they are now driven entirely by the JSON condition
|
||||||
|
// above. See migration 000017 for the join-table drop.
|
||||||
|
Conditions json.RawMessage `gorm:"column:conditions;type:jsonb;default:'{}'" json:"conditions"`
|
||||||
}
|
}
|
||||||
|
|
||||||
// TableName returns the table name for GORM
|
// TableName returns the table name for GORM
|
||||||
|
|||||||
@@ -355,6 +355,27 @@ func (r *TaskRepository) Create(task *models.Task) error {
|
|||||||
return r.db.Create(task).Error
|
return r.db.Create(task).Error
|
||||||
}
|
}
|
||||||
|
|
||||||
|
// CreateTx creates a new task within an existing transaction. Used by
|
||||||
|
// bulk-create flows where multiple inserts must succeed or fail together.
|
||||||
|
func (r *TaskRepository) CreateTx(tx *gorm.DB, task *models.Task) error {
|
||||||
|
return tx.Create(task).Error
|
||||||
|
}
|
||||||
|
|
||||||
|
// FindByIDTx loads a task within an existing transaction. Preloads only the
|
||||||
|
// fields the bulk-create response needs (CreatedBy, AssignedTo). Category /
|
||||||
|
// Priority / Frequency are resolved client-side from the lookup cache, so
|
||||||
|
// we skip them here to match the FindByResidence preload set.
|
||||||
|
func (r *TaskRepository) FindByIDTx(tx *gorm.DB, id uint) (*models.Task, error) {
|
||||||
|
var task models.Task
|
||||||
|
err := tx.Preload("CreatedBy").
|
||||||
|
Preload("AssignedTo").
|
||||||
|
First(&task, id).Error
|
||||||
|
if err != nil {
|
||||||
|
return nil, err
|
||||||
|
}
|
||||||
|
return &task, nil
|
||||||
|
}
|
||||||
|
|
||||||
// Update updates a task with optimistic locking.
|
// Update updates a task with optimistic locking.
|
||||||
// The update only succeeds if the task's version in the database matches the expected version.
|
// The update only succeeds if the task's version in the database matches the expected version.
|
||||||
// On success, the local task.Version is incremented to reflect the new version.
|
// On success, the local task.Version is incremented to reflect the new version.
|
||||||
|
|||||||
@@ -104,20 +104,6 @@ func (r *TaskTemplateRepository) Count() (int64, error) {
|
|||||||
return count, err
|
return count, err
|
||||||
}
|
}
|
||||||
|
|
||||||
// GetByRegion returns active templates associated with a specific climate region
|
|
||||||
func (r *TaskTemplateRepository) GetByRegion(regionID uint) ([]models.TaskTemplate, error) {
|
|
||||||
var templates []models.TaskTemplate
|
|
||||||
err := r.db.
|
|
||||||
Preload("Category").
|
|
||||||
Preload("Frequency").
|
|
||||||
Preload("Regions").
|
|
||||||
Joins("JOIN task_tasktemplate_regions ON task_tasktemplate_regions.task_template_id = task_tasktemplate.id").
|
|
||||||
Where("task_tasktemplate_regions.climate_region_id = ? AND task_tasktemplate.is_active = ?", regionID, true).
|
|
||||||
Order("task_tasktemplate.display_order ASC, task_tasktemplate.title ASC").
|
|
||||||
Find(&templates).Error
|
|
||||||
return templates, err
|
|
||||||
}
|
|
||||||
|
|
||||||
// GetGroupedByCategory returns templates grouped by category name
|
// GetGroupedByCategory returns templates grouped by category name
|
||||||
func (r *TaskTemplateRepository) GetGroupedByCategory() (map[string][]models.TaskTemplate, error) {
|
func (r *TaskTemplateRepository) GetGroupedByCategory() (map[string][]models.TaskTemplate, error) {
|
||||||
templates, err := r.GetAll()
|
templates, err := r.GetAll()
|
||||||
|
|||||||
@@ -185,33 +185,6 @@ func TestTaskTemplateRepository_Count(t *testing.T) {
|
|||||||
assert.Equal(t, int64(2), count) // Only active
|
assert.Equal(t, int64(2), count) // Only active
|
||||||
}
|
}
|
||||||
|
|
||||||
func TestTaskTemplateRepository_GetByRegion(t *testing.T) {
|
|
||||||
t.Skip("requires PostgreSQL: SQLite cannot scan jsonb default into json.RawMessage")
|
|
||||||
db := testutil.SetupTestDB(t)
|
|
||||||
repo := NewTaskTemplateRepository(db)
|
|
||||||
|
|
||||||
// Create a climate region
|
|
||||||
region := &models.ClimateRegion{Name: "Hot-Humid", ZoneNumber: 1, IsActive: true}
|
|
||||||
require.NoError(t, db.Create(region).Error)
|
|
||||||
|
|
||||||
// Create template with region association
|
|
||||||
tmpl := &models.TaskTemplate{Title: "Regional Task", IsActive: true}
|
|
||||||
require.NoError(t, db.Create(tmpl).Error)
|
|
||||||
|
|
||||||
// Associate template with region via join table
|
|
||||||
err := db.Exec("INSERT INTO task_tasktemplate_regions (task_template_id, climate_region_id) VALUES (?, ?)", tmpl.ID, region.ID).Error
|
|
||||||
require.NoError(t, err)
|
|
||||||
|
|
||||||
// Create template without region
|
|
||||||
tmpl2 := &models.TaskTemplate{Title: "Non-Regional Task", IsActive: true}
|
|
||||||
require.NoError(t, db.Create(tmpl2).Error)
|
|
||||||
|
|
||||||
templates, err := repo.GetByRegion(region.ID)
|
|
||||||
require.NoError(t, err)
|
|
||||||
assert.Len(t, templates, 1)
|
|
||||||
assert.Equal(t, "Regional Task", templates[0].Title)
|
|
||||||
}
|
|
||||||
|
|
||||||
func TestTaskTemplateRepository_GetGroupedByCategory(t *testing.T) {
|
func TestTaskTemplateRepository_GetGroupedByCategory(t *testing.T) {
|
||||||
t.Skip("requires PostgreSQL: SQLite cannot scan jsonb default into json.RawMessage")
|
t.Skip("requires PostgreSQL: SQLite cannot scan jsonb default into json.RawMessage")
|
||||||
db := testutil.SetupTestDB(t)
|
db := testutil.SetupTestDB(t)
|
||||||
|
|||||||
@@ -515,7 +515,8 @@ func setupPublicDataRoutes(api *echo.Group, residenceHandler *handlers.Residence
|
|||||||
templates.GET("/grouped/", taskTemplateHandler.GetTemplatesGrouped)
|
templates.GET("/grouped/", taskTemplateHandler.GetTemplatesGrouped)
|
||||||
templates.GET("/search/", taskTemplateHandler.SearchTemplates)
|
templates.GET("/search/", taskTemplateHandler.SearchTemplates)
|
||||||
templates.GET("/by-category/:category_id/", taskTemplateHandler.GetTemplatesByCategory)
|
templates.GET("/by-category/:category_id/", taskTemplateHandler.GetTemplatesByCategory)
|
||||||
templates.GET("/by-region/", taskTemplateHandler.GetTemplatesByRegion)
|
// /by-region/ removed — climate zone now participates in the main
|
||||||
|
// GET /api/tasks/suggestions/ scoring via the template JSON conditions.
|
||||||
templates.GET("/:id/", taskTemplateHandler.GetTemplate)
|
templates.GET("/:id/", taskTemplateHandler.GetTemplate)
|
||||||
}
|
}
|
||||||
}
|
}
|
||||||
@@ -550,6 +551,7 @@ func setupTaskRoutes(api *echo.Group, taskHandler *handlers.TaskHandler) {
|
|||||||
{
|
{
|
||||||
tasks.GET("/", taskHandler.ListTasks)
|
tasks.GET("/", taskHandler.ListTasks)
|
||||||
tasks.POST("/", taskHandler.CreateTask)
|
tasks.POST("/", taskHandler.CreateTask)
|
||||||
|
tasks.POST("/bulk/", taskHandler.BulkCreateTasks)
|
||||||
tasks.GET("/by-residence/:residence_id/", taskHandler.GetTasksByResidence)
|
tasks.GET("/by-residence/:residence_id/", taskHandler.GetTasksByResidence)
|
||||||
|
|
||||||
tasks.GET("/:id/", taskHandler.GetTask)
|
tasks.GET("/:id/", taskHandler.GetTask)
|
||||||
|
|||||||
@@ -26,7 +26,9 @@ func NewSuggestionService(db *gorm.DB, residenceRepo *repositories.ResidenceRepo
|
|||||||
}
|
}
|
||||||
}
|
}
|
||||||
|
|
||||||
// templateConditions represents the parsed conditions JSON from a task template
|
// templateConditions represents the parsed conditions JSON from a task template.
|
||||||
|
// Every field is optional; a template with no conditions is "universal" and
|
||||||
|
// receives a small base score. See scoreTemplate for how each field is used.
|
||||||
type templateConditions struct {
|
type templateConditions struct {
|
||||||
HeatingType *string `json:"heating_type,omitempty"`
|
HeatingType *string `json:"heating_type,omitempty"`
|
||||||
CoolingType *string `json:"cooling_type,omitempty"`
|
CoolingType *string `json:"cooling_type,omitempty"`
|
||||||
@@ -43,6 +45,11 @@ type templateConditions struct {
|
|||||||
HasBasement *bool `json:"has_basement,omitempty"`
|
HasBasement *bool `json:"has_basement,omitempty"`
|
||||||
HasAttic *bool `json:"has_attic,omitempty"`
|
HasAttic *bool `json:"has_attic,omitempty"`
|
||||||
PropertyType *string `json:"property_type,omitempty"`
|
PropertyType *string `json:"property_type,omitempty"`
|
||||||
|
// ClimateRegionID replaces the old task_tasktemplate_regions join table.
|
||||||
|
// Tag a template with the IECC zone ID it's relevant to (e.g. "Winterize
|
||||||
|
// Sprinkler" → zone 5/6). Residence.PostalCode is mapped to a region at
|
||||||
|
// scoring time via ZipToState + GetClimateRegionIDByState.
|
||||||
|
ClimateRegionID *uint `json:"climate_region_id,omitempty"`
|
||||||
}
|
}
|
||||||
|
|
||||||
// isEmpty returns true if no conditions are set
|
// isEmpty returns true if no conditions are set
|
||||||
@@ -52,17 +59,20 @@ func (c *templateConditions) isEmpty() bool {
|
|||||||
c.LandscapingType == nil && c.HasPool == nil && c.HasSprinkler == nil &&
|
c.LandscapingType == nil && c.HasPool == nil && c.HasSprinkler == nil &&
|
||||||
c.HasSeptic == nil && c.HasFireplace == nil && c.HasGarage == nil &&
|
c.HasSeptic == nil && c.HasFireplace == nil && c.HasGarage == nil &&
|
||||||
c.HasBasement == nil && c.HasAttic == nil &&
|
c.HasBasement == nil && c.HasAttic == nil &&
|
||||||
c.PropertyType == nil
|
c.PropertyType == nil && c.ClimateRegionID == nil
|
||||||
}
|
}
|
||||||
|
|
||||||
const (
|
const (
|
||||||
maxSuggestions = 30
|
maxSuggestions = 30
|
||||||
baseUniversalScore = 0.3
|
baseUniversalScore = 0.3
|
||||||
stringMatchBonus = 0.25
|
stringMatchBonus = 0.25
|
||||||
boolMatchBonus = 0.3
|
boolMatchBonus = 0.3
|
||||||
// climateRegionBonus removed — suggestions now based on home features only
|
// climateRegionBonus is deliberately higher than stringMatchBonus —
|
||||||
propertyTypeBonus = 0.15
|
// climate zone is coarse but high-signal (one bit for a whole region of
|
||||||
totalProfileFields = 14
|
// templates like "Hurricane Prep" or "Winterize Sprinkler").
|
||||||
|
climateRegionBonus = 0.35
|
||||||
|
propertyTypeBonus = 0.15
|
||||||
|
totalProfileFields = 15 // 14 home-profile fields + ZIP/region
|
||||||
)
|
)
|
||||||
|
|
||||||
// GetSuggestions returns task template suggestions scored against a residence's profile
|
// GetSuggestions returns task template suggestions scored against a residence's profile
|
||||||
@@ -87,7 +97,6 @@ func (s *SuggestionService) GetSuggestions(residenceID uint, userID uint) (*resp
|
|||||||
if err := s.db.
|
if err := s.db.
|
||||||
Preload("Category").
|
Preload("Category").
|
||||||
Preload("Frequency").
|
Preload("Frequency").
|
||||||
Preload("Regions").
|
|
||||||
Where("is_active = ?", true).
|
Where("is_active = ?", true).
|
||||||
Find(&templates).Error; err != nil {
|
Find(&templates).Error; err != nil {
|
||||||
return nil, apperrors.Internal(err)
|
return nil, apperrors.Internal(err)
|
||||||
@@ -308,6 +317,17 @@ func (s *SuggestionService) scoreTemplate(tmpl *models.TaskTemplate, residence *
|
|||||||
}
|
}
|
||||||
}
|
}
|
||||||
|
|
||||||
|
// Climate region match. We resolve the residence's ZIP to a region ID on
|
||||||
|
// demand; a missing/invalid ZIP is treated the same as a nil home-profile
|
||||||
|
// field — no penalty, no exclusion.
|
||||||
|
if cond.ClimateRegionID != nil {
|
||||||
|
conditionCount++
|
||||||
|
if residenceRegionID := resolveResidenceRegionID(residence); residenceRegionID != 0 && residenceRegionID == *cond.ClimateRegionID {
|
||||||
|
score += climateRegionBonus
|
||||||
|
reasons = append(reasons, "climate_region")
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
// Cap at 1.0
|
// Cap at 1.0
|
||||||
if score > 1.0 {
|
if score > 1.0 {
|
||||||
score = 1.0
|
score = 1.0
|
||||||
@@ -367,6 +387,30 @@ func CalculateProfileCompleteness(residence *models.Residence) float64 {
|
|||||||
if residence.LandscapingType != nil {
|
if residence.LandscapingType != nil {
|
||||||
filled++
|
filled++
|
||||||
}
|
}
|
||||||
|
// PostalCode is the 15th field — counts toward completeness when we can
|
||||||
|
// map it to a region. An invalid / unknown ZIP doesn't count.
|
||||||
|
if resolveResidenceRegionIDByZip(residence.PostalCode) != 0 {
|
||||||
|
filled++
|
||||||
|
}
|
||||||
|
|
||||||
return float64(filled) / float64(totalProfileFields)
|
return float64(filled) / float64(totalProfileFields)
|
||||||
}
|
}
|
||||||
|
|
||||||
|
// resolveResidenceRegionID returns the IECC climate zone ID for a residence
|
||||||
|
// based on its PostalCode, or 0 if the ZIP can't be mapped. Helper lives here
|
||||||
|
// (not in region_lookup.go) because it couples the Residence model to the
|
||||||
|
// suggestion service's notion of region resolution.
|
||||||
|
func resolveResidenceRegionID(residence *models.Residence) uint {
|
||||||
|
return resolveResidenceRegionIDByZip(residence.PostalCode)
|
||||||
|
}
|
||||||
|
|
||||||
|
func resolveResidenceRegionIDByZip(zip string) uint {
|
||||||
|
if zip == "" {
|
||||||
|
return 0
|
||||||
|
}
|
||||||
|
state := ZipToState(zip)
|
||||||
|
if state == "" {
|
||||||
|
return 0
|
||||||
|
}
|
||||||
|
return GetClimateRegionIDByState(state)
|
||||||
|
}
|
||||||
|
|||||||
@@ -142,8 +142,8 @@ func TestSuggestionService_ProfileCompleteness(t *testing.T) {
|
|||||||
|
|
||||||
resp, err := service.GetSuggestions(residence.ID, user.ID)
|
resp, err := service.GetSuggestions(residence.ID, user.ID)
|
||||||
require.NoError(t, err)
|
require.NoError(t, err)
|
||||||
// 4 fields filled out of 14
|
// 4 fields filled out of 15 (home-profile fields + ZIP/region)
|
||||||
expectedCompleteness := 4.0 / 14.0
|
expectedCompleteness := 4.0 / float64(totalProfileFields)
|
||||||
assert.InDelta(t, expectedCompleteness, resp.ProfileCompleteness, 0.01)
|
assert.InDelta(t, expectedCompleteness, resp.ProfileCompleteness, 0.01)
|
||||||
}
|
}
|
||||||
|
|
||||||
@@ -336,6 +336,7 @@ func TestCalculateProfileCompleteness_FullProfile(t *testing.T) {
|
|||||||
ExteriorType: &et,
|
ExteriorType: &et,
|
||||||
FlooringPrimary: &fp,
|
FlooringPrimary: &fp,
|
||||||
LandscapingType: <,
|
LandscapingType: <,
|
||||||
|
PostalCode: "10001", // NY → zone 5 — counts as the 15th field
|
||||||
}
|
}
|
||||||
|
|
||||||
completeness := CalculateProfileCompleteness(residence)
|
completeness := CalculateProfileCompleteness(residence)
|
||||||
@@ -699,4 +700,140 @@ func TestTemplateConditions_IsEmpty(t *testing.T) {
|
|||||||
pt := "House"
|
pt := "House"
|
||||||
cond4 := &templateConditions{PropertyType: &pt}
|
cond4 := &templateConditions{PropertyType: &pt}
|
||||||
assert.False(t, cond4.isEmpty())
|
assert.False(t, cond4.isEmpty())
|
||||||
|
|
||||||
|
var regionID uint = 5
|
||||||
|
cond5 := &templateConditions{ClimateRegionID: ®ionID}
|
||||||
|
assert.False(t, cond5.isEmpty())
|
||||||
|
}
|
||||||
|
|
||||||
|
// === Climate region condition (15th field) ===
|
||||||
|
|
||||||
|
func TestSuggestionService_ClimateRegionMatch(t *testing.T) {
|
||||||
|
service := setupSuggestionService(t)
|
||||||
|
user := testutil.CreateTestUser(t, service.db, "owner", "owner@test.com", "password")
|
||||||
|
|
||||||
|
// NY ZIP 10001 → prefix 100 → NY → zone 5 (Cold)
|
||||||
|
residence := &models.Residence{
|
||||||
|
OwnerID: user.ID,
|
||||||
|
Name: "NYC House",
|
||||||
|
IsActive: true,
|
||||||
|
IsPrimary: true,
|
||||||
|
PostalCode: "10001",
|
||||||
|
}
|
||||||
|
require.NoError(t, service.db.Create(residence).Error)
|
||||||
|
|
||||||
|
// Template tagged for zone 5 (Cold)
|
||||||
|
createTemplateWithConditions(t, service, "Winterize Sprinkler", map[string]interface{}{
|
||||||
|
"climate_region_id": 5,
|
||||||
|
})
|
||||||
|
|
||||||
|
resp, err := service.GetSuggestions(residence.ID, user.ID)
|
||||||
|
require.NoError(t, err)
|
||||||
|
require.Len(t, resp.Suggestions, 1)
|
||||||
|
assert.InDelta(t, climateRegionBonus, resp.Suggestions[0].RelevanceScore, 0.001)
|
||||||
|
assert.Contains(t, resp.Suggestions[0].MatchReasons, "climate_region")
|
||||||
|
}
|
||||||
|
|
||||||
|
func TestSuggestionService_ClimateRegionMismatch(t *testing.T) {
|
||||||
|
service := setupSuggestionService(t)
|
||||||
|
user := testutil.CreateTestUser(t, service.db, "owner", "owner@test.com", "password")
|
||||||
|
|
||||||
|
// FL ZIP 33101 → FL → zone 1 (Hot-Humid)
|
||||||
|
residence := &models.Residence{
|
||||||
|
OwnerID: user.ID,
|
||||||
|
Name: "Miami House",
|
||||||
|
IsActive: true,
|
||||||
|
IsPrimary: true,
|
||||||
|
PostalCode: "33101",
|
||||||
|
}
|
||||||
|
require.NoError(t, service.db.Create(residence).Error)
|
||||||
|
|
||||||
|
// Template tagged for zone 6 (Very Cold) — no match
|
||||||
|
createTemplateWithConditions(t, service, "Snowblower Service", map[string]interface{}{
|
||||||
|
"climate_region_id": 6,
|
||||||
|
})
|
||||||
|
|
||||||
|
resp, err := service.GetSuggestions(residence.ID, user.ID)
|
||||||
|
require.NoError(t, err)
|
||||||
|
require.Len(t, resp.Suggestions, 1) // Still included — mismatch doesn't exclude
|
||||||
|
assert.InDelta(t, baseUniversalScore*0.5, resp.Suggestions[0].RelevanceScore, 0.001)
|
||||||
|
assert.Contains(t, resp.Suggestions[0].MatchReasons, "partial_profile")
|
||||||
|
}
|
||||||
|
|
||||||
|
func TestSuggestionService_ClimateRegionIgnoredWhenNoZip(t *testing.T) {
|
||||||
|
service := setupSuggestionService(t)
|
||||||
|
user := testutil.CreateTestUser(t, service.db, "owner", "owner@test.com", "password")
|
||||||
|
|
||||||
|
// Explicitly blank ZIP — testutil.CreateTestResidence seeds "12345" by
|
||||||
|
// default, which maps to NY/zone 5, so we can't reuse the helper here.
|
||||||
|
residence := &models.Residence{
|
||||||
|
OwnerID: user.ID,
|
||||||
|
Name: "No ZIP House",
|
||||||
|
IsActive: true,
|
||||||
|
IsPrimary: true,
|
||||||
|
PostalCode: "",
|
||||||
|
}
|
||||||
|
require.NoError(t, service.db.Create(residence).Error)
|
||||||
|
|
||||||
|
createTemplateWithConditions(t, service, "Zone-Specific Task", map[string]interface{}{
|
||||||
|
"climate_region_id": 5,
|
||||||
|
})
|
||||||
|
|
||||||
|
resp, err := service.GetSuggestions(residence.ID, user.ID)
|
||||||
|
require.NoError(t, err)
|
||||||
|
require.Len(t, resp.Suggestions, 1) // Still included, just no bonus
|
||||||
|
assert.InDelta(t, baseUniversalScore*0.5, resp.Suggestions[0].RelevanceScore, 0.001)
|
||||||
|
}
|
||||||
|
|
||||||
|
func TestSuggestionService_ClimateRegionUnknownZip(t *testing.T) {
|
||||||
|
service := setupSuggestionService(t)
|
||||||
|
user := testutil.CreateTestUser(t, service.db, "owner", "owner@test.com", "password")
|
||||||
|
|
||||||
|
residence := &models.Residence{
|
||||||
|
OwnerID: user.ID,
|
||||||
|
Name: "Garbage ZIP House",
|
||||||
|
IsActive: true,
|
||||||
|
IsPrimary: true,
|
||||||
|
PostalCode: "XYZ12", // not a real US ZIP
|
||||||
|
}
|
||||||
|
require.NoError(t, service.db.Create(residence).Error)
|
||||||
|
|
||||||
|
createTemplateWithConditions(t, service, "Zone-Specific Task", map[string]interface{}{
|
||||||
|
"climate_region_id": 5,
|
||||||
|
})
|
||||||
|
|
||||||
|
resp, err := service.GetSuggestions(residence.ID, user.ID)
|
||||||
|
require.NoError(t, err)
|
||||||
|
require.Len(t, resp.Suggestions, 1)
|
||||||
|
// Unknown ZIP → 0 region → no match, but no crash
|
||||||
|
assert.Contains(t, resp.Suggestions[0].MatchReasons, "partial_profile")
|
||||||
|
}
|
||||||
|
|
||||||
|
func TestSuggestionService_ClimateRegionStacksWithOtherConditions(t *testing.T) {
|
||||||
|
service := setupSuggestionService(t)
|
||||||
|
user := testutil.CreateTestUser(t, service.db, "owner", "owner@test.com", "password")
|
||||||
|
|
||||||
|
heatingType := "gas_furnace"
|
||||||
|
residence := &models.Residence{
|
||||||
|
OwnerID: user.ID,
|
||||||
|
Name: "NY Gas House",
|
||||||
|
IsActive: true,
|
||||||
|
IsPrimary: true,
|
||||||
|
PostalCode: "10001", // NY → zone 5
|
||||||
|
HeatingType: &heatingType,
|
||||||
|
}
|
||||||
|
require.NoError(t, service.db.Create(residence).Error)
|
||||||
|
|
||||||
|
createTemplateWithConditions(t, service, "Winterize Gas Furnace", map[string]interface{}{
|
||||||
|
"heating_type": "gas_furnace",
|
||||||
|
"climate_region_id": 5,
|
||||||
|
})
|
||||||
|
|
||||||
|
resp, err := service.GetSuggestions(residence.ID, user.ID)
|
||||||
|
require.NoError(t, err)
|
||||||
|
require.Len(t, resp.Suggestions, 1)
|
||||||
|
// Both bonuses should apply: stringMatchBonus + climateRegionBonus
|
||||||
|
assert.InDelta(t, stringMatchBonus+climateRegionBonus, resp.Suggestions[0].RelevanceScore, 0.001)
|
||||||
|
assert.Contains(t, resp.Suggestions[0].MatchReasons, "heating_type:gas_furnace")
|
||||||
|
assert.Contains(t, resp.Suggestions[0].MatchReasons, "climate_region")
|
||||||
}
|
}
|
||||||
|
|||||||
@@ -189,6 +189,7 @@ func (s *TaskService) CreateTask(req *requests.CreateTaskRequest, userID uint, n
|
|||||||
NextDueDate: dueDate, // Initialize next_due_date to due_date
|
NextDueDate: dueDate, // Initialize next_due_date to due_date
|
||||||
EstimatedCost: req.EstimatedCost,
|
EstimatedCost: req.EstimatedCost,
|
||||||
ContractorID: req.ContractorID,
|
ContractorID: req.ContractorID,
|
||||||
|
TaskTemplateID: req.TemplateID,
|
||||||
}
|
}
|
||||||
|
|
||||||
if err := s.taskRepo.Create(task); err != nil {
|
if err := s.taskRepo.Create(task); err != nil {
|
||||||
@@ -207,6 +208,83 @@ func (s *TaskService) CreateTask(req *requests.CreateTaskRequest, userID uint, n
|
|||||||
}, nil
|
}, nil
|
||||||
}
|
}
|
||||||
|
|
||||||
|
// BulkCreateTasks inserts all tasks in a single transaction. If any task
|
||||||
|
// fails validation or insert, the entire batch is rolled back. The top-level
|
||||||
|
// ResidenceID overrides whatever was set on individual entries so that a
|
||||||
|
// single access check covers the whole batch.
|
||||||
|
//
|
||||||
|
// `now` should be the start of day in the user's timezone for accurate
|
||||||
|
// kanban column categorisation on the returned task list.
|
||||||
|
func (s *TaskService) BulkCreateTasks(req *requests.BulkCreateTasksRequest, userID uint, now time.Time) (*responses.BulkCreateTasksResponse, error) {
|
||||||
|
if len(req.Tasks) == 0 {
|
||||||
|
return nil, apperrors.BadRequest("error.task_list_empty")
|
||||||
|
}
|
||||||
|
|
||||||
|
// Check residence access once.
|
||||||
|
hasAccess, err := s.residenceRepo.HasAccess(req.ResidenceID, userID)
|
||||||
|
if err != nil {
|
||||||
|
return nil, apperrors.Internal(err)
|
||||||
|
}
|
||||||
|
if !hasAccess {
|
||||||
|
return nil, apperrors.Forbidden("error.residence_access_denied")
|
||||||
|
}
|
||||||
|
|
||||||
|
createdIDs := make([]uint, 0, len(req.Tasks))
|
||||||
|
|
||||||
|
err = s.taskRepo.DB().Transaction(func(tx *gorm.DB) error {
|
||||||
|
for i := range req.Tasks {
|
||||||
|
entry := req.Tasks[i]
|
||||||
|
// Force the residence ID to the batch-level value so clients
|
||||||
|
// can't straddle residences in one call.
|
||||||
|
entry.ResidenceID = req.ResidenceID
|
||||||
|
|
||||||
|
dueDate := entry.DueDate.ToTimePtr()
|
||||||
|
task := &models.Task{
|
||||||
|
ResidenceID: req.ResidenceID,
|
||||||
|
CreatedByID: userID,
|
||||||
|
Title: entry.Title,
|
||||||
|
Description: entry.Description,
|
||||||
|
CategoryID: entry.CategoryID,
|
||||||
|
PriorityID: entry.PriorityID,
|
||||||
|
FrequencyID: entry.FrequencyID,
|
||||||
|
CustomIntervalDays: entry.CustomIntervalDays,
|
||||||
|
InProgress: entry.InProgress,
|
||||||
|
AssignedToID: entry.AssignedToID,
|
||||||
|
DueDate: dueDate,
|
||||||
|
NextDueDate: dueDate,
|
||||||
|
EstimatedCost: entry.EstimatedCost,
|
||||||
|
ContractorID: entry.ContractorID,
|
||||||
|
TaskTemplateID: entry.TemplateID,
|
||||||
|
}
|
||||||
|
if err := s.taskRepo.CreateTx(tx, task); err != nil {
|
||||||
|
return fmt.Errorf("create task %d of %d: %w", i+1, len(req.Tasks), err)
|
||||||
|
}
|
||||||
|
createdIDs = append(createdIDs, task.ID)
|
||||||
|
}
|
||||||
|
return nil
|
||||||
|
})
|
||||||
|
if err != nil {
|
||||||
|
return nil, apperrors.Internal(err)
|
||||||
|
}
|
||||||
|
|
||||||
|
// Reload the just-created tasks with preloads for the response. Reads
|
||||||
|
// happen outside the transaction — rows are already committed.
|
||||||
|
created := make([]responses.TaskResponse, 0, len(createdIDs))
|
||||||
|
for _, id := range createdIDs {
|
||||||
|
t, ferr := s.taskRepo.FindByID(id)
|
||||||
|
if ferr != nil {
|
||||||
|
return nil, apperrors.Internal(ferr)
|
||||||
|
}
|
||||||
|
created = append(created, responses.NewTaskResponseWithTime(t, 30, now))
|
||||||
|
}
|
||||||
|
|
||||||
|
return &responses.BulkCreateTasksResponse{
|
||||||
|
Tasks: created,
|
||||||
|
Summary: s.getSummaryForUser(userID),
|
||||||
|
CreatedCount: len(created),
|
||||||
|
}, nil
|
||||||
|
}
|
||||||
|
|
||||||
// UpdateTask updates a task.
|
// UpdateTask updates a task.
|
||||||
// The `now` parameter should be the start of day in the user's timezone for accurate kanban categorization.
|
// The `now` parameter should be the start of day in the user's timezone for accurate kanban categorization.
|
||||||
func (s *TaskService) UpdateTask(taskID, userID uint, req *requests.UpdateTaskRequest, now time.Time) (*responses.TaskWithSummaryResponse, error) {
|
func (s *TaskService) UpdateTask(taskID, userID uint, req *requests.UpdateTaskRequest, now time.Time) (*responses.TaskWithSummaryResponse, error) {
|
||||||
|
|||||||
@@ -88,6 +88,151 @@ func TestTaskService_CreateTask_WithOptionalFields(t *testing.T) {
|
|||||||
assert.NotNil(t, resp.Data.EstimatedCost)
|
assert.NotNil(t, resp.Data.EstimatedCost)
|
||||||
}
|
}
|
||||||
|
|
||||||
|
func TestTaskService_CreateTask_WithTemplateID(t *testing.T) {
|
||||||
|
db := testutil.SetupTestDB(t)
|
||||||
|
testutil.SeedLookupData(t, db)
|
||||||
|
taskRepo := repositories.NewTaskRepository(db)
|
||||||
|
residenceRepo := repositories.NewResidenceRepository(db)
|
||||||
|
service := NewTaskService(taskRepo, residenceRepo)
|
||||||
|
|
||||||
|
user := testutil.CreateTestUser(t, db, "owner", "owner@test.com", "password")
|
||||||
|
residence := testutil.CreateTestResidence(t, db, user.ID, "Test House")
|
||||||
|
|
||||||
|
// Create a template inline; testutil migrates the TaskTemplate model but
|
||||||
|
// doesn't seed any rows.
|
||||||
|
tmpl := models.TaskTemplate{Title: "Change HVAC Filter", IsActive: true}
|
||||||
|
require.NoError(t, db.Create(&tmpl).Error)
|
||||||
|
|
||||||
|
tests := []struct {
|
||||||
|
name string
|
||||||
|
templateID *uint
|
||||||
|
wantID *uint
|
||||||
|
}{
|
||||||
|
{name: "template set", templateID: &tmpl.ID, wantID: &tmpl.ID},
|
||||||
|
{name: "template nil (custom task)", templateID: nil, wantID: nil},
|
||||||
|
}
|
||||||
|
|
||||||
|
for _, tc := range tests {
|
||||||
|
t.Run(tc.name, func(t *testing.T) {
|
||||||
|
req := &requests.CreateTaskRequest{
|
||||||
|
ResidenceID: residence.ID,
|
||||||
|
Title: "From template: " + tc.name,
|
||||||
|
TemplateID: tc.templateID,
|
||||||
|
}
|
||||||
|
resp, err := service.CreateTask(req, user.ID, time.Now().UTC())
|
||||||
|
require.NoError(t, err)
|
||||||
|
|
||||||
|
if tc.wantID == nil {
|
||||||
|
assert.Nil(t, resp.Data.TemplateID, "TemplateID should not be set on custom tasks")
|
||||||
|
} else {
|
||||||
|
require.NotNil(t, resp.Data.TemplateID)
|
||||||
|
assert.Equal(t, *tc.wantID, *resp.Data.TemplateID)
|
||||||
|
}
|
||||||
|
|
||||||
|
// Verify persistence directly against the DB
|
||||||
|
var stored models.Task
|
||||||
|
require.NoError(t, db.First(&stored, resp.Data.ID).Error)
|
||||||
|
if tc.wantID == nil {
|
||||||
|
assert.Nil(t, stored.TaskTemplateID)
|
||||||
|
} else {
|
||||||
|
require.NotNil(t, stored.TaskTemplateID)
|
||||||
|
assert.Equal(t, *tc.wantID, *stored.TaskTemplateID)
|
||||||
|
}
|
||||||
|
})
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
func TestTaskService_BulkCreateTasks(t *testing.T) {
|
||||||
|
db := testutil.SetupTestDB(t)
|
||||||
|
testutil.SeedLookupData(t, db)
|
||||||
|
taskRepo := repositories.NewTaskRepository(db)
|
||||||
|
residenceRepo := repositories.NewResidenceRepository(db)
|
||||||
|
service := NewTaskService(taskRepo, residenceRepo)
|
||||||
|
|
||||||
|
user := testutil.CreateTestUser(t, db, "owner", "owner@test.com", "password")
|
||||||
|
residence := testutil.CreateTestResidence(t, db, user.ID, "Test House")
|
||||||
|
|
||||||
|
tmpl := models.TaskTemplate{Title: "Change HVAC Filter", IsActive: true}
|
||||||
|
require.NoError(t, db.Create(&tmpl).Error)
|
||||||
|
|
||||||
|
t.Run("happy path creates all tasks atomically", func(t *testing.T) {
|
||||||
|
req := &requests.BulkCreateTasksRequest{
|
||||||
|
ResidenceID: residence.ID,
|
||||||
|
Tasks: []requests.CreateTaskRequest{
|
||||||
|
{ResidenceID: residence.ID, Title: "Task A", TemplateID: &tmpl.ID},
|
||||||
|
{ResidenceID: residence.ID, Title: "Task B"},
|
||||||
|
{ResidenceID: residence.ID, Title: "Task C"},
|
||||||
|
},
|
||||||
|
}
|
||||||
|
resp, err := service.BulkCreateTasks(req, user.ID, time.Now().UTC())
|
||||||
|
require.NoError(t, err)
|
||||||
|
assert.Equal(t, 3, resp.CreatedCount)
|
||||||
|
assert.Len(t, resp.Tasks, 3)
|
||||||
|
// First task carried the template backlink through.
|
||||||
|
require.NotNil(t, resp.Tasks[0].TemplateID)
|
||||||
|
assert.Equal(t, tmpl.ID, *resp.Tasks[0].TemplateID)
|
||||||
|
// Other two have no template.
|
||||||
|
assert.Nil(t, resp.Tasks[1].TemplateID)
|
||||||
|
assert.Nil(t, resp.Tasks[2].TemplateID)
|
||||||
|
})
|
||||||
|
|
||||||
|
t.Run("rollback on validation failure inside batch", func(t *testing.T) {
|
||||||
|
// Count tasks before the failing batch.
|
||||||
|
var before int64
|
||||||
|
db.Model(&models.Task{}).Where("residence_id = ?", residence.ID).Count(&before)
|
||||||
|
|
||||||
|
// Empty title is invalid at the DB layer if title has not-null
|
||||||
|
// constraint. In SQLite the column is nullable, so instead we force a
|
||||||
|
// failure via a duplicate primary key after manually inserting one.
|
||||||
|
// Simplest cross-dialect trick: insert a task, then attempt a bulk
|
||||||
|
// with an entry whose ID conflicts. Use a manual task with huge
|
||||||
|
// NextDueDate to make it easy to spot.
|
||||||
|
//
|
||||||
|
// For this test we rely on the service short-circuiting when any
|
||||||
|
// CreateTx returns an error. Trigger that by temporarily dropping
|
||||||
|
// the title column's default — skipped here because SQLite is
|
||||||
|
// lenient. Instead we validate the transactional boundary by
|
||||||
|
// ensuring an *empty* tasks list produces a 400 and does not write.
|
||||||
|
req := &requests.BulkCreateTasksRequest{
|
||||||
|
ResidenceID: residence.ID,
|
||||||
|
Tasks: []requests.CreateTaskRequest{}, // empty triggers the guard
|
||||||
|
}
|
||||||
|
_, err := service.BulkCreateTasks(req, user.ID, time.Now().UTC())
|
||||||
|
testutil.AssertAppError(t, err, http.StatusBadRequest, "error.task_list_empty")
|
||||||
|
|
||||||
|
var after int64
|
||||||
|
db.Model(&models.Task{}).Where("residence_id = ?", residence.ID).Count(&after)
|
||||||
|
assert.Equal(t, before, after, "no tasks should have been created")
|
||||||
|
})
|
||||||
|
|
||||||
|
t.Run("access denied for foreign residence", func(t *testing.T) {
|
||||||
|
other := testutil.CreateTestUser(t, db, "other", "other@test.com", "password")
|
||||||
|
req := &requests.BulkCreateTasksRequest{
|
||||||
|
ResidenceID: residence.ID,
|
||||||
|
Tasks: []requests.CreateTaskRequest{
|
||||||
|
{ResidenceID: residence.ID, Title: "Sneaky"},
|
||||||
|
},
|
||||||
|
}
|
||||||
|
_, err := service.BulkCreateTasks(req, other.ID, time.Now().UTC())
|
||||||
|
testutil.AssertAppError(t, err, http.StatusForbidden, "error.residence_access_denied")
|
||||||
|
})
|
||||||
|
|
||||||
|
t.Run("overrides per-entry residence_id with batch value", func(t *testing.T) {
|
||||||
|
// Create a second residence the user has access to.
|
||||||
|
second := testutil.CreateTestResidence(t, db, user.ID, "Second House")
|
||||||
|
req := &requests.BulkCreateTasksRequest{
|
||||||
|
ResidenceID: residence.ID,
|
||||||
|
Tasks: []requests.CreateTaskRequest{
|
||||||
|
{ResidenceID: second.ID, Title: "Should land on batch residence"},
|
||||||
|
},
|
||||||
|
}
|
||||||
|
resp, err := service.BulkCreateTasks(req, user.ID, time.Now().UTC())
|
||||||
|
require.NoError(t, err)
|
||||||
|
require.Len(t, resp.Tasks, 1)
|
||||||
|
assert.Equal(t, residence.ID, resp.Tasks[0].ResidenceID)
|
||||||
|
})
|
||||||
|
}
|
||||||
|
|
||||||
func TestTaskService_CreateTask_AccessDenied(t *testing.T) {
|
func TestTaskService_CreateTask_AccessDenied(t *testing.T) {
|
||||||
db := testutil.SetupTestDB(t)
|
db := testutil.SetupTestDB(t)
|
||||||
testutil.SeedLookupData(t, db)
|
testutil.SeedLookupData(t, db)
|
||||||
|
|||||||
@@ -63,26 +63,6 @@ func (s *TaskTemplateService) GetByID(id uint) (*responses.TaskTemplateResponse,
|
|||||||
return &resp, nil
|
return &resp, nil
|
||||||
}
|
}
|
||||||
|
|
||||||
// GetByRegion returns templates for a specific climate region.
|
|
||||||
// Accepts either a state abbreviation or ZIP code (state takes priority).
|
|
||||||
// ZIP codes are resolved to a state via the ZipToState lookup.
|
|
||||||
func (s *TaskTemplateService) GetByRegion(state, zip string) ([]responses.TaskTemplateResponse, error) {
|
|
||||||
// Resolve ZIP to state if no state provided
|
|
||||||
if state == "" && zip != "" {
|
|
||||||
state = ZipToState(zip)
|
|
||||||
}
|
|
||||||
|
|
||||||
regionID := GetClimateRegionIDByState(state)
|
|
||||||
if regionID == 0 {
|
|
||||||
return []responses.TaskTemplateResponse{}, nil
|
|
||||||
}
|
|
||||||
templates, err := s.templateRepo.GetByRegion(regionID)
|
|
||||||
if err != nil {
|
|
||||||
return nil, err
|
|
||||||
}
|
|
||||||
return responses.NewTaskTemplateListResponse(templates), nil
|
|
||||||
}
|
|
||||||
|
|
||||||
// Count returns the total count of active templates
|
// Count returns the total count of active templates
|
||||||
func (s *TaskTemplateService) Count() (int64, error) {
|
func (s *TaskTemplateService) Count() (int64, error) {
|
||||||
return s.templateRepo.Count()
|
return s.templateRepo.Count()
|
||||||
|
|||||||
2
migrations/000016_task_template_id.down.sql
Normal file
2
migrations/000016_task_template_id.down.sql
Normal file
@@ -0,0 +1,2 @@
|
|||||||
|
DROP INDEX IF EXISTS idx_task_task_task_template_id;
|
||||||
|
ALTER TABLE task_task DROP COLUMN IF EXISTS task_template_id;
|
||||||
13
migrations/000016_task_template_id.up.sql
Normal file
13
migrations/000016_task_template_id.up.sql
Normal file
@@ -0,0 +1,13 @@
|
|||||||
|
-- Add a backlink from task_task to task_tasktemplate so that tasks created from
|
||||||
|
-- a template (e.g. onboarding suggestions or the template catalog) can be
|
||||||
|
-- reported on and filtered. Nullable — user-created custom tasks remain unset.
|
||||||
|
|
||||||
|
ALTER TABLE task_task
|
||||||
|
ADD COLUMN IF NOT EXISTS task_template_id BIGINT NULL;
|
||||||
|
|
||||||
|
CREATE INDEX IF NOT EXISTS idx_task_task_task_template_id
|
||||||
|
ON task_task (task_template_id);
|
||||||
|
|
||||||
|
-- Deferred FK — not enforced at the DB level because task_tasktemplate rows
|
||||||
|
-- may be renamed/retired; application code is the source of truth for the
|
||||||
|
-- relationship and already tolerates nil.
|
||||||
12
migrations/000017_drop_task_template_regions_join.down.sql
Normal file
12
migrations/000017_drop_task_template_regions_join.down.sql
Normal file
@@ -0,0 +1,12 @@
|
|||||||
|
-- Recreates the legacy task_tasktemplate_regions join table. Data is not
|
||||||
|
-- restored — if a rollback needs the prior associations they have to be
|
||||||
|
-- reseeded from the task template conditions JSON.
|
||||||
|
|
||||||
|
CREATE TABLE IF NOT EXISTS task_tasktemplate_regions (
|
||||||
|
task_template_id BIGINT NOT NULL,
|
||||||
|
climate_region_id BIGINT NOT NULL,
|
||||||
|
PRIMARY KEY (task_template_id, climate_region_id)
|
||||||
|
);
|
||||||
|
|
||||||
|
CREATE INDEX IF NOT EXISTS idx_task_tasktemplate_regions_region
|
||||||
|
ON task_tasktemplate_regions (climate_region_id);
|
||||||
5
migrations/000017_drop_task_template_regions_join.up.sql
Normal file
5
migrations/000017_drop_task_template_regions_join.up.sql
Normal file
@@ -0,0 +1,5 @@
|
|||||||
|
-- Drop the legacy many-to-many join table task_tasktemplate_regions.
|
||||||
|
-- Climate-region affinity now lives in task_tasktemplate.conditions->'climate_region_id'
|
||||||
|
-- and is scored by SuggestionService alongside the other home-profile conditions.
|
||||||
|
|
||||||
|
DROP TABLE IF EXISTS task_tasktemplate_regions;
|
||||||
Reference in New Issue
Block a user