Skip to content
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
3 changes: 2 additions & 1 deletion apps/backend/src/app.module.ts
Original file line number Diff line number Diff line change
@@ -1,6 +1,6 @@
import { Module } from '@nestjs/common';
import { TypeOrmModule } from '@nestjs/typeorm';

import { RequestsModule } from './foodRequests/request.module';
import { AppController } from './app.controller';
import { AppService } from './app.service';
import { UsersModule } from './users/users.module';
Expand All @@ -22,6 +22,7 @@ import typeorm from './config/typeorm';
}),
UsersModule,
AuthModule,
RequestsModule,
],
controllers: [AppController],
providers: [AppService],
Expand Down
87 changes: 87 additions & 0 deletions apps/backend/src/foodRequests/request.controller.ts
Original file line number Diff line number Diff line change
@@ -0,0 +1,87 @@
import {
Controller,
Get,
Param,
ParseIntPipe,
Post,
Body,
} from '@nestjs/common';
import { ApiBody } from '@nestjs/swagger';
import { RequestsService } from './request.service';
import { FoodRequest } from './request.entity';

@Controller('requests')
//@UseInterceptors()
export class FoodRequestsController {
constructor(private requestsService: RequestsService) {}

@Get('/:pantryId')
async getAllPantryRequests(
@Param('pantryId', ParseIntPipe) pantryId: number,
): Promise<FoodRequest[]> {
return this.requestsService.find(pantryId);
}

@Post('/create')
@ApiBody({
description: 'Details for creating a food request',
schema: {
type: 'object',
properties: {
pantryId: { type: 'integer', example: 1 },
requestedSize: { type: 'string', example: 'Medium (5-10 boxes)' },
requestedItems: {
type: 'array',
items: { type: 'string' },
example: ['Rice Noodles', 'Quinoa'],
},
additionalInformation: {
type: 'string',
nullable: true,
example: 'Urgent request',
},
status: { type: 'string', example: 'pending' },
fulfilledBy: { type: 'integer', nullable: true, example: null },
dateReceived: {
type: 'string',
format: 'date-time',
nullable: true,
example: null,
},
feedback: { type: 'string', nullable: true, example: null },
photos: {
type: 'array',
items: { type: 'string' },
nullable: true,
example: [],
},
},
},
})
async createRequest(
@Body()
body: {
pantryId: number;
requestedSize: string;
requestedItems: string[];
additionalInformation: string;
status: string;
fulfilledBy: number;
dateReceived: Date;
feedback: string;
photos: string[];
},
): Promise<FoodRequest> {
return this.requestsService.create(
body.pantryId,
body.requestedSize,
body.requestedItems,
body.additionalInformation,
body.status,
body.fulfilledBy,
body.dateReceived,
body.feedback,
body.photos,
);
}
}
46 changes: 46 additions & 0 deletions apps/backend/src/foodRequests/request.entity.ts
Original file line number Diff line number Diff line change
@@ -0,0 +1,46 @@
import {
Entity,
Column,
PrimaryGeneratedColumn,
CreateDateColumn,
} from 'typeorm';

@Entity('food_requests')
export class FoodRequest {
@PrimaryGeneratedColumn({ name: 'request_id' })
requestId: number;

@Column({ name: 'pantry_id', type: 'int' })
pantryId: number;

@Column({ name: 'requested_size', type: 'varchar', length: 50 })
requestedSize: string;

@Column({ name: 'requested_items', type: 'text', array: true })
requestedItems: string[];

@Column({ name: 'additional_information', type: 'text', nullable: true })
additionalInformation: string;

@CreateDateColumn({
name: 'requested_at',
type: 'timestamp',
default: () => 'NOW()',
})
requestedAt: Date;

@Column({ name: 'status', type: 'varchar', length: 25, default: 'pending' })
status: string;

@Column({ name: 'fulfilled_by', type: 'int', nullable: true })
fulfilledBy: number;

@Column({ name: 'date_received', type: 'timestamp', nullable: true })
dateReceived: Date;

@Column({ name: 'feedback', type: 'text', nullable: true })
feedback: string;

@Column({ name: 'photos', type: 'text', array: true, nullable: true })
photos: string[];
}
14 changes: 14 additions & 0 deletions apps/backend/src/foodRequests/request.module.ts
Original file line number Diff line number Diff line change
@@ -0,0 +1,14 @@
import { Module } from '@nestjs/common';
import { TypeOrmModule } from '@nestjs/typeorm';
import { FoodRequestsController } from './request.controller';
import { FoodRequest } from './request.entity';
import { RequestsService } from './request.service';
import { JwtStrategy } from '../auth/jwt.strategy';
import { AuthService } from '../auth/auth.service';

@Module({
imports: [TypeOrmModule.forFeature([FoodRequest])],
controllers: [FoodRequestsController],
providers: [RequestsService, AuthService, JwtStrategy],
})
export class RequestsModule {}
45 changes: 45 additions & 0 deletions apps/backend/src/foodRequests/request.service.ts
Original file line number Diff line number Diff line change
@@ -0,0 +1,45 @@
import { Injectable, NotFoundException } from '@nestjs/common';
import { InjectRepository } from '@nestjs/typeorm';
import { Repository } from 'typeorm';

import { FoodRequest } from './request.entity';

@Injectable()
export class RequestsService {
constructor(
@InjectRepository(FoodRequest) private repo: Repository<FoodRequest>,
) {}

async create(
pantryId: number,
requestedSize: string,
requestedItems: string[],
additionalInformation: string | null,
status: string = 'pending',
fulfilledBy: number | null,
dateReceived: Date | null,
feedback: string | null,
photos: string[] | null,
) {
const foodRequest = this.repo.create({
pantryId,
requestedSize,
requestedItems,
additionalInformation,
status,
fulfilledBy,
dateReceived,
feedback,
photos,
});

return this.repo.save(foodRequest);
}

find(pantryId: number) {
if (!pantryId || pantryId < 1) {
throw new NotFoundException('Invalid pantry ID');
}
return this.repo.find({ where: { pantryId } });
}
}
12 changes: 5 additions & 7 deletions apps/frontend/src/app.tsx
Original file line number Diff line number Diff line change
Expand Up @@ -4,13 +4,12 @@ import { createBrowserRouter, RouterProvider } from 'react-router-dom';
import apiClient from '@api/apiClient';
import Root from '@containers/root';
import NotFound from '@containers/404';
import { submitFoodRequestForm } from '@components/forms/foodRequestForm';
import RequestFood from '@containers/foodRequest';
import LandingPage from '@containers/landingPage';
import PantryOverview from '@containers/pantryOverview';
import PantryPastOrders from '@containers/pantryPastOrders';
import Pantries from '@containers/pantries';
import Orders from '@containers/orders';
import { submitFoodRequestFormModal } from '@components/forms/requestFormModalButton';

const router = createBrowserRouter([
{
Expand Down Expand Up @@ -38,13 +37,12 @@ const router = createBrowserRouter([
path: '/orders',
element: <Orders />,
},
{
path: '/food-request', // The route to handle form submission
action: submitFoodRequestFormModal, // Action function to handle the form data and redirection
},
],
},
{
path: '/food-request',
element: <RequestFood />,
action: submitFoodRequestForm,
},
]);

export const App: React.FC = () => {
Expand Down
Loading