feat(medusa): Retrieve (service + controller) a product category (#3004)

What:

Introduces a store endpoint to retrieve a product category

Why:

This is part of a greater goal of allowing products to be added to multiple categories.

How:

- Creates an endpoint in store routes

RESOLVES CORE-967
This commit is contained in:
Riqwan Thamir
2023-01-12 17:19:06 +01:00
committed by GitHub
parent b80124d32d
commit b2839e2e4d
9 changed files with 458 additions and 4 deletions

View File

@@ -17,6 +17,7 @@ import shippingOptionRoutes from "./shipping-options"
import swapRoutes from "./swaps"
import variantRoutes from "./variants"
import paymentCollectionRoutes from "./payment-collections"
import productCategoryRoutes from "./product-categories"
import { parseCorsOrigins } from "medusa-core-utils"
const route = Router()
@@ -52,6 +53,7 @@ export default (app, container, config) => {
giftCardRoutes(route)
returnReasonRoutes(route)
paymentCollectionRoutes(route)
productCategoryRoutes(route)
return app
}

View File

@@ -0,0 +1,70 @@
import { IdMap } from "medusa-test-utils"
import { request } from "../../../../../helpers/test-request"
import {
defaultStoreProductCategoryRelations,
defaultStoreScope,
defaultStoreProductCategoryFields
} from ".."
import {
ProductCategoryServiceMock,
validProdCategoryId,
invalidProdCategoryId,
} from "../../../../../services/__mocks__/product-category"
describe("GET /store/product-categories/:id", () => {
describe("get product category by id successfully", () => {
let subject
beforeAll(async () => {
subject = await request("GET", `/store/product-categories/${IdMap.getId(validProdCategoryId)}`)
})
afterAll(() => {
jest.clearAllMocks()
})
it("calls retrieve from product category service", () => {
expect(ProductCategoryServiceMock.retrieve).toHaveBeenCalledTimes(1)
expect(ProductCategoryServiceMock.retrieve).toHaveBeenCalledWith(
IdMap.getId(validProdCategoryId),
{
relations: defaultStoreProductCategoryRelations,
select: defaultStoreProductCategoryFields,
},
defaultStoreScope
)
})
it("returns product category", () => {
expect(subject.body.product_category.id).toEqual(IdMap.getId(validProdCategoryId))
})
})
describe("returns 404 error when ID is invalid", () => {
let subject
beforeAll(async () => {
subject = await request("GET", `/store/product-categories/${IdMap.getId(invalidProdCategoryId)}`)
})
afterAll(() => {
jest.clearAllMocks()
})
it("calls retrieve from product category service", () => {
expect(ProductCategoryServiceMock.retrieve).toHaveBeenCalledTimes(1)
expect(ProductCategoryServiceMock.retrieve).toHaveBeenCalledWith(
IdMap.getId(invalidProdCategoryId),
{
relations: defaultStoreProductCategoryRelations,
select: defaultStoreProductCategoryFields,
},
defaultStoreScope
)
})
it("throws not found error", () => {
expect(subject.body.type).toEqual("not_found")
})
})
})

View File

@@ -0,0 +1,88 @@
import { Request, Response } from "express"
import ProductCategoryService from "../../../../services/product-category"
import { FindParams } from "../../../../types/common"
import { transformTreeNodesWithConfig } from "../../../../utils/transformers/tree"
import { defaultStoreProductCategoryRelations, defaultStoreScope } from "."
/**
* @oas [get] /product-categories/{id}
* operationId: "GetProductCategoriesCategory"
* summary: "Get a Product Category"
* description: "Retrieves a Product Category."
* x-authenticated: false
* parameters:
* - (path) id=* {string} The ID of the Product Category
* - (query) expand {string} (Comma separated) Which fields should be expanded in each product category.
* - (query) fields {string} (Comma separated) Which fields should be retrieved in each product category.
* x-codeSamples:
* - lang: JavaScript
* label: JS Client
* source: |
* import Medusa from "@medusajs/medusa-js"
* const medusa = new Medusa({ baseUrl: MEDUSA_BACKEND_URL, maxRetries: 3 })
* // must be previously logged in or use api token
* medusa.productCategories.retrieve("pcat-id")
* .then(({ productCategory }) => {
* console.log(productCategory.id);
* });
* - lang: Shell
* label: cURL
* source: |
* curl --location --request GET 'https://medusa-url.com/store/product-categories/{id}' \
* --header 'Authorization: Bearer {api_token}'
* security:
* - api_token: []
* - cookie_auth: []
* tags:
* - Product Category
* responses:
* "200":
* description: OK
* content:
* application/json:
* schema:
* type: object
* properties:
* productCategory:
* $ref: "#/components/schemas/ProductCategory"
* "400":
* $ref: "#/components/responses/400_error"
* "401":
* $ref: "#/components/responses/unauthorized"
* "404":
* $ref: "#/components/responses/not_found_error"
* "409":
* $ref: "#/components/responses/invalid_state_error"
* "422":
* $ref: "#/components/responses/invalid_request_error"
* "500":
* $ref: "#/components/responses/500_error"
*/
export default async (req: Request, res: Response) => {
const { id } = req.params
const { retrieveConfig } = req
const productCategoryService: ProductCategoryService = req.scope.resolve(
"productCategoryService"
)
const productCategory = await productCategoryService.retrieve(
id,
retrieveConfig,
defaultStoreScope
)
res.status(200).json({
// TODO: When we implement custom queries for tree paths in medusa, remove the transformer
// Adding this here since typeorm tree repo doesn't allow configs to be passed
// onto its children nodes. As an alternative, we are transforming the data post query.
product_category: transformTreeNodesWithConfig(
productCategory,
retrieveConfig,
defaultStoreScope
),
})
}
export class StoreGetProductCategoryParams extends FindParams {}

View File

@@ -0,0 +1,52 @@
import { Router } from "express"
import middlewares, { transformQuery } from "../../../middlewares"
import getProductCategory, {
StoreGetProductCategoryParams,
} from "./get-product-category"
const route = Router()
export default (app) => {
app.use("/product-categories", route)
route.get(
"/:id",
transformQuery(StoreGetProductCategoryParams, {
defaultFields: defaultStoreProductCategoryFields,
allowedFields: allowedStoreProductCategoryFields,
defaultRelations: defaultStoreProductCategoryRelations,
isList: false,
}),
middlewares.wrap(getProductCategory)
)
return app
}
export const defaultStoreProductCategoryRelations = [
"parent_category",
"category_children",
]
export const defaultStoreScope = {
is_internal: false,
is_active: true,
}
export const defaultStoreProductCategoryFields = [
"id",
"name",
"handle",
"created_at",
"updated_at",
]
export const allowedStoreProductCategoryFields = [
"id",
"name",
"handle",
"created_at",
"updated_at",
]
export * from "./get-product-category"

View File

@@ -0,0 +1,43 @@
import { MedusaError } from "medusa-core-utils"
import { IdMap } from "medusa-test-utils"
export const validProdCategoryId = "skinny-jeans"
export const invalidProdCategoryId = "not-found"
export const ProductCategoryServiceMock = {
withTransaction: function () {
return this
},
create: jest.fn().mockImplementation((data) => {
return Promise.resolve({ id: IdMap.getId(validProdCategoryId), ...data })
}),
retrieve: jest.fn().mockImplementation((id) => {
if (id === IdMap.getId(invalidProdCategoryId)) {
throw new MedusaError(MedusaError.Types.NOT_FOUND, "ProductCategory not found")
}
if (id === IdMap.getId(validProdCategoryId)) {
return Promise.resolve({ id: IdMap.getId(validProdCategoryId) })
}
}),
delete: jest.fn().mockReturnValue(Promise.resolve()),
update: jest.fn().mockImplementation((id, data) => {
if (id === IdMap.getId(invalidProdCategoryId)) {
throw new MedusaError(MedusaError.Types.NOT_FOUND, "ProductCategory not found")
}
return Promise.resolve(Object.assign({ id }, data))
}),
list: jest.fn().mockImplementation((data) => {
return Promise.resolve([{ id: IdMap.getId(validProdCategoryId) }])
}),
listAndCount: jest.fn().mockImplementation((data) => {
return Promise.resolve([[{ id: IdMap.getId(validProdCategoryId) }], 1])
}),
}
const mock = jest.fn().mockImplementation(() => {
return ProductCategoryServiceMock
})
export default mock

View File

@@ -86,7 +86,8 @@ class ProductCategoryService extends TransactionBaseService {
*/
async retrieve(
productCategoryId: string,
config: FindConfig<ProductCategory> = {}
config: FindConfig<ProductCategory> = {},
selector: Selector<ProductCategory> = {}
): Promise<ProductCategory> {
if (!isDefined(productCategoryId)) {
throw new MedusaError(
@@ -95,7 +96,8 @@ class ProductCategoryService extends TransactionBaseService {
)
}
const query = buildQuery({ id: productCategoryId }, config)
const selectors = Object.assign({ id: productCategoryId }, selector)
const query = buildQuery(selectors, config)
const productCategoryRepo = this.manager_.getCustomRepository(
this.productCategoryRepo_
)
@@ -133,7 +135,7 @@ class ProductCategoryService extends TransactionBaseService {
await this.eventBusService_
.withTransaction(manager)
.emit(ProductCategoryService.Events.CREATED, {
id: productCategory.id
id: productCategory.id,
})
return productCategory
@@ -206,7 +208,7 @@ class ProductCategoryService extends TransactionBaseService {
await this.eventBusService_
.withTransaction(manager)
.emit(ProductCategoryService.Events.DELETED, {
id: productCategory.id
id: productCategory.id,
})
})
}

View File

@@ -0,0 +1,47 @@
import { pick } from "lodash"
import { isDefined } from "medusa-core-utils"
import { filter, isNull } from "lodash"
// TODO: When we implement custom queries for tree paths in medusa, remove the transformer
// Adding this here since typeorm tree repo doesn't allow configs to be passed
// onto its children nodes. As an alternative, we are transforming the data post query.
export function transformTreeNodesWithConfig(
object,
config,
scope = {},
isParentNode = false
) {
const selects = (config.select || []) as string[]
const relations = (config.relations || []) as string[]
const selectsAndRelations = selects.concat(relations)
for (const [key, value] of Object.entries(scope)) {
const modelValue = object[key]
if (isDefined(modelValue) && modelValue !== value) {
return null
}
}
if (object.parent_category) {
object.parent_category = transformTreeNodesWithConfig(
object.parent_category,
config,
scope,
true
)
}
if (!isParentNode && (object.category_children || []).length > 0) {
object.category_children = object.category_children.map((child) => {
return transformTreeNodesWithConfig(child, config, scope)
})
object.category_children = filter(
object.category_children,
(el) => !isNull(el)
)
}
return pick(object, selectsAndRelations)
}