Skip to content

Commit

Permalink
feat(medusa): Filtering Customer Orders (#975)
Browse files Browse the repository at this point in the history
  • Loading branch information
pKorsholm authored Aug 21, 2022
1 parent 448fd5b commit a54dc68
Show file tree
Hide file tree
Showing 6 changed files with 279 additions and 47 deletions.
5 changes: 5 additions & 0 deletions .changeset/khaki-spiders-hug.md
Original file line number Diff line number Diff line change
@@ -0,0 +1,5 @@
---
"@medusajs/medusa": patch
---

Allow filtering of customer orders
148 changes: 146 additions & 2 deletions integration-tests/api/__tests__/store/customer.js
Original file line number Diff line number Diff line change
@@ -1,5 +1,5 @@
const path = require("path")
const { Address, Customer } = require("@medusajs/medusa")
const { Address, Customer, Order, Region } = require("@medusajs/medusa")

const setupServer = require("../../../helpers/setup-server")
const { useApi } = require("../../../helpers/use-api")
Expand All @@ -19,7 +19,7 @@ describe("/store/customers", () => {
beforeAll(async () => {
const cwd = path.resolve(path.join(__dirname, "..", ".."))
dbConnection = await initDb({ cwd })
medusaProcess = await setupServer({ cwd })
medusaProcess = await setupServer({ cwd, verbose: false })
})

afterAll(async () => {
Expand Down Expand Up @@ -89,6 +89,150 @@ describe("/store/customers", () => {
})
})

describe("GET /store/customers/me/orders", () => {
beforeEach(async () => {
const manager = dbConnection.manager
await manager.query(`ALTER SEQUENCE order_display_id_seq RESTART WITH 1`)

await manager.insert(Address, {
id: "addr_test",
first_name: "String",
last_name: "Stringson",
address_1: "String st",
city: "Stringville",
postal_code: "1236",
province: "ca",
country_code: "us",
})

await manager.insert(Region, {
id: "region",
name: "Test Region",
currency_code: "usd",
tax_rate: 0,
})

await manager.insert(Customer, {
id: "test_customer",
first_name: "John",
last_name: "Deere",
email: "john@deere.com",
password_hash:
"c2NyeXB0AAEAAAABAAAAAVMdaddoGjwU1TafDLLlBKnOTQga7P2dbrfgf3fB+rCD/cJOMuGzAvRdKutbYkVpuJWTU39P7OpuWNkUVoEETOVLMJafbI8qs8Qx/7jMQXkN", // password matching "test"
has_account: true,
})

await manager.insert(Customer, {
id: "test_customer1",
first_name: "John",
last_name: "Deere",
email: "joh1n@deere.com",
password_hash:
"c2NyeXB0AAEAAAABAAAAAVMdaddoGjwU1TafDLLlBKnOTQga7P2dbrfgf3fB+rCD/cJOMuGzAvRdKutbYkVpuJWTU39P7OpuWNkUVoEETOVLMJafbI8qs8Qx/7jMQXkN", // password matching "test"
has_account: true,
})

await manager.insert(Order, {
id: "order_test_completed",
email: "test1@email.com",
display_id: 1,
customer_id: "test_customer",
region_id: "region",
status: "completed",
tax_rate: 0,
currency_code: "usd",
})

await manager.insert(Order, {
id: "order_test_completed1",
email: "test1@email.com",
display_id: 2,
customer_id: "test_customer1",
region_id: "region",
status: "completed",
tax_rate: 0,
currency_code: "usd",
})

await manager.insert(Order, {
id: "order_test_canceled",
email: "test1@email.com",
display_id: 3,
customer_id: "test_customer",
region_id: "region",
status: "canceled",
tax_rate: 0,
currency_code: "usd",
})
})

afterEach(async () => {
await doAfterEach()
})

it("looks up completed orders", async () => {
const api = useApi()

const authResponse = await api.post("/store/auth", {
email: "john@deere.com",
password: "test",
})

const [authCookie] = authResponse.headers["set-cookie"][0].split(";")

const response = await api
.get("/store/customers/me/orders?status[]=completed", {
headers: {
Cookie: authCookie,
},
})
.catch((err) => {
return err.response
})
expect(response.status).toEqual(200)
expect(response.data.orders[0].display_id).toEqual(1)
expect(response.data.orders[0].email).toEqual("test1@email.com")
expect(response.data.orders.length).toEqual(1)
})

it("looks up cancelled and completed orders", async () => {
const api = useApi()

const authResponse = await api.post("/store/auth", {
email: "john@deere.com",
password: "test",
})

const [authCookie] = authResponse.headers["set-cookie"][0].split(";")

const response = await api
.get(
"/store/customers/me/orders?status[]=completed&status[]=canceled",
{
headers: {
Cookie: authCookie,
},
}
)
.catch((err) => {
return console.log(err.response.data.message)
})

expect(response.status).toEqual(200)
expect(response.data.orders).toEqual([
expect.objectContaining({
display_id: 3,
status: "canceled",
}),
expect.objectContaining({
display_id: 1,
status: "completed",
}),
])
expect(response.data.orders.length).toEqual(2)
})
})

describe("POST /store/customers/me", () => {
beforeEach(async () => {
const manager = dbConnection.manager
Expand Down
17 changes: 15 additions & 2 deletions packages/medusa/src/api/routes/store/customers/index.ts
Original file line number Diff line number Diff line change
@@ -1,7 +1,12 @@
import { Router } from "express"
import { Customer, Order } from "../../../.."
import { PaginatedResponse } from "../../../../types/common"
import middlewares from "../../../middlewares"
import middlewares, { transformQuery } from "../../../middlewares"
import { StoreGetCustomersCustomerOrdersParams } from "./list-orders"
import {
defaultStoreOrdersRelations,
defaultStoreOrdersFields,
} from "../orders"

const route = Router()

Expand Down Expand Up @@ -34,7 +39,15 @@ export default (app, container) => {
route.get("/me", middlewares.wrap(require("./get-customer").default))
route.post("/me", middlewares.wrap(require("./update-customer").default))

route.get("/me/orders", middlewares.wrap(require("./list-orders").default))
route.get(
"/me/orders",
transformQuery(StoreGetCustomersCustomerOrdersParams, {
defaultFields: defaultStoreOrdersFields,
defaultRelations: defaultStoreOrdersRelations,
isList: true,
}),
middlewares.wrap(require("./list-orders").default)
)

route.post(
"/me/addresses",
Expand Down
149 changes: 107 additions & 42 deletions packages/medusa/src/api/routes/store/customers/list-orders.ts
Original file line number Diff line number Diff line change
@@ -1,14 +1,20 @@
import { IsNumber, IsOptional, IsString } from "class-validator"
import { Type } from "class-transformer"
import {
allowedStoreOrdersFields,
allowedStoreOrdersRelations,
} from "../orders"
import { FindConfig } from "../../../../types/common"
import { Order } from "../../../../models"

IsEnum,
IsNumber,
IsOptional,
IsString,
ValidateNested,
} from "class-validator"
import { Request, Response } from "express"
import { MedusaError } from "medusa-core-utils"
import {
FulfillmentStatus,
OrderStatus,
PaymentStatus,
} from "../../../../models/order"
import OrderService from "../../../../services/order"
import { Type } from "class-transformer"
import { validator } from "../../../../utils/validator"
import { DateComparisonOperator } from "../../../../types/common"

/**
* @oas [get] /customers/me/orders
Expand All @@ -17,6 +23,20 @@ import { validator } from "../../../../utils/validator"
* description: "Retrieves a list of a Customer's Orders."
* x-authenticated: true
* parameters:
* - (query) q {string} Query used for searching orders.
* - (query) id {string} Id of the order to search for.
* - (query) status {string[]} Status to search for.
* - (query) fulfillment_status {string[]} Fulfillment status to search for.
* - (query) payment_status {string[]} Payment status to search for.
* - (query) display_id {string} Display id to search for.
* - (query) cart_id {string} to search for.
* - (query) email {string} to search for.
* - (query) region_id {string} to search for.
* - (query) currency_code {string} to search for.
* - (query) tax_rate {string} to search for.
* - (query) cancelled_at {DateComparisonOperator} Date comparison for when resulting orders was cancelled, i.e. less than, greater than etc.
* - (query) created_at {DateComparisonOperator} Date comparison for when resulting orders was created, i.e. less than, greater than etc.
* - (query) updated_at {DateComparisonOperator} Date comparison for when resulting orders was updated, i.e. less than, greater than etc.
* - (query) limit=10 {integer} How many orders to return.
* - (query) offset=0 {integer} The offset in the resulting orders.
* - (query) fields {string} (Comma separated string) Which fields should be included in the resulting orders.
Expand Down Expand Up @@ -44,50 +64,34 @@ import { validator } from "../../../../utils/validator"
* type: integer
* description: The number of items per page
*/
export default async (req, res) => {
const id: string = req.user.customer_id
export default async (req: Request, res: Response) => {
const id: string | undefined = req.user?.customer_id

if (!id) {
throw new MedusaError(
MedusaError.Types.UNEXPECTED_STATE,
"Not authorized to list orders"
)
}

const orderService: OrderService = req.scope.resolve("orderService")

const selector = {
req.filterableFields = {
...req.filterableFields,
customer_id: id,
}

const validated = await validator(
StoreGetCustomersCustomerOrdersParams,
req.query
const [orders, count] = await orderService.listAndCount(
req.filterableFields,
req.listConfig
)

let includeFields: string[] = []
if (validated.fields) {
includeFields = validated.fields.split(",")
includeFields = includeFields.filter((f) =>
allowedStoreOrdersFields.includes(f)
)
}

let expandFields: string[] = []
if (validated.expand) {
expandFields = validated.expand.split(",")
expandFields = expandFields.filter((f) =>
allowedStoreOrdersRelations.includes(f)
)
}

const listConfig = {
select: includeFields.length ? includeFields : allowedStoreOrdersFields,
relations: expandFields.length ? expandFields : allowedStoreOrdersRelations,
skip: validated.offset,
take: validated.limit,
order: { created_at: "DESC" },
} as FindConfig<Order>
const { limit, offset } = req.validatedQuery

const [orders, count] = await orderService.listAndCount(selector, listConfig)

res.json({ orders, count, offset: validated.offset, limit: validated.limit })
res.json({ orders, count, offset: offset, limit: limit })
}

export class StoreGetCustomersCustomerOrdersParams {
export class StoreGetCustomersCustomerOrdersPaginationParams {
@IsOptional()
@IsNumber()
@Type(() => Number)
Expand All @@ -106,3 +110,64 @@ export class StoreGetCustomersCustomerOrdersParams {
@IsString()
expand?: string
}

export class StoreGetCustomersCustomerOrdersParams extends StoreGetCustomersCustomerOrdersPaginationParams {
@IsString()
@IsOptional()
id?: string

@IsString()
@IsOptional()
q?: string

@IsOptional()
@IsEnum(OrderStatus, { each: true })
status?: OrderStatus[]

@IsOptional()
@IsEnum(FulfillmentStatus, { each: true })
fulfillment_status?: FulfillmentStatus[]

@IsOptional()
@IsEnum(PaymentStatus, { each: true })
payment_status?: PaymentStatus[]

@IsString()
@IsOptional()
display_id?: string

@IsString()
@IsOptional()
cart_id?: string

@IsString()
@IsOptional()
email?: string

@IsString()
@IsOptional()
region_id?: string

@IsString()
@IsOptional()
currency_code?: string

@IsString()
@IsOptional()
tax_rate?: string

@IsOptional()
@ValidateNested()
@Type(() => DateComparisonOperator)
created_at?: DateComparisonOperator

@IsOptional()
@ValidateNested()
@Type(() => DateComparisonOperator)
updated_at?: DateComparisonOperator

@ValidateNested()
@IsOptional()
@Type(() => DateComparisonOperator)
canceled_at?: DateComparisonOperator
}
5 changes: 5 additions & 0 deletions packages/medusa/src/services/order.ts
Original file line number Diff line number Diff line change
Expand Up @@ -182,6 +182,11 @@ class OrderService extends TransactionBaseService {
)
}

/**
* @param {Object} selector - the query object for find
* @param {Object} config - the config to be used for find
* @return {Promise} the result of the find operation
*/
async listAndCount(
selector: QuerySelector<Order>,
config: FindConfig<Order> = {
Expand Down
Loading

0 comments on commit a54dc68

Please sign in to comment.