diff --git a/apps/titiksha-agrawal-admin/.dockerignore b/apps/titiksha-agrawal-admin/.dockerignore
new file mode 100644
index 0000000..1194b4f
--- /dev/null
+++ b/apps/titiksha-agrawal-admin/.dockerignore
@@ -0,0 +1,7 @@
+.dockerignore
+docker-compose.yml
+Dockerfile
+build/
+node_modules
+.env
+.gitignore
diff --git a/apps/titiksha-agrawal-admin/.env b/apps/titiksha-agrawal-admin/.env
new file mode 100644
index 0000000..4eef91c
--- /dev/null
+++ b/apps/titiksha-agrawal-admin/.env
@@ -0,0 +1,2 @@
+PORT=3001
+REACT_APP_SERVER_URL=http://localhost:3000
\ No newline at end of file
diff --git a/apps/titiksha-agrawal-admin/.gitignore b/apps/titiksha-agrawal-admin/.gitignore
new file mode 100644
index 0000000..590b2e0
--- /dev/null
+++ b/apps/titiksha-agrawal-admin/.gitignore
@@ -0,0 +1,23 @@
+# See https://help.github.com/articles/ignoring-files/ for more about ignoring files.
+
+# dependencies
+/node_modules
+/.pnp
+.pnp.js
+
+# testing
+/coverage
+
+# production
+/build
+
+# misc
+.DS_Store
+.env.local
+.env.development.local
+.env.test.local
+.env.production.local
+
+npm-debug.log*
+yarn-debug.log*
+yarn-error.log*
diff --git a/apps/titiksha-agrawal-admin/Dockerfile b/apps/titiksha-agrawal-admin/Dockerfile
new file mode 100644
index 0000000..9c43e40
--- /dev/null
+++ b/apps/titiksha-agrawal-admin/Dockerfile
@@ -0,0 +1,51 @@
+# multi-stage: base (build)
+FROM node:18.13.0-slim AS base
+
+# instantiate environment variable
+ARG REACT_APP_SERVER_URL=http://localhost:3000
+
+# set the environment variable that points to the server
+ENV REACT_APP_SERVER_URL=$REACT_APP_SERVER_URL
+
+# create directory where the application will be built
+WORKDIR /app
+
+# copy over the dependency manifests, both the package.json
+# and the package-lock.json are copied over
+COPY package*.json ./
+
+# installs packages and their dependencies
+RUN npm install
+
+# copy over the code base
+COPY . .
+
+# create the bundle of the application
+RUN npm run build
+
+# multi-stage: production (runtime)
+FROM nginx:1.22-alpine AS production
+
+# copy over the bundled code from the build stage
+COPY --from=base /app/build /usr/share/nginx/html
+COPY --from=base /app/configuration/nginx.conf /etc/nginx/conf.d/default.conf
+
+# create a new process indication file
+RUN touch /var/run/nginx.pid
+
+# change ownership of nginx related directories and files
+RUN chown -R nginx:nginx /var/run/nginx.pid \
+ /usr/share/nginx/html \
+ /var/cache/nginx \
+ /var/log/nginx \
+ /etc/nginx/conf.d
+
+# set user to the created non-privileged user
+USER nginx
+
+# expose a specific port on the docker container
+ENV PORT=80
+EXPOSE ${PORT}
+
+# start the server using the previously build application
+ENTRYPOINT [ "nginx", "-g", "daemon off;" ]
diff --git a/apps/titiksha-agrawal-admin/README.md b/apps/titiksha-agrawal-admin/README.md
new file mode 100644
index 0000000..03abb2a
--- /dev/null
+++ b/apps/titiksha-agrawal-admin/README.md
@@ -0,0 +1,47 @@
+
+
+
+
+
+
+# Introduction
+
+This service was generated with Amplication. It serves as the client-side for the generated server component. The client-side consist of a React application with ready-made forms for creating and editing the different data models of the application. It is pre-conffigured to work with the server and comes with the boilerplate and foundation for the client - i.e., routing, navigation, authentication, permissions, menu, breadcrumbs, error handling and much more. Additional information about the admin component and the architecture around it, can be found on the [documentation](https://docs.amplication.com/guides/getting-started) site. This side of the generated project was bootstrapped with [create-react-app](https://github.com/facebook/create-react-app) and built with [react-admin](https://marmelab.com/react-admin/).
+
+
+
+
+
+
+# Getting started
+
+## Step 1: Configuration
+
+Configuration for the client component can be provided through the use of environment variables. These can be passed to the application via the use of the `.env` file in the base directory of the generated service. Below a table can be found which show the different variables that can be passed. These values are provided default values after generation, change them to the desired values.
+
+| Variable | Description | Value |
+| -------------------- | ------------------------------------------------ | ------------------------------ |
+| PORT | the port on which to run the client | 3001 |
+| REACT_APP_SERVER_URL | the url on which the server component is running | http://localhost:[server-port] |
+
+> **Note**
+> Amplication generates default values and stores them under the .env file. It is advised to use some form of secrets manager/vault solution when using in production.
+
+
+## Step 2: Scripts
+
+After configuration of the client the next step would be to run the application. Before running the client side of the component, make sure that the different pre-requisites are met - i.e., npm, docker. Make sure that the server-side of the application is running.
+
+```sh
+# installation of the dependencies
+$ npm install
+
+# starts the application in development mode - available by default under http://localhost:3001 with a pre-configured user with the username "admin" and password "admin"
+$ npm run start
+
+# builds the application in production mode - available under 'build'
+$ npm run build
+
+# removes the single build dependency from the project
+$ npm run eject
+```
diff --git a/apps/titiksha-agrawal-admin/configuration/nginx.conf b/apps/titiksha-agrawal-admin/configuration/nginx.conf
new file mode 100644
index 0000000..88dad6e
--- /dev/null
+++ b/apps/titiksha-agrawal-admin/configuration/nginx.conf
@@ -0,0 +1,11 @@
+server_tokens off;
+
+server {
+ listen 8080;
+ server_name localhost;
+ location / {
+ root /usr/share/nginx/html;
+ index index.html index.htm;
+ try_files $uri /index.html;
+ }
+}
\ No newline at end of file
diff --git a/apps/titiksha-agrawal-admin/package.json b/apps/titiksha-agrawal-admin/package.json
new file mode 100644
index 0000000..7c7e5d6
--- /dev/null
+++ b/apps/titiksha-agrawal-admin/package.json
@@ -0,0 +1,60 @@
+{
+ "name": "@titiksha-agrawal/admin",
+ "private": true,
+ "dependencies": {
+ "@apollo/client": "3.6.9",
+ "@material-ui/core": "4.12.4",
+ "graphql": "15.6.1",
+ "lodash": "4.17.21",
+ "pluralize": "8.0.0",
+ "ra-data-graphql-amplication": "0.0.14",
+ "react": "16.14.0",
+ "react-admin": "3.19.12",
+ "react-dom": "16.14.0",
+ "react-scripts": "5.0.0",
+ "sass": "^1.39.0",
+ "web-vitals": "1.1.2"
+ },
+ "overrides": {
+ "react-scripts": {
+ "@svgr/webpack": "6.5.1"
+ }
+ },
+ "scripts": {
+ "start": "react-scripts start",
+ "build": "react-scripts build",
+ "test": "react-scripts test",
+ "eject": "react-scripts eject",
+ "package:container": "docker build ."
+ },
+ "eslintConfig": {
+ "extends": [
+ "react-app",
+ "react-app/jest"
+ ]
+ },
+ "browserslist": {
+ "production": [
+ ">0.2%",
+ "not dead",
+ "not op_mini all"
+ ],
+ "development": [
+ "last 1 chrome version",
+ "last 1 firefox version",
+ "last 1 safari version"
+ ]
+ },
+ "devDependencies": {
+ "@testing-library/jest-dom": "5.14.1",
+ "@testing-library/react": "11.2.7",
+ "@testing-library/user-event": "13.2.0",
+ "@types/jest": "26.0.16",
+ "@types/lodash": "4.14.178",
+ "@types/node": "12.20.16",
+ "@types/react": "16.14.11",
+ "@types/react-dom": "17.0.0",
+ "type-fest": "0.13.1",
+ "typescript": "4.3.5"
+ }
+}
\ No newline at end of file
diff --git a/apps/titiksha-agrawal-admin/public/favicon.ico b/apps/titiksha-agrawal-admin/public/favicon.ico
new file mode 100644
index 0000000..fcbdcf2
Binary files /dev/null and b/apps/titiksha-agrawal-admin/public/favicon.ico differ
diff --git a/apps/titiksha-agrawal-admin/public/index.html b/apps/titiksha-agrawal-admin/public/index.html
new file mode 100644
index 0000000..54f8566
--- /dev/null
+++ b/apps/titiksha-agrawal-admin/public/index.html
@@ -0,0 +1,40 @@
+
+
+
+
+
+
+
+
+
+
+
+
+ TitikshaAgrawal
+
+
+ You need to enable JavaScript to run this app.
+
+
+
+
diff --git a/apps/titiksha-agrawal-admin/public/logo192.png b/apps/titiksha-agrawal-admin/public/logo192.png
new file mode 100644
index 0000000..1918ff2
Binary files /dev/null and b/apps/titiksha-agrawal-admin/public/logo192.png differ
diff --git a/apps/titiksha-agrawal-admin/public/logo512.png b/apps/titiksha-agrawal-admin/public/logo512.png
new file mode 100644
index 0000000..7e7dc74
Binary files /dev/null and b/apps/titiksha-agrawal-admin/public/logo512.png differ
diff --git a/apps/titiksha-agrawal-admin/public/manifest.json b/apps/titiksha-agrawal-admin/public/manifest.json
new file mode 100644
index 0000000..a22f28a
--- /dev/null
+++ b/apps/titiksha-agrawal-admin/public/manifest.json
@@ -0,0 +1,25 @@
+{
+ "short_name": "TitikshaAgrawal",
+ "name": "TitikshaAgrawal",
+ "icons": [
+ {
+ "src": "favicon.ico",
+ "sizes": "64x64 32x32 24x24 16x16",
+ "type": "image/x-icon"
+ },
+ {
+ "src": "logo192.png",
+ "type": "image/png",
+ "sizes": "192x192"
+ },
+ {
+ "src": "logo512.png",
+ "type": "image/png",
+ "sizes": "512x512"
+ }
+ ],
+ "start_url": ".",
+ "display": "standalone",
+ "theme_color": "#000000",
+ "background_color": "#ffffff"
+}
\ No newline at end of file
diff --git a/apps/titiksha-agrawal-admin/public/robots.txt b/apps/titiksha-agrawal-admin/public/robots.txt
new file mode 100644
index 0000000..e9e57dc
--- /dev/null
+++ b/apps/titiksha-agrawal-admin/public/robots.txt
@@ -0,0 +1,3 @@
+# https://www.robotstxt.org/robotstxt.html
+User-agent: *
+Disallow:
diff --git a/apps/titiksha-agrawal-admin/src/App.scss b/apps/titiksha-agrawal-admin/src/App.scss
new file mode 100644
index 0000000..4c1cbb0
--- /dev/null
+++ b/apps/titiksha-agrawal-admin/src/App.scss
@@ -0,0 +1,59 @@
+// .App {
+// .MuiAppBar-colorSecondary {
+// background-color: black;
+
+// .RaAppBar-menuButton-13 {
+// background-color: yellow;
+// }
+// }
+
+// .MuiDrawer-paper {
+// background-color: red;
+
+// .MuiListItemIcon-root {
+// color: white;
+// }
+// }
+
+// .MuiButton-textPrimary {
+// background-color: purple;
+// margin: 0 0.5rem;
+// color: white;
+// padding: 0.5rem 1rem;
+
+// &:hover {
+// background-color: blue;
+// }
+// }
+
+// .MuiTableRow-head {
+// .MuiTableCell-head {
+// background-color: black;
+// color: white;
+// }
+
+// .MuiTableSortLabel-root {
+// &:hover {
+// color: red;
+
+// .MuiTableSortLabel-icon {
+// color: red !important;
+// }
+// }
+// .MuiTableSortLabel-icon {
+// color: white !important;
+// }
+// }
+// .MuiTableSortLabel-active {
+// color: green;
+
+// .MuiTableSortLabel-icon {
+// color: green !important;
+// }
+// }
+// }
+
+// .MuiFormLabel-root {
+// color: magenta;
+// }
+// }
diff --git a/apps/titiksha-agrawal-admin/src/App.tsx b/apps/titiksha-agrawal-admin/src/App.tsx
new file mode 100644
index 0000000..dce4f6a
--- /dev/null
+++ b/apps/titiksha-agrawal-admin/src/App.tsx
@@ -0,0 +1,83 @@
+import React, { useEffect, useState } from "react";
+import { Admin, DataProvider, Resource } from "react-admin";
+import buildGraphQLProvider from "./data-provider/graphqlDataProvider";
+import { theme } from "./theme/theme";
+import Login from "./Login";
+import "./App.scss";
+import Dashboard from "./pages/Dashboard";
+import { OrderList } from "./order/OrderList";
+import { OrderCreate } from "./order/OrderCreate";
+import { OrderEdit } from "./order/OrderEdit";
+import { OrderShow } from "./order/OrderShow";
+import { CustomerList } from "./customer/CustomerList";
+import { CustomerCreate } from "./customer/CustomerCreate";
+import { CustomerEdit } from "./customer/CustomerEdit";
+import { CustomerShow } from "./customer/CustomerShow";
+import { AddressList } from "./address/AddressList";
+import { AddressCreate } from "./address/AddressCreate";
+import { AddressEdit } from "./address/AddressEdit";
+import { AddressShow } from "./address/AddressShow";
+import { ProductList } from "./product/ProductList";
+import { ProductCreate } from "./product/ProductCreate";
+import { ProductEdit } from "./product/ProductEdit";
+import { ProductShow } from "./product/ProductShow";
+import { jwtAuthProvider } from "./auth-provider/ra-auth-jwt";
+
+const App = (): React.ReactElement => {
+ const [dataProvider, setDataProvider] = useState(null);
+ useEffect(() => {
+ buildGraphQLProvider
+ .then((provider: any) => {
+ setDataProvider(() => provider);
+ })
+ .catch((error: any) => {
+ console.log(error);
+ });
+ }, []);
+ if (!dataProvider) {
+ return Loading
;
+ }
+ return (
+
+ );
+};
+
+export default App;
diff --git a/apps/titiksha-agrawal-admin/src/Components/Pagination.tsx b/apps/titiksha-agrawal-admin/src/Components/Pagination.tsx
new file mode 100644
index 0000000..2de2ebf
--- /dev/null
+++ b/apps/titiksha-agrawal-admin/src/Components/Pagination.tsx
@@ -0,0 +1,10 @@
+import React from "react";
+import { Pagination as RAPagination, PaginationProps } from "react-admin";
+
+const PAGINATION_OPTIONS = [10, 25, 50, 100, 200];
+
+const Pagination = (props: PaginationProps) => (
+
+);
+
+export default Pagination;
diff --git a/apps/titiksha-agrawal-admin/src/Login.tsx b/apps/titiksha-agrawal-admin/src/Login.tsx
new file mode 100644
index 0000000..f7ec8ed
--- /dev/null
+++ b/apps/titiksha-agrawal-admin/src/Login.tsx
@@ -0,0 +1,117 @@
+import * as React from "react";
+import { useState } from "react";
+import { useLogin, useNotify, Notification, defaultTheme } from "react-admin";
+import { ThemeProvider } from "@material-ui/styles";
+import { createTheme } from "@material-ui/core/styles";
+import { Button } from "@material-ui/core";
+import "./login.scss";
+
+const CLASS_NAME = "login-page";
+
+const Login = ({ theme }: any) => {
+ const [username, setUsername] = useState("");
+ const [password, setPassword] = useState("");
+ const login = useLogin();
+ const notify = useNotify();
+ const BASE_URI = process.env.REACT_APP_SERVER_URL;
+ const submit = (e: any) => {
+ e.preventDefault();
+ login({ username, password }).catch(() =>
+ notify("Invalid username or password")
+ );
+ };
+
+ return (
+
+
+
+
+
+
Connect via GraphQL
+
+ Connect to the server using GraphQL API with a complete and
+ understandable description of the data in your API
+
+
+ Continue
+
+
+
+
+
Admin UI
+
+ Sign in to a React-Admin client with ready-made forms for creating
+ and editing all the data models of your application
+
+
+
+
+
+
Connect via REST API
+
+ Connect to the server using REST API with a built-in Swagger
+ documentation
+
+
+ Continue
+
+
+
+
+
+
+
+
+ );
+};
+
+export default Login;
diff --git a/apps/titiksha-agrawal-admin/src/address/AddressCreate.tsx b/apps/titiksha-agrawal-admin/src/address/AddressCreate.tsx
new file mode 100644
index 0000000..16376b4
--- /dev/null
+++ b/apps/titiksha-agrawal-admin/src/address/AddressCreate.tsx
@@ -0,0 +1,35 @@
+import * as React from "react";
+
+import {
+ Create,
+ SimpleForm,
+ CreateProps,
+ TextInput,
+ ReferenceArrayInput,
+ SelectArrayInput,
+ NumberInput,
+} from "react-admin";
+
+import { CustomerTitle } from "../customer/CustomerTitle";
+
+export const AddressCreate = (props: CreateProps): React.ReactElement => {
+ return (
+
+
+
+
+
+ value && value.map((v: any) => ({ id: v }))}
+ format={(value: any) => value && value.map((v: any) => v.id)}
+ >
+
+
+
+
+
+
+ );
+};
diff --git a/apps/titiksha-agrawal-admin/src/address/AddressEdit.tsx b/apps/titiksha-agrawal-admin/src/address/AddressEdit.tsx
new file mode 100644
index 0000000..133e708
--- /dev/null
+++ b/apps/titiksha-agrawal-admin/src/address/AddressEdit.tsx
@@ -0,0 +1,35 @@
+import * as React from "react";
+
+import {
+ Edit,
+ SimpleForm,
+ EditProps,
+ TextInput,
+ ReferenceArrayInput,
+ SelectArrayInput,
+ NumberInput,
+} from "react-admin";
+
+import { CustomerTitle } from "../customer/CustomerTitle";
+
+export const AddressEdit = (props: EditProps): React.ReactElement => {
+ return (
+
+
+
+
+
+ value && value.map((v: any) => ({ id: v }))}
+ format={(value: any) => value && value.map((v: any) => v.id)}
+ >
+
+
+
+
+
+
+ );
+};
diff --git a/apps/titiksha-agrawal-admin/src/address/AddressList.tsx b/apps/titiksha-agrawal-admin/src/address/AddressList.tsx
new file mode 100644
index 0000000..40adbfd
--- /dev/null
+++ b/apps/titiksha-agrawal-admin/src/address/AddressList.tsx
@@ -0,0 +1,26 @@
+import * as React from "react";
+import { List, Datagrid, ListProps, TextField, DateField } from "react-admin";
+import Pagination from "../Components/Pagination";
+
+export const AddressList = (props: ListProps): React.ReactElement => {
+ return (
+
}
+ >
+
+
+
+
+
+
+
+
+
+
+
+ );
+};
diff --git a/apps/titiksha-agrawal-admin/src/address/AddressShow.tsx b/apps/titiksha-agrawal-admin/src/address/AddressShow.tsx
new file mode 100644
index 0000000..3de6373
--- /dev/null
+++ b/apps/titiksha-agrawal-admin/src/address/AddressShow.tsx
@@ -0,0 +1,53 @@
+import * as React from "react";
+
+import {
+ Show,
+ SimpleShowLayout,
+ ShowProps,
+ TextField,
+ DateField,
+ ReferenceManyField,
+ Datagrid,
+ ReferenceField,
+} from "react-admin";
+
+import { ADDRESS_TITLE_FIELD } from "./AddressTitle";
+
+export const AddressShow = (props: ShowProps): React.ReactElement => {
+ return (
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+ );
+};
diff --git a/apps/titiksha-agrawal-admin/src/address/AddressTitle.ts b/apps/titiksha-agrawal-admin/src/address/AddressTitle.ts
new file mode 100644
index 0000000..eae17ed
--- /dev/null
+++ b/apps/titiksha-agrawal-admin/src/address/AddressTitle.ts
@@ -0,0 +1,7 @@
+import { Address as TAddress } from "../api/address/Address";
+
+export const ADDRESS_TITLE_FIELD = "address_1";
+
+export const AddressTitle = (record: TAddress): string => {
+ return record.address_1?.toString() || String(record.id);
+};
diff --git a/apps/titiksha-agrawal-admin/src/api/address/Address.ts b/apps/titiksha-agrawal-admin/src/api/address/Address.ts
new file mode 100644
index 0000000..30d86eb
--- /dev/null
+++ b/apps/titiksha-agrawal-admin/src/api/address/Address.ts
@@ -0,0 +1,13 @@
+import { Customer } from "../customer/Customer";
+
+export type Address = {
+ address_1: string | null;
+ address_2: string | null;
+ city: string | null;
+ createdAt: Date;
+ customers?: Array;
+ id: string;
+ state: string | null;
+ updatedAt: Date;
+ zip: number | null;
+};
diff --git a/apps/titiksha-agrawal-admin/src/api/address/AddressCountArgs.ts b/apps/titiksha-agrawal-admin/src/api/address/AddressCountArgs.ts
new file mode 100644
index 0000000..30aba6c
--- /dev/null
+++ b/apps/titiksha-agrawal-admin/src/api/address/AddressCountArgs.ts
@@ -0,0 +1,5 @@
+import { AddressWhereInput } from "./AddressWhereInput";
+
+export type AddressCountArgs = {
+ where?: AddressWhereInput;
+};
diff --git a/apps/titiksha-agrawal-admin/src/api/address/AddressCreateInput.ts b/apps/titiksha-agrawal-admin/src/api/address/AddressCreateInput.ts
new file mode 100644
index 0000000..f1a96b7
--- /dev/null
+++ b/apps/titiksha-agrawal-admin/src/api/address/AddressCreateInput.ts
@@ -0,0 +1,10 @@
+import { CustomerCreateNestedManyWithoutAddressesInput } from "./CustomerCreateNestedManyWithoutAddressesInput";
+
+export type AddressCreateInput = {
+ address_1?: string | null;
+ address_2?: string | null;
+ city?: string | null;
+ customers?: CustomerCreateNestedManyWithoutAddressesInput;
+ state?: string | null;
+ zip?: number | null;
+};
diff --git a/apps/titiksha-agrawal-admin/src/api/address/AddressFindManyArgs.ts b/apps/titiksha-agrawal-admin/src/api/address/AddressFindManyArgs.ts
new file mode 100644
index 0000000..459afb2
--- /dev/null
+++ b/apps/titiksha-agrawal-admin/src/api/address/AddressFindManyArgs.ts
@@ -0,0 +1,9 @@
+import { AddressWhereInput } from "./AddressWhereInput";
+import { AddressOrderByInput } from "./AddressOrderByInput";
+
+export type AddressFindManyArgs = {
+ where?: AddressWhereInput;
+ orderBy?: Array;
+ skip?: number;
+ take?: number;
+};
diff --git a/apps/titiksha-agrawal-admin/src/api/address/AddressFindUniqueArgs.ts b/apps/titiksha-agrawal-admin/src/api/address/AddressFindUniqueArgs.ts
new file mode 100644
index 0000000..42f263f
--- /dev/null
+++ b/apps/titiksha-agrawal-admin/src/api/address/AddressFindUniqueArgs.ts
@@ -0,0 +1,5 @@
+import { AddressWhereUniqueInput } from "./AddressWhereUniqueInput";
+
+export type AddressFindUniqueArgs = {
+ where: AddressWhereUniqueInput;
+};
diff --git a/apps/titiksha-agrawal-admin/src/api/address/AddressListRelationFilter.ts b/apps/titiksha-agrawal-admin/src/api/address/AddressListRelationFilter.ts
new file mode 100644
index 0000000..7a29026
--- /dev/null
+++ b/apps/titiksha-agrawal-admin/src/api/address/AddressListRelationFilter.ts
@@ -0,0 +1,7 @@
+import { AddressWhereInput } from "./AddressWhereInput";
+
+export type AddressListRelationFilter = {
+ every?: AddressWhereInput;
+ some?: AddressWhereInput;
+ none?: AddressWhereInput;
+};
diff --git a/apps/titiksha-agrawal-admin/src/api/address/AddressOrderByInput.ts b/apps/titiksha-agrawal-admin/src/api/address/AddressOrderByInput.ts
new file mode 100644
index 0000000..a224f92
--- /dev/null
+++ b/apps/titiksha-agrawal-admin/src/api/address/AddressOrderByInput.ts
@@ -0,0 +1,12 @@
+import { SortOrder } from "../../util/SortOrder";
+
+export type AddressOrderByInput = {
+ address_1?: SortOrder;
+ address_2?: SortOrder;
+ city?: SortOrder;
+ createdAt?: SortOrder;
+ id?: SortOrder;
+ state?: SortOrder;
+ updatedAt?: SortOrder;
+ zip?: SortOrder;
+};
diff --git a/apps/titiksha-agrawal-admin/src/api/address/AddressUpdateInput.ts b/apps/titiksha-agrawal-admin/src/api/address/AddressUpdateInput.ts
new file mode 100644
index 0000000..e6d187b
--- /dev/null
+++ b/apps/titiksha-agrawal-admin/src/api/address/AddressUpdateInput.ts
@@ -0,0 +1,10 @@
+import { CustomerUpdateManyWithoutAddressesInput } from "./CustomerUpdateManyWithoutAddressesInput";
+
+export type AddressUpdateInput = {
+ address_1?: string | null;
+ address_2?: string | null;
+ city?: string | null;
+ customers?: CustomerUpdateManyWithoutAddressesInput;
+ state?: string | null;
+ zip?: number | null;
+};
diff --git a/apps/titiksha-agrawal-admin/src/api/address/AddressWhereInput.ts b/apps/titiksha-agrawal-admin/src/api/address/AddressWhereInput.ts
new file mode 100644
index 0000000..a5606f7
--- /dev/null
+++ b/apps/titiksha-agrawal-admin/src/api/address/AddressWhereInput.ts
@@ -0,0 +1,14 @@
+import { StringNullableFilter } from "../../util/StringNullableFilter";
+import { CustomerListRelationFilter } from "../customer/CustomerListRelationFilter";
+import { StringFilter } from "../../util/StringFilter";
+import { IntNullableFilter } from "../../util/IntNullableFilter";
+
+export type AddressWhereInput = {
+ address_1?: StringNullableFilter;
+ address_2?: StringNullableFilter;
+ city?: StringNullableFilter;
+ customers?: CustomerListRelationFilter;
+ id?: StringFilter;
+ state?: StringNullableFilter;
+ zip?: IntNullableFilter;
+};
diff --git a/apps/titiksha-agrawal-admin/src/api/address/AddressWhereUniqueInput.ts b/apps/titiksha-agrawal-admin/src/api/address/AddressWhereUniqueInput.ts
new file mode 100644
index 0000000..1eb84ac
--- /dev/null
+++ b/apps/titiksha-agrawal-admin/src/api/address/AddressWhereUniqueInput.ts
@@ -0,0 +1,3 @@
+export type AddressWhereUniqueInput = {
+ id: string;
+};
diff --git a/apps/titiksha-agrawal-admin/src/api/address/CreateAddressArgs.ts b/apps/titiksha-agrawal-admin/src/api/address/CreateAddressArgs.ts
new file mode 100644
index 0000000..ca4273a
--- /dev/null
+++ b/apps/titiksha-agrawal-admin/src/api/address/CreateAddressArgs.ts
@@ -0,0 +1,5 @@
+import { AddressCreateInput } from "./AddressCreateInput";
+
+export type CreateAddressArgs = {
+ data: AddressCreateInput;
+};
diff --git a/apps/titiksha-agrawal-admin/src/api/address/CustomerCreateNestedManyWithoutAddressesInput.ts b/apps/titiksha-agrawal-admin/src/api/address/CustomerCreateNestedManyWithoutAddressesInput.ts
new file mode 100644
index 0000000..d7ce280
--- /dev/null
+++ b/apps/titiksha-agrawal-admin/src/api/address/CustomerCreateNestedManyWithoutAddressesInput.ts
@@ -0,0 +1,5 @@
+import { CustomerWhereUniqueInput } from "../customer/CustomerWhereUniqueInput";
+
+export type CustomerCreateNestedManyWithoutAddressesInput = {
+ connect?: Array;
+};
diff --git a/apps/titiksha-agrawal-admin/src/api/address/CustomerUpdateManyWithoutAddressesInput.ts b/apps/titiksha-agrawal-admin/src/api/address/CustomerUpdateManyWithoutAddressesInput.ts
new file mode 100644
index 0000000..1f28101
--- /dev/null
+++ b/apps/titiksha-agrawal-admin/src/api/address/CustomerUpdateManyWithoutAddressesInput.ts
@@ -0,0 +1,7 @@
+import { CustomerWhereUniqueInput } from "../customer/CustomerWhereUniqueInput";
+
+export type CustomerUpdateManyWithoutAddressesInput = {
+ connect?: Array;
+ disconnect?: Array;
+ set?: Array;
+};
diff --git a/apps/titiksha-agrawal-admin/src/api/address/DeleteAddressArgs.ts b/apps/titiksha-agrawal-admin/src/api/address/DeleteAddressArgs.ts
new file mode 100644
index 0000000..14f1650
--- /dev/null
+++ b/apps/titiksha-agrawal-admin/src/api/address/DeleteAddressArgs.ts
@@ -0,0 +1,5 @@
+import { AddressWhereUniqueInput } from "./AddressWhereUniqueInput";
+
+export type DeleteAddressArgs = {
+ where: AddressWhereUniqueInput;
+};
diff --git a/apps/titiksha-agrawal-admin/src/api/address/UpdateAddressArgs.ts b/apps/titiksha-agrawal-admin/src/api/address/UpdateAddressArgs.ts
new file mode 100644
index 0000000..181144d
--- /dev/null
+++ b/apps/titiksha-agrawal-admin/src/api/address/UpdateAddressArgs.ts
@@ -0,0 +1,7 @@
+import { AddressWhereUniqueInput } from "./AddressWhereUniqueInput";
+import { AddressUpdateInput } from "./AddressUpdateInput";
+
+export type UpdateAddressArgs = {
+ where: AddressWhereUniqueInput;
+ data: AddressUpdateInput;
+};
diff --git a/apps/titiksha-agrawal-admin/src/api/customer/CreateCustomerArgs.ts b/apps/titiksha-agrawal-admin/src/api/customer/CreateCustomerArgs.ts
new file mode 100644
index 0000000..216376d
--- /dev/null
+++ b/apps/titiksha-agrawal-admin/src/api/customer/CreateCustomerArgs.ts
@@ -0,0 +1,5 @@
+import { CustomerCreateInput } from "./CustomerCreateInput";
+
+export type CreateCustomerArgs = {
+ data: CustomerCreateInput;
+};
diff --git a/apps/titiksha-agrawal-admin/src/api/customer/Customer.ts b/apps/titiksha-agrawal-admin/src/api/customer/Customer.ts
new file mode 100644
index 0000000..d6308df
--- /dev/null
+++ b/apps/titiksha-agrawal-admin/src/api/customer/Customer.ts
@@ -0,0 +1,14 @@
+import { Address } from "../address/Address";
+import { Order } from "../order/Order";
+
+export type Customer = {
+ address?: Address | null;
+ createdAt: Date;
+ email: string | null;
+ firstName: string | null;
+ id: string;
+ lastName: string | null;
+ orders?: Array;
+ phone: string | null;
+ updatedAt: Date;
+};
diff --git a/apps/titiksha-agrawal-admin/src/api/customer/CustomerCountArgs.ts b/apps/titiksha-agrawal-admin/src/api/customer/CustomerCountArgs.ts
new file mode 100644
index 0000000..18fe18e
--- /dev/null
+++ b/apps/titiksha-agrawal-admin/src/api/customer/CustomerCountArgs.ts
@@ -0,0 +1,5 @@
+import { CustomerWhereInput } from "./CustomerWhereInput";
+
+export type CustomerCountArgs = {
+ where?: CustomerWhereInput;
+};
diff --git a/apps/titiksha-agrawal-admin/src/api/customer/CustomerCreateInput.ts b/apps/titiksha-agrawal-admin/src/api/customer/CustomerCreateInput.ts
new file mode 100644
index 0000000..948779f
--- /dev/null
+++ b/apps/titiksha-agrawal-admin/src/api/customer/CustomerCreateInput.ts
@@ -0,0 +1,11 @@
+import { AddressWhereUniqueInput } from "../address/AddressWhereUniqueInput";
+import { OrderCreateNestedManyWithoutCustomersInput } from "./OrderCreateNestedManyWithoutCustomersInput";
+
+export type CustomerCreateInput = {
+ address?: AddressWhereUniqueInput | null;
+ email?: string | null;
+ firstName?: string | null;
+ lastName?: string | null;
+ orders?: OrderCreateNestedManyWithoutCustomersInput;
+ phone?: string | null;
+};
diff --git a/apps/titiksha-agrawal-admin/src/api/customer/CustomerFindManyArgs.ts b/apps/titiksha-agrawal-admin/src/api/customer/CustomerFindManyArgs.ts
new file mode 100644
index 0000000..e1e7b0a
--- /dev/null
+++ b/apps/titiksha-agrawal-admin/src/api/customer/CustomerFindManyArgs.ts
@@ -0,0 +1,9 @@
+import { CustomerWhereInput } from "./CustomerWhereInput";
+import { CustomerOrderByInput } from "./CustomerOrderByInput";
+
+export type CustomerFindManyArgs = {
+ where?: CustomerWhereInput;
+ orderBy?: Array;
+ skip?: number;
+ take?: number;
+};
diff --git a/apps/titiksha-agrawal-admin/src/api/customer/CustomerFindUniqueArgs.ts b/apps/titiksha-agrawal-admin/src/api/customer/CustomerFindUniqueArgs.ts
new file mode 100644
index 0000000..c0b9e44
--- /dev/null
+++ b/apps/titiksha-agrawal-admin/src/api/customer/CustomerFindUniqueArgs.ts
@@ -0,0 +1,5 @@
+import { CustomerWhereUniqueInput } from "./CustomerWhereUniqueInput";
+
+export type CustomerFindUniqueArgs = {
+ where: CustomerWhereUniqueInput;
+};
diff --git a/apps/titiksha-agrawal-admin/src/api/customer/CustomerListRelationFilter.ts b/apps/titiksha-agrawal-admin/src/api/customer/CustomerListRelationFilter.ts
new file mode 100644
index 0000000..64514f8
--- /dev/null
+++ b/apps/titiksha-agrawal-admin/src/api/customer/CustomerListRelationFilter.ts
@@ -0,0 +1,7 @@
+import { CustomerWhereInput } from "./CustomerWhereInput";
+
+export type CustomerListRelationFilter = {
+ every?: CustomerWhereInput;
+ some?: CustomerWhereInput;
+ none?: CustomerWhereInput;
+};
diff --git a/apps/titiksha-agrawal-admin/src/api/customer/CustomerOrderByInput.ts b/apps/titiksha-agrawal-admin/src/api/customer/CustomerOrderByInput.ts
new file mode 100644
index 0000000..a495719
--- /dev/null
+++ b/apps/titiksha-agrawal-admin/src/api/customer/CustomerOrderByInput.ts
@@ -0,0 +1,12 @@
+import { SortOrder } from "../../util/SortOrder";
+
+export type CustomerOrderByInput = {
+ addressId?: SortOrder;
+ createdAt?: SortOrder;
+ email?: SortOrder;
+ firstName?: SortOrder;
+ id?: SortOrder;
+ lastName?: SortOrder;
+ phone?: SortOrder;
+ updatedAt?: SortOrder;
+};
diff --git a/apps/titiksha-agrawal-admin/src/api/customer/CustomerUpdateInput.ts b/apps/titiksha-agrawal-admin/src/api/customer/CustomerUpdateInput.ts
new file mode 100644
index 0000000..d1c72a3
--- /dev/null
+++ b/apps/titiksha-agrawal-admin/src/api/customer/CustomerUpdateInput.ts
@@ -0,0 +1,11 @@
+import { AddressWhereUniqueInput } from "../address/AddressWhereUniqueInput";
+import { OrderUpdateManyWithoutCustomersInput } from "./OrderUpdateManyWithoutCustomersInput";
+
+export type CustomerUpdateInput = {
+ address?: AddressWhereUniqueInput | null;
+ email?: string | null;
+ firstName?: string | null;
+ lastName?: string | null;
+ orders?: OrderUpdateManyWithoutCustomersInput;
+ phone?: string | null;
+};
diff --git a/apps/titiksha-agrawal-admin/src/api/customer/CustomerWhereInput.ts b/apps/titiksha-agrawal-admin/src/api/customer/CustomerWhereInput.ts
new file mode 100644
index 0000000..5bff5b5
--- /dev/null
+++ b/apps/titiksha-agrawal-admin/src/api/customer/CustomerWhereInput.ts
@@ -0,0 +1,14 @@
+import { AddressWhereUniqueInput } from "../address/AddressWhereUniqueInput";
+import { StringNullableFilter } from "../../util/StringNullableFilter";
+import { StringFilter } from "../../util/StringFilter";
+import { OrderListRelationFilter } from "../order/OrderListRelationFilter";
+
+export type CustomerWhereInput = {
+ address?: AddressWhereUniqueInput;
+ email?: StringNullableFilter;
+ firstName?: StringNullableFilter;
+ id?: StringFilter;
+ lastName?: StringNullableFilter;
+ orders?: OrderListRelationFilter;
+ phone?: StringNullableFilter;
+};
diff --git a/apps/titiksha-agrawal-admin/src/api/customer/CustomerWhereUniqueInput.ts b/apps/titiksha-agrawal-admin/src/api/customer/CustomerWhereUniqueInput.ts
new file mode 100644
index 0000000..87b1d6e
--- /dev/null
+++ b/apps/titiksha-agrawal-admin/src/api/customer/CustomerWhereUniqueInput.ts
@@ -0,0 +1,3 @@
+export type CustomerWhereUniqueInput = {
+ id: string;
+};
diff --git a/apps/titiksha-agrawal-admin/src/api/customer/DeleteCustomerArgs.ts b/apps/titiksha-agrawal-admin/src/api/customer/DeleteCustomerArgs.ts
new file mode 100644
index 0000000..64bdd7b
--- /dev/null
+++ b/apps/titiksha-agrawal-admin/src/api/customer/DeleteCustomerArgs.ts
@@ -0,0 +1,5 @@
+import { CustomerWhereUniqueInput } from "./CustomerWhereUniqueInput";
+
+export type DeleteCustomerArgs = {
+ where: CustomerWhereUniqueInput;
+};
diff --git a/apps/titiksha-agrawal-admin/src/api/customer/OrderCreateNestedManyWithoutCustomersInput.ts b/apps/titiksha-agrawal-admin/src/api/customer/OrderCreateNestedManyWithoutCustomersInput.ts
new file mode 100644
index 0000000..e205569
--- /dev/null
+++ b/apps/titiksha-agrawal-admin/src/api/customer/OrderCreateNestedManyWithoutCustomersInput.ts
@@ -0,0 +1,5 @@
+import { OrderWhereUniqueInput } from "../order/OrderWhereUniqueInput";
+
+export type OrderCreateNestedManyWithoutCustomersInput = {
+ connect?: Array;
+};
diff --git a/apps/titiksha-agrawal-admin/src/api/customer/OrderUpdateManyWithoutCustomersInput.ts b/apps/titiksha-agrawal-admin/src/api/customer/OrderUpdateManyWithoutCustomersInput.ts
new file mode 100644
index 0000000..ff95304
--- /dev/null
+++ b/apps/titiksha-agrawal-admin/src/api/customer/OrderUpdateManyWithoutCustomersInput.ts
@@ -0,0 +1,7 @@
+import { OrderWhereUniqueInput } from "../order/OrderWhereUniqueInput";
+
+export type OrderUpdateManyWithoutCustomersInput = {
+ connect?: Array;
+ disconnect?: Array;
+ set?: Array;
+};
diff --git a/apps/titiksha-agrawal-admin/src/api/customer/UpdateCustomerArgs.ts b/apps/titiksha-agrawal-admin/src/api/customer/UpdateCustomerArgs.ts
new file mode 100644
index 0000000..65a7b32
--- /dev/null
+++ b/apps/titiksha-agrawal-admin/src/api/customer/UpdateCustomerArgs.ts
@@ -0,0 +1,7 @@
+import { CustomerWhereUniqueInput } from "./CustomerWhereUniqueInput";
+import { CustomerUpdateInput } from "./CustomerUpdateInput";
+
+export type UpdateCustomerArgs = {
+ where: CustomerWhereUniqueInput;
+ data: CustomerUpdateInput;
+};
diff --git a/apps/titiksha-agrawal-admin/src/api/order/CreateOrderArgs.ts b/apps/titiksha-agrawal-admin/src/api/order/CreateOrderArgs.ts
new file mode 100644
index 0000000..ae92a61
--- /dev/null
+++ b/apps/titiksha-agrawal-admin/src/api/order/CreateOrderArgs.ts
@@ -0,0 +1,5 @@
+import { OrderCreateInput } from "./OrderCreateInput";
+
+export type CreateOrderArgs = {
+ data: OrderCreateInput;
+};
diff --git a/apps/titiksha-agrawal-admin/src/api/order/DeleteOrderArgs.ts b/apps/titiksha-agrawal-admin/src/api/order/DeleteOrderArgs.ts
new file mode 100644
index 0000000..72c9a43
--- /dev/null
+++ b/apps/titiksha-agrawal-admin/src/api/order/DeleteOrderArgs.ts
@@ -0,0 +1,5 @@
+import { OrderWhereUniqueInput } from "./OrderWhereUniqueInput";
+
+export type DeleteOrderArgs = {
+ where: OrderWhereUniqueInput;
+};
diff --git a/apps/titiksha-agrawal-admin/src/api/order/Order.ts b/apps/titiksha-agrawal-admin/src/api/order/Order.ts
new file mode 100644
index 0000000..6216bd3
--- /dev/null
+++ b/apps/titiksha-agrawal-admin/src/api/order/Order.ts
@@ -0,0 +1,13 @@
+import { Customer } from "../customer/Customer";
+import { Product } from "../product/Product";
+
+export type Order = {
+ createdAt: Date;
+ customer?: Customer | null;
+ discount: number | null;
+ id: string;
+ product?: Product | null;
+ quantity: number | null;
+ totalPrice: number | null;
+ updatedAt: Date;
+};
diff --git a/apps/titiksha-agrawal-admin/src/api/order/OrderCountArgs.ts b/apps/titiksha-agrawal-admin/src/api/order/OrderCountArgs.ts
new file mode 100644
index 0000000..0671694
--- /dev/null
+++ b/apps/titiksha-agrawal-admin/src/api/order/OrderCountArgs.ts
@@ -0,0 +1,5 @@
+import { OrderWhereInput } from "./OrderWhereInput";
+
+export type OrderCountArgs = {
+ where?: OrderWhereInput;
+};
diff --git a/apps/titiksha-agrawal-admin/src/api/order/OrderCreateInput.ts b/apps/titiksha-agrawal-admin/src/api/order/OrderCreateInput.ts
new file mode 100644
index 0000000..991131d
--- /dev/null
+++ b/apps/titiksha-agrawal-admin/src/api/order/OrderCreateInput.ts
@@ -0,0 +1,10 @@
+import { CustomerWhereUniqueInput } from "../customer/CustomerWhereUniqueInput";
+import { ProductWhereUniqueInput } from "../product/ProductWhereUniqueInput";
+
+export type OrderCreateInput = {
+ customer?: CustomerWhereUniqueInput | null;
+ discount?: number | null;
+ product?: ProductWhereUniqueInput | null;
+ quantity?: number | null;
+ totalPrice?: number | null;
+};
diff --git a/apps/titiksha-agrawal-admin/src/api/order/OrderFindManyArgs.ts b/apps/titiksha-agrawal-admin/src/api/order/OrderFindManyArgs.ts
new file mode 100644
index 0000000..44e4a43
--- /dev/null
+++ b/apps/titiksha-agrawal-admin/src/api/order/OrderFindManyArgs.ts
@@ -0,0 +1,9 @@
+import { OrderWhereInput } from "./OrderWhereInput";
+import { OrderOrderByInput } from "./OrderOrderByInput";
+
+export type OrderFindManyArgs = {
+ where?: OrderWhereInput;
+ orderBy?: Array;
+ skip?: number;
+ take?: number;
+};
diff --git a/apps/titiksha-agrawal-admin/src/api/order/OrderFindUniqueArgs.ts b/apps/titiksha-agrawal-admin/src/api/order/OrderFindUniqueArgs.ts
new file mode 100644
index 0000000..3be5d14
--- /dev/null
+++ b/apps/titiksha-agrawal-admin/src/api/order/OrderFindUniqueArgs.ts
@@ -0,0 +1,5 @@
+import { OrderWhereUniqueInput } from "./OrderWhereUniqueInput";
+
+export type OrderFindUniqueArgs = {
+ where: OrderWhereUniqueInput;
+};
diff --git a/apps/titiksha-agrawal-admin/src/api/order/OrderListRelationFilter.ts b/apps/titiksha-agrawal-admin/src/api/order/OrderListRelationFilter.ts
new file mode 100644
index 0000000..c9b2856
--- /dev/null
+++ b/apps/titiksha-agrawal-admin/src/api/order/OrderListRelationFilter.ts
@@ -0,0 +1,7 @@
+import { OrderWhereInput } from "./OrderWhereInput";
+
+export type OrderListRelationFilter = {
+ every?: OrderWhereInput;
+ some?: OrderWhereInput;
+ none?: OrderWhereInput;
+};
diff --git a/apps/titiksha-agrawal-admin/src/api/order/OrderOrderByInput.ts b/apps/titiksha-agrawal-admin/src/api/order/OrderOrderByInput.ts
new file mode 100644
index 0000000..8a68733
--- /dev/null
+++ b/apps/titiksha-agrawal-admin/src/api/order/OrderOrderByInput.ts
@@ -0,0 +1,12 @@
+import { SortOrder } from "../../util/SortOrder";
+
+export type OrderOrderByInput = {
+ createdAt?: SortOrder;
+ customerId?: SortOrder;
+ discount?: SortOrder;
+ id?: SortOrder;
+ productId?: SortOrder;
+ quantity?: SortOrder;
+ totalPrice?: SortOrder;
+ updatedAt?: SortOrder;
+};
diff --git a/apps/titiksha-agrawal-admin/src/api/order/OrderUpdateInput.ts b/apps/titiksha-agrawal-admin/src/api/order/OrderUpdateInput.ts
new file mode 100644
index 0000000..87fc1dc
--- /dev/null
+++ b/apps/titiksha-agrawal-admin/src/api/order/OrderUpdateInput.ts
@@ -0,0 +1,10 @@
+import { CustomerWhereUniqueInput } from "../customer/CustomerWhereUniqueInput";
+import { ProductWhereUniqueInput } from "../product/ProductWhereUniqueInput";
+
+export type OrderUpdateInput = {
+ customer?: CustomerWhereUniqueInput | null;
+ discount?: number | null;
+ product?: ProductWhereUniqueInput | null;
+ quantity?: number | null;
+ totalPrice?: number | null;
+};
diff --git a/apps/titiksha-agrawal-admin/src/api/order/OrderWhereInput.ts b/apps/titiksha-agrawal-admin/src/api/order/OrderWhereInput.ts
new file mode 100644
index 0000000..5d5d895
--- /dev/null
+++ b/apps/titiksha-agrawal-admin/src/api/order/OrderWhereInput.ts
@@ -0,0 +1,14 @@
+import { CustomerWhereUniqueInput } from "../customer/CustomerWhereUniqueInput";
+import { FloatNullableFilter } from "../../util/FloatNullableFilter";
+import { StringFilter } from "../../util/StringFilter";
+import { ProductWhereUniqueInput } from "../product/ProductWhereUniqueInput";
+import { IntNullableFilter } from "../../util/IntNullableFilter";
+
+export type OrderWhereInput = {
+ customer?: CustomerWhereUniqueInput;
+ discount?: FloatNullableFilter;
+ id?: StringFilter;
+ product?: ProductWhereUniqueInput;
+ quantity?: IntNullableFilter;
+ totalPrice?: IntNullableFilter;
+};
diff --git a/apps/titiksha-agrawal-admin/src/api/order/OrderWhereUniqueInput.ts b/apps/titiksha-agrawal-admin/src/api/order/OrderWhereUniqueInput.ts
new file mode 100644
index 0000000..ea2ede7
--- /dev/null
+++ b/apps/titiksha-agrawal-admin/src/api/order/OrderWhereUniqueInput.ts
@@ -0,0 +1,3 @@
+export type OrderWhereUniqueInput = {
+ id: string;
+};
diff --git a/apps/titiksha-agrawal-admin/src/api/order/UpdateOrderArgs.ts b/apps/titiksha-agrawal-admin/src/api/order/UpdateOrderArgs.ts
new file mode 100644
index 0000000..88d849f
--- /dev/null
+++ b/apps/titiksha-agrawal-admin/src/api/order/UpdateOrderArgs.ts
@@ -0,0 +1,7 @@
+import { OrderWhereUniqueInput } from "./OrderWhereUniqueInput";
+import { OrderUpdateInput } from "./OrderUpdateInput";
+
+export type UpdateOrderArgs = {
+ where: OrderWhereUniqueInput;
+ data: OrderUpdateInput;
+};
diff --git a/apps/titiksha-agrawal-admin/src/api/product/CreateProductArgs.ts b/apps/titiksha-agrawal-admin/src/api/product/CreateProductArgs.ts
new file mode 100644
index 0000000..3e98f36
--- /dev/null
+++ b/apps/titiksha-agrawal-admin/src/api/product/CreateProductArgs.ts
@@ -0,0 +1,5 @@
+import { ProductCreateInput } from "./ProductCreateInput";
+
+export type CreateProductArgs = {
+ data: ProductCreateInput;
+};
diff --git a/apps/titiksha-agrawal-admin/src/api/product/DeleteProductArgs.ts b/apps/titiksha-agrawal-admin/src/api/product/DeleteProductArgs.ts
new file mode 100644
index 0000000..f1f7ba1
--- /dev/null
+++ b/apps/titiksha-agrawal-admin/src/api/product/DeleteProductArgs.ts
@@ -0,0 +1,5 @@
+import { ProductWhereUniqueInput } from "./ProductWhereUniqueInput";
+
+export type DeleteProductArgs = {
+ where: ProductWhereUniqueInput;
+};
diff --git a/apps/titiksha-agrawal-admin/src/api/product/OrderCreateNestedManyWithoutProductsInput.ts b/apps/titiksha-agrawal-admin/src/api/product/OrderCreateNestedManyWithoutProductsInput.ts
new file mode 100644
index 0000000..1b18f00
--- /dev/null
+++ b/apps/titiksha-agrawal-admin/src/api/product/OrderCreateNestedManyWithoutProductsInput.ts
@@ -0,0 +1,5 @@
+import { OrderWhereUniqueInput } from "../order/OrderWhereUniqueInput";
+
+export type OrderCreateNestedManyWithoutProductsInput = {
+ connect?: Array;
+};
diff --git a/apps/titiksha-agrawal-admin/src/api/product/OrderUpdateManyWithoutProductsInput.ts b/apps/titiksha-agrawal-admin/src/api/product/OrderUpdateManyWithoutProductsInput.ts
new file mode 100644
index 0000000..1be365f
--- /dev/null
+++ b/apps/titiksha-agrawal-admin/src/api/product/OrderUpdateManyWithoutProductsInput.ts
@@ -0,0 +1,7 @@
+import { OrderWhereUniqueInput } from "../order/OrderWhereUniqueInput";
+
+export type OrderUpdateManyWithoutProductsInput = {
+ connect?: Array;
+ disconnect?: Array;
+ set?: Array;
+};
diff --git a/apps/titiksha-agrawal-admin/src/api/product/Product.ts b/apps/titiksha-agrawal-admin/src/api/product/Product.ts
new file mode 100644
index 0000000..2d63d9b
--- /dev/null
+++ b/apps/titiksha-agrawal-admin/src/api/product/Product.ts
@@ -0,0 +1,11 @@
+import { Order } from "../order/Order";
+
+export type Product = {
+ createdAt: Date;
+ description: string | null;
+ id: string;
+ itemPrice: number | null;
+ name: string | null;
+ orders?: Array;
+ updatedAt: Date;
+};
diff --git a/apps/titiksha-agrawal-admin/src/api/product/ProductCountArgs.ts b/apps/titiksha-agrawal-admin/src/api/product/ProductCountArgs.ts
new file mode 100644
index 0000000..e0bb130
--- /dev/null
+++ b/apps/titiksha-agrawal-admin/src/api/product/ProductCountArgs.ts
@@ -0,0 +1,5 @@
+import { ProductWhereInput } from "./ProductWhereInput";
+
+export type ProductCountArgs = {
+ where?: ProductWhereInput;
+};
diff --git a/apps/titiksha-agrawal-admin/src/api/product/ProductCreateInput.ts b/apps/titiksha-agrawal-admin/src/api/product/ProductCreateInput.ts
new file mode 100644
index 0000000..3018930
--- /dev/null
+++ b/apps/titiksha-agrawal-admin/src/api/product/ProductCreateInput.ts
@@ -0,0 +1,8 @@
+import { OrderCreateNestedManyWithoutProductsInput } from "./OrderCreateNestedManyWithoutProductsInput";
+
+export type ProductCreateInput = {
+ description?: string | null;
+ itemPrice?: number | null;
+ name?: string | null;
+ orders?: OrderCreateNestedManyWithoutProductsInput;
+};
diff --git a/apps/titiksha-agrawal-admin/src/api/product/ProductFindManyArgs.ts b/apps/titiksha-agrawal-admin/src/api/product/ProductFindManyArgs.ts
new file mode 100644
index 0000000..bcaae8a
--- /dev/null
+++ b/apps/titiksha-agrawal-admin/src/api/product/ProductFindManyArgs.ts
@@ -0,0 +1,9 @@
+import { ProductWhereInput } from "./ProductWhereInput";
+import { ProductOrderByInput } from "./ProductOrderByInput";
+
+export type ProductFindManyArgs = {
+ where?: ProductWhereInput;
+ orderBy?: Array;
+ skip?: number;
+ take?: number;
+};
diff --git a/apps/titiksha-agrawal-admin/src/api/product/ProductFindUniqueArgs.ts b/apps/titiksha-agrawal-admin/src/api/product/ProductFindUniqueArgs.ts
new file mode 100644
index 0000000..5f6b0f6
--- /dev/null
+++ b/apps/titiksha-agrawal-admin/src/api/product/ProductFindUniqueArgs.ts
@@ -0,0 +1,5 @@
+import { ProductWhereUniqueInput } from "./ProductWhereUniqueInput";
+
+export type ProductFindUniqueArgs = {
+ where: ProductWhereUniqueInput;
+};
diff --git a/apps/titiksha-agrawal-admin/src/api/product/ProductListRelationFilter.ts b/apps/titiksha-agrawal-admin/src/api/product/ProductListRelationFilter.ts
new file mode 100644
index 0000000..e1c37ca
--- /dev/null
+++ b/apps/titiksha-agrawal-admin/src/api/product/ProductListRelationFilter.ts
@@ -0,0 +1,7 @@
+import { ProductWhereInput } from "./ProductWhereInput";
+
+export type ProductListRelationFilter = {
+ every?: ProductWhereInput;
+ some?: ProductWhereInput;
+ none?: ProductWhereInput;
+};
diff --git a/apps/titiksha-agrawal-admin/src/api/product/ProductOrderByInput.ts b/apps/titiksha-agrawal-admin/src/api/product/ProductOrderByInput.ts
new file mode 100644
index 0000000..01f501a
--- /dev/null
+++ b/apps/titiksha-agrawal-admin/src/api/product/ProductOrderByInput.ts
@@ -0,0 +1,10 @@
+import { SortOrder } from "../../util/SortOrder";
+
+export type ProductOrderByInput = {
+ createdAt?: SortOrder;
+ description?: SortOrder;
+ id?: SortOrder;
+ itemPrice?: SortOrder;
+ name?: SortOrder;
+ updatedAt?: SortOrder;
+};
diff --git a/apps/titiksha-agrawal-admin/src/api/product/ProductUpdateInput.ts b/apps/titiksha-agrawal-admin/src/api/product/ProductUpdateInput.ts
new file mode 100644
index 0000000..dbe5c14
--- /dev/null
+++ b/apps/titiksha-agrawal-admin/src/api/product/ProductUpdateInput.ts
@@ -0,0 +1,8 @@
+import { OrderUpdateManyWithoutProductsInput } from "./OrderUpdateManyWithoutProductsInput";
+
+export type ProductUpdateInput = {
+ description?: string | null;
+ itemPrice?: number | null;
+ name?: string | null;
+ orders?: OrderUpdateManyWithoutProductsInput;
+};
diff --git a/apps/titiksha-agrawal-admin/src/api/product/ProductWhereInput.ts b/apps/titiksha-agrawal-admin/src/api/product/ProductWhereInput.ts
new file mode 100644
index 0000000..a3d834c
--- /dev/null
+++ b/apps/titiksha-agrawal-admin/src/api/product/ProductWhereInput.ts
@@ -0,0 +1,12 @@
+import { StringNullableFilter } from "../../util/StringNullableFilter";
+import { StringFilter } from "../../util/StringFilter";
+import { FloatNullableFilter } from "../../util/FloatNullableFilter";
+import { OrderListRelationFilter } from "../order/OrderListRelationFilter";
+
+export type ProductWhereInput = {
+ description?: StringNullableFilter;
+ id?: StringFilter;
+ itemPrice?: FloatNullableFilter;
+ name?: StringNullableFilter;
+ orders?: OrderListRelationFilter;
+};
diff --git a/apps/titiksha-agrawal-admin/src/api/product/ProductWhereUniqueInput.ts b/apps/titiksha-agrawal-admin/src/api/product/ProductWhereUniqueInput.ts
new file mode 100644
index 0000000..3432b3b
--- /dev/null
+++ b/apps/titiksha-agrawal-admin/src/api/product/ProductWhereUniqueInput.ts
@@ -0,0 +1,3 @@
+export type ProductWhereUniqueInput = {
+ id: string;
+};
diff --git a/apps/titiksha-agrawal-admin/src/api/product/UpdateProductArgs.ts b/apps/titiksha-agrawal-admin/src/api/product/UpdateProductArgs.ts
new file mode 100644
index 0000000..54fba33
--- /dev/null
+++ b/apps/titiksha-agrawal-admin/src/api/product/UpdateProductArgs.ts
@@ -0,0 +1,7 @@
+import { ProductWhereUniqueInput } from "./ProductWhereUniqueInput";
+import { ProductUpdateInput } from "./ProductUpdateInput";
+
+export type UpdateProductArgs = {
+ where: ProductWhereUniqueInput;
+ data: ProductUpdateInput;
+};
diff --git a/apps/titiksha-agrawal-admin/src/auth-provider/ra-auth-http.ts b/apps/titiksha-agrawal-admin/src/auth-provider/ra-auth-http.ts
new file mode 100644
index 0000000..c6eeba8
--- /dev/null
+++ b/apps/titiksha-agrawal-admin/src/auth-provider/ra-auth-http.ts
@@ -0,0 +1,78 @@
+import { gql } from "@apollo/client/core";
+import { AuthProvider } from "react-admin";
+import {
+ CREDENTIALS_LOCAL_STORAGE_ITEM,
+ USER_DATA_LOCAL_STORAGE_ITEM,
+} from "../constants";
+import { Credentials, LoginMutateResult } from "../types";
+import { apolloClient } from "../data-provider/graphqlDataProvider";
+
+const LOGIN = gql`
+ mutation login($username: String!, $password: String!) {
+ login(credentials: { username: $username, password: $password }) {
+ username
+ roles
+ }
+ }
+`;
+
+export const httpAuthProvider: AuthProvider = {
+ login: async (credentials: Credentials) => {
+ const userData = await apolloClient.mutate({
+ mutation: LOGIN,
+ variables: {
+ ...credentials,
+ },
+ });
+
+ if (userData && userData.data?.login.username) {
+ localStorage.setItem(
+ CREDENTIALS_LOCAL_STORAGE_ITEM,
+ createBasicAuthorizationHeader(
+ credentials.username,
+ credentials.password
+ )
+ );
+ localStorage.setItem(
+ USER_DATA_LOCAL_STORAGE_ITEM,
+ JSON.stringify(userData.data)
+ );
+ return Promise.resolve();
+ }
+ return Promise.reject();
+ },
+ logout: () => {
+ localStorage.removeItem(CREDENTIALS_LOCAL_STORAGE_ITEM);
+ return Promise.resolve();
+ },
+ checkError: ({ status }: any) => {
+ if (status === 401 || status === 403) {
+ localStorage.removeItem(CREDENTIALS_LOCAL_STORAGE_ITEM);
+ return Promise.reject();
+ }
+ return Promise.resolve();
+ },
+ checkAuth: () => {
+ return localStorage.getItem(CREDENTIALS_LOCAL_STORAGE_ITEM)
+ ? Promise.resolve()
+ : Promise.reject();
+ },
+ getPermissions: () => Promise.reject("Unknown method"),
+ getIdentity: () => {
+ const str = localStorage.getItem(USER_DATA_LOCAL_STORAGE_ITEM);
+ const userData: LoginMutateResult = JSON.parse(str || "");
+
+ return Promise.resolve({
+ id: userData.login.username,
+ fullName: userData.login.username,
+ avatar: undefined,
+ });
+ },
+};
+
+function createBasicAuthorizationHeader(
+ username: string,
+ password: string
+): string {
+ return `Basic ${btoa(`${username}:${password}`)}`;
+}
diff --git a/apps/titiksha-agrawal-admin/src/auth-provider/ra-auth-jwt.ts b/apps/titiksha-agrawal-admin/src/auth-provider/ra-auth-jwt.ts
new file mode 100644
index 0000000..c8bcafc
--- /dev/null
+++ b/apps/titiksha-agrawal-admin/src/auth-provider/ra-auth-jwt.ts
@@ -0,0 +1,72 @@
+import { gql } from "@apollo/client/core";
+import { AuthProvider } from "react-admin";
+import {
+ CREDENTIALS_LOCAL_STORAGE_ITEM,
+ USER_DATA_LOCAL_STORAGE_ITEM,
+} from "../constants";
+import { Credentials, LoginMutateResult } from "../types";
+import { apolloClient } from "../data-provider/graphqlDataProvider";
+
+const LOGIN = gql`
+ mutation login($username: String!, $password: String!) {
+ login(credentials: { username: $username, password: $password }) {
+ username
+ accessToken
+ }
+ }
+`;
+
+export const jwtAuthProvider: AuthProvider = {
+ login: async (credentials: Credentials) => {
+ const userData = await apolloClient.mutate({
+ mutation: LOGIN,
+ variables: {
+ ...credentials,
+ },
+ });
+
+ if (userData && userData.data?.login.username) {
+ localStorage.setItem(
+ CREDENTIALS_LOCAL_STORAGE_ITEM,
+ createBearerAuthorizationHeader(userData.data.login?.accessToken)
+ );
+ localStorage.setItem(
+ USER_DATA_LOCAL_STORAGE_ITEM,
+ JSON.stringify(userData.data)
+ );
+ return Promise.resolve();
+ }
+ return Promise.reject();
+ },
+ logout: () => {
+ localStorage.removeItem(CREDENTIALS_LOCAL_STORAGE_ITEM);
+ return Promise.resolve();
+ },
+ checkError: ({ status }: any) => {
+ if (status === 401 || status === 403) {
+ localStorage.removeItem(CREDENTIALS_LOCAL_STORAGE_ITEM);
+ return Promise.reject();
+ }
+ return Promise.resolve();
+ },
+ checkAuth: () => {
+ return localStorage.getItem(CREDENTIALS_LOCAL_STORAGE_ITEM)
+ ? Promise.resolve()
+ : Promise.reject();
+ },
+ getPermissions: () => Promise.reject("Unknown method"),
+ getIdentity: () => {
+ const str = localStorage.getItem(USER_DATA_LOCAL_STORAGE_ITEM);
+ const userData: LoginMutateResult = JSON.parse(str || "");
+
+ return Promise.resolve({
+ id: userData.login.username,
+ fullName: userData.login.username,
+ avatar: undefined,
+ });
+ },
+};
+
+export function createBearerAuthorizationHeader(accessToken: string) {
+ return `Bearer ${accessToken}`;
+}
diff --git a/apps/titiksha-agrawal-admin/src/auth.ts b/apps/titiksha-agrawal-admin/src/auth.ts
new file mode 100644
index 0000000..498b026
--- /dev/null
+++ b/apps/titiksha-agrawal-admin/src/auth.ts
@@ -0,0 +1,34 @@
+import { EventEmitter } from "events";
+import { CREDENTIALS_LOCAL_STORAGE_ITEM } from "./constants";
+import { Credentials } from "./types";
+
+const eventEmitter = new EventEmitter();
+
+export function isAuthenticated(): boolean {
+ return Boolean(getCredentials());
+}
+
+export function listen(listener: (authenticated: boolean) => void): void {
+ eventEmitter.on("change", () => {
+ listener(isAuthenticated());
+ });
+}
+
+export function setCredentials(credentials: Credentials) {
+ localStorage.setItem(
+ CREDENTIALS_LOCAL_STORAGE_ITEM,
+ JSON.stringify(credentials)
+ );
+}
+
+export function getCredentials(): Credentials | null {
+ const raw = localStorage.getItem(CREDENTIALS_LOCAL_STORAGE_ITEM);
+ if (raw === null) {
+ return null;
+ }
+ return JSON.parse(raw);
+}
+
+export function removeCredentials(): void {
+ localStorage.removeItem(CREDENTIALS_LOCAL_STORAGE_ITEM);
+}
diff --git a/apps/titiksha-agrawal-admin/src/constants.ts b/apps/titiksha-agrawal-admin/src/constants.ts
new file mode 100644
index 0000000..4b3ca4b
--- /dev/null
+++ b/apps/titiksha-agrawal-admin/src/constants.ts
@@ -0,0 +1,2 @@
+export const CREDENTIALS_LOCAL_STORAGE_ITEM = "credentials";
+export const USER_DATA_LOCAL_STORAGE_ITEM = "userData";
diff --git a/apps/titiksha-agrawal-admin/src/customer/CustomerCreate.tsx b/apps/titiksha-agrawal-admin/src/customer/CustomerCreate.tsx
new file mode 100644
index 0000000..cbef519
--- /dev/null
+++ b/apps/titiksha-agrawal-admin/src/customer/CustomerCreate.tsx
@@ -0,0 +1,39 @@
+import * as React from "react";
+
+import {
+ Create,
+ SimpleForm,
+ CreateProps,
+ ReferenceInput,
+ SelectInput,
+ TextInput,
+ ReferenceArrayInput,
+ SelectArrayInput,
+} from "react-admin";
+
+import { AddressTitle } from "../address/AddressTitle";
+import { OrderTitle } from "../order/OrderTitle";
+
+export const CustomerCreate = (props: CreateProps): React.ReactElement => {
+ return (
+
+
+
+
+
+
+
+
+ value && value.map((v: any) => ({ id: v }))}
+ format={(value: any) => value && value.map((v: any) => v.id)}
+ >
+
+
+
+
+
+ );
+};
diff --git a/apps/titiksha-agrawal-admin/src/customer/CustomerEdit.tsx b/apps/titiksha-agrawal-admin/src/customer/CustomerEdit.tsx
new file mode 100644
index 0000000..d50f928
--- /dev/null
+++ b/apps/titiksha-agrawal-admin/src/customer/CustomerEdit.tsx
@@ -0,0 +1,39 @@
+import * as React from "react";
+
+import {
+ Edit,
+ SimpleForm,
+ EditProps,
+ ReferenceInput,
+ SelectInput,
+ TextInput,
+ ReferenceArrayInput,
+ SelectArrayInput,
+} from "react-admin";
+
+import { AddressTitle } from "../address/AddressTitle";
+import { OrderTitle } from "../order/OrderTitle";
+
+export const CustomerEdit = (props: EditProps): React.ReactElement => {
+ return (
+
+
+
+
+
+
+
+
+ value && value.map((v: any) => ({ id: v }))}
+ format={(value: any) => value && value.map((v: any) => v.id)}
+ >
+
+
+
+
+
+ );
+};
diff --git a/apps/titiksha-agrawal-admin/src/customer/CustomerList.tsx b/apps/titiksha-agrawal-admin/src/customer/CustomerList.tsx
new file mode 100644
index 0000000..66e8019
--- /dev/null
+++ b/apps/titiksha-agrawal-admin/src/customer/CustomerList.tsx
@@ -0,0 +1,36 @@
+import * as React from "react";
+import {
+ List,
+ Datagrid,
+ ListProps,
+ ReferenceField,
+ TextField,
+ DateField,
+} from "react-admin";
+import Pagination from "../Components/Pagination";
+import { ADDRESS_TITLE_FIELD } from "../address/AddressTitle";
+
+export const CustomerList = (props: ListProps): React.ReactElement => {
+ return (
+
}
+ >
+
+
+
+
+
+
+
+
+
+
+
+
+
+ );
+};
diff --git a/apps/titiksha-agrawal-admin/src/customer/CustomerShow.tsx b/apps/titiksha-agrawal-admin/src/customer/CustomerShow.tsx
new file mode 100644
index 0000000..367a421
--- /dev/null
+++ b/apps/titiksha-agrawal-admin/src/customer/CustomerShow.tsx
@@ -0,0 +1,63 @@
+import * as React from "react";
+
+import {
+ Show,
+ SimpleShowLayout,
+ ShowProps,
+ ReferenceField,
+ TextField,
+ DateField,
+ ReferenceManyField,
+ Datagrid,
+} from "react-admin";
+
+import { CUSTOMER_TITLE_FIELD } from "./CustomerTitle";
+import { PRODUCT_TITLE_FIELD } from "../product/ProductTitle";
+import { ADDRESS_TITLE_FIELD } from "../address/AddressTitle";
+
+export const CustomerShow = (props: ShowProps): React.ReactElement => {
+ return (
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+ );
+};
diff --git a/apps/titiksha-agrawal-admin/src/customer/CustomerTitle.ts b/apps/titiksha-agrawal-admin/src/customer/CustomerTitle.ts
new file mode 100644
index 0000000..8122155
--- /dev/null
+++ b/apps/titiksha-agrawal-admin/src/customer/CustomerTitle.ts
@@ -0,0 +1,7 @@
+import { Customer as TCustomer } from "../api/customer/Customer";
+
+export const CUSTOMER_TITLE_FIELD = "firstName";
+
+export const CustomerTitle = (record: TCustomer): string => {
+ return record.firstName?.toString() || String(record.id);
+};
diff --git a/apps/titiksha-agrawal-admin/src/data-provider/graphqlDataProvider.ts b/apps/titiksha-agrawal-admin/src/data-provider/graphqlDataProvider.ts
new file mode 100644
index 0000000..3ec4466
--- /dev/null
+++ b/apps/titiksha-agrawal-admin/src/data-provider/graphqlDataProvider.ts
@@ -0,0 +1,28 @@
+import buildGraphQLProvider from "ra-data-graphql-amplication";
+import { ApolloClient, InMemoryCache, createHttpLink } from "@apollo/client";
+import { setContext } from "@apollo/client/link/context";
+import { CREDENTIALS_LOCAL_STORAGE_ITEM } from "../constants";
+
+const httpLink = createHttpLink({
+ uri: `${process.env.REACT_APP_SERVER_URL}/graphql`,
+});
+
+// eslint-disable-next-line @typescript-eslint/naming-convention
+const authLink = setContext((_, { headers }) => {
+ const token = localStorage.getItem(CREDENTIALS_LOCAL_STORAGE_ITEM);
+ return {
+ headers: {
+ ...headers,
+ authorization: token ? token : "",
+ },
+ };
+});
+
+export const apolloClient = new ApolloClient({
+ cache: new InMemoryCache(),
+ link: authLink.concat(httpLink),
+});
+
+export default buildGraphQLProvider({
+ client: apolloClient,
+});
diff --git a/apps/titiksha-agrawal-admin/src/index.css b/apps/titiksha-agrawal-admin/src/index.css
new file mode 100644
index 0000000..8686848
--- /dev/null
+++ b/apps/titiksha-agrawal-admin/src/index.css
@@ -0,0 +1,26 @@
+body {
+ margin: 0;
+ font-family: -apple-system, BlinkMacSystemFont, "Segoe UI", "Roboto", "Oxygen",
+ "Ubuntu", "Cantarell", "Fira Sans", "Droid Sans", "Helvetica Neue",
+ sans-serif;
+ -webkit-font-smoothing: antialiased;
+ -moz-osx-font-smoothing: grayscale;
+}
+
+#root {
+ height: 100vh;
+}
+
+code {
+ font-family: source-code-pro, Menlo, Monaco, Consolas, "Courier New",
+ monospace;
+}
+
+.amp-breadcrumbs {
+ padding: var(--default-spacing);
+}
+
+.entity-id {
+ color: var(--primary);
+ text-decoration: underline;
+}
diff --git a/apps/titiksha-agrawal-admin/src/index.tsx b/apps/titiksha-agrawal-admin/src/index.tsx
new file mode 100644
index 0000000..5e2de69
--- /dev/null
+++ b/apps/titiksha-agrawal-admin/src/index.tsx
@@ -0,0 +1,19 @@
+import React from "react";
+import ReactDOM from "react-dom";
+import "./index.css";
+// @ts-ignore
+// eslint-disable-next-line import/no-unresolved
+import App from "./App";
+import reportWebVitals from "./reportWebVitals";
+
+ReactDOM.render(
+
+
+ ,
+ document.getElementById("root")
+);
+
+// If you want to start measuring performance in your app, pass a function
+// to log results (for example: reportWebVitals(console.log))
+// or send to an analytics endpoint. Learn more: https://bit.ly/CRA-vitals
+reportWebVitals();
diff --git a/apps/titiksha-agrawal-admin/src/login.scss b/apps/titiksha-agrawal-admin/src/login.scss
new file mode 100644
index 0000000..667d8d2
--- /dev/null
+++ b/apps/titiksha-agrawal-admin/src/login.scss
@@ -0,0 +1,119 @@
+:root {
+ --surface: #15192c; /*dark: black100 */
+ --white: #15192c; /*dark: black100 */
+
+ --black100: #ffffff; /*dark: white */
+ --black90: #b7bac7; /*dark: black10 */
+ --black80: #a3a8b8; /*dark: black20 */
+ --black60: #80869d; /*dark: black30 */
+ --black40: #686f8c; /*dark: black40 */
+ --black30: #515873; /*dark: black50 */
+ --black20: #444b66; /*dark: black60 */
+ --black10: #373d57; /*dark: black70 */
+ --black5: #2c3249; /*dark: black80 */
+ --black2: #22273c; /*dark: black90 */
+
+ --primary: #7950ed;
+}
+
+.login-page {
+ height: 100vh;
+ width: 100%;
+ background-color: var(--surface);
+ color: var(--black100);
+ display: flex;
+ justify-content: center;
+ align-items: center;
+ flex-direction: column;
+
+ &__wrapper {
+ display: flex;
+ align-items: stretch;
+ justify-content: center;
+ flex-direction: row;
+ }
+
+ &__box {
+ text-align: center;
+ width: 340px;
+ background-color: var(--black2);
+ border-radius: var(--small-border-radius);
+ margin: 1rem;
+ padding: 1rem;
+ border: 1px solid var(--black10);
+ display: flex;
+ flex-direction: column;
+ align-items: center;
+ justify-content: stretch;
+
+ h2 {
+ font-size: 18px;
+ }
+ img {
+ width: 48px;
+ }
+
+ &__message {
+ color: var(--black80);
+ font-size: 14px;
+ line-height: 22px;
+ }
+
+ button,
+ .MuiButton-contained {
+ box-sizing: border-box;
+ background-color: var(--primary);
+ width: 300px;
+ margin-top: 0.5rem;
+ margin-bottom: 1rem;
+ margin-top: auto;
+ &:hover,
+ &:active,
+ &:focus {
+ background-color: var(--primary);
+ }
+ }
+ }
+
+ form {
+ display: flex;
+ flex-direction: column;
+ justify-content: space-between;
+ align-items: center;
+ margin-top: 2rem;
+
+ label {
+ span {
+ display: block;
+ text-align: left;
+ font-size: 12px;
+ color: var(--black60);
+ }
+ }
+
+ input {
+ box-sizing: border-box;
+ background-color: var(--white);
+ border: 1px solid var(--black10);
+ padding: 0.5rem;
+ margin-bottom: 1rem;
+ outline: none;
+ border-radius: var(--small-border-radius);
+ width: 300px;
+ color: var(--black100);
+ &:hover,
+ &:active,
+ &:focus {
+ border: 1px solid var(--black100);
+ }
+ }
+ }
+
+ &__read-more {
+ color: var(--black80);
+ a {
+ color: var(--black100);
+ text-decoration: none;
+ }
+ }
+}
diff --git a/apps/titiksha-agrawal-admin/src/order/OrderCreate.tsx b/apps/titiksha-agrawal-admin/src/order/OrderCreate.tsx
new file mode 100644
index 0000000..3e73a43
--- /dev/null
+++ b/apps/titiksha-agrawal-admin/src/order/OrderCreate.tsx
@@ -0,0 +1,33 @@
+import * as React from "react";
+import {
+ Create,
+ SimpleForm,
+ CreateProps,
+ ReferenceInput,
+ SelectInput,
+ NumberInput,
+} from "react-admin";
+import { CustomerTitle } from "../customer/CustomerTitle";
+import { ProductTitle } from "../product/ProductTitle";
+
+export const OrderCreate = (props: CreateProps): React.ReactElement => {
+ return (
+
+
+
+
+
+
+
+
+
+
+
+
+
+ );
+};
diff --git a/apps/titiksha-agrawal-admin/src/order/OrderEdit.tsx b/apps/titiksha-agrawal-admin/src/order/OrderEdit.tsx
new file mode 100644
index 0000000..71a2608
--- /dev/null
+++ b/apps/titiksha-agrawal-admin/src/order/OrderEdit.tsx
@@ -0,0 +1,33 @@
+import * as React from "react";
+import {
+ Edit,
+ SimpleForm,
+ EditProps,
+ ReferenceInput,
+ SelectInput,
+ NumberInput,
+} from "react-admin";
+import { CustomerTitle } from "../customer/CustomerTitle";
+import { ProductTitle } from "../product/ProductTitle";
+
+export const OrderEdit = (props: EditProps): React.ReactElement => {
+ return (
+
+
+
+
+
+
+
+
+
+
+
+
+
+ );
+};
diff --git a/apps/titiksha-agrawal-admin/src/order/OrderList.tsx b/apps/titiksha-agrawal-admin/src/order/OrderList.tsx
new file mode 100644
index 0000000..31208cb
--- /dev/null
+++ b/apps/titiksha-agrawal-admin/src/order/OrderList.tsx
@@ -0,0 +1,43 @@
+import * as React from "react";
+import {
+ List,
+ Datagrid,
+ ListProps,
+ DateField,
+ ReferenceField,
+ TextField,
+} from "react-admin";
+import Pagination from "../Components/Pagination";
+import { CUSTOMER_TITLE_FIELD } from "../customer/CustomerTitle";
+import { PRODUCT_TITLE_FIELD } from "../product/ProductTitle";
+
+export const OrderList = (props: ListProps): React.ReactElement => {
+ return (
+
}
+ >
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+ );
+};
diff --git a/apps/titiksha-agrawal-admin/src/order/OrderShow.tsx b/apps/titiksha-agrawal-admin/src/order/OrderShow.tsx
new file mode 100644
index 0000000..da3429f
--- /dev/null
+++ b/apps/titiksha-agrawal-admin/src/order/OrderShow.tsx
@@ -0,0 +1,36 @@
+import * as React from "react";
+import {
+ Show,
+ SimpleShowLayout,
+ ShowProps,
+ DateField,
+ ReferenceField,
+ TextField,
+} from "react-admin";
+import { CUSTOMER_TITLE_FIELD } from "../customer/CustomerTitle";
+import { PRODUCT_TITLE_FIELD } from "../product/ProductTitle";
+
+export const OrderShow = (props: ShowProps): React.ReactElement => {
+ return (
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+ );
+};
diff --git a/apps/titiksha-agrawal-admin/src/order/OrderTitle.ts b/apps/titiksha-agrawal-admin/src/order/OrderTitle.ts
new file mode 100644
index 0000000..18af368
--- /dev/null
+++ b/apps/titiksha-agrawal-admin/src/order/OrderTitle.ts
@@ -0,0 +1,7 @@
+import { Order as TOrder } from "../api/order/Order";
+
+export const ORDER_TITLE_FIELD = "id";
+
+export const OrderTitle = (record: TOrder): string => {
+ return record.id?.toString() || String(record.id);
+};
diff --git a/apps/titiksha-agrawal-admin/src/pages/Dashboard.tsx b/apps/titiksha-agrawal-admin/src/pages/Dashboard.tsx
new file mode 100644
index 0000000..39c4d18
--- /dev/null
+++ b/apps/titiksha-agrawal-admin/src/pages/Dashboard.tsx
@@ -0,0 +1,12 @@
+import * as React from "react";
+import Card from "@material-ui/core/Card";
+import CardContent from "@material-ui/core/CardContent";
+import { Title } from "react-admin";
+const Dashboard = () => (
+
+
+ Welcome
+
+);
+
+export default Dashboard;
diff --git a/apps/titiksha-agrawal-admin/src/product/ProductCreate.tsx b/apps/titiksha-agrawal-admin/src/product/ProductCreate.tsx
new file mode 100644
index 0000000..760fd7d
--- /dev/null
+++ b/apps/titiksha-agrawal-admin/src/product/ProductCreate.tsx
@@ -0,0 +1,33 @@
+import * as React from "react";
+
+import {
+ Create,
+ SimpleForm,
+ CreateProps,
+ TextInput,
+ NumberInput,
+ ReferenceArrayInput,
+ SelectArrayInput,
+} from "react-admin";
+
+import { OrderTitle } from "../order/OrderTitle";
+
+export const ProductCreate = (props: CreateProps): React.ReactElement => {
+ return (
+
+
+
+
+
+ value && value.map((v: any) => ({ id: v }))}
+ format={(value: any) => value && value.map((v: any) => v.id)}
+ >
+
+
+
+
+ );
+};
diff --git a/apps/titiksha-agrawal-admin/src/product/ProductEdit.tsx b/apps/titiksha-agrawal-admin/src/product/ProductEdit.tsx
new file mode 100644
index 0000000..527be53
--- /dev/null
+++ b/apps/titiksha-agrawal-admin/src/product/ProductEdit.tsx
@@ -0,0 +1,33 @@
+import * as React from "react";
+
+import {
+ Edit,
+ SimpleForm,
+ EditProps,
+ TextInput,
+ NumberInput,
+ ReferenceArrayInput,
+ SelectArrayInput,
+} from "react-admin";
+
+import { OrderTitle } from "../order/OrderTitle";
+
+export const ProductEdit = (props: EditProps): React.ReactElement => {
+ return (
+
+
+
+
+
+ value && value.map((v: any) => ({ id: v }))}
+ format={(value: any) => value && value.map((v: any) => v.id)}
+ >
+
+
+
+
+ );
+};
diff --git a/apps/titiksha-agrawal-admin/src/product/ProductList.tsx b/apps/titiksha-agrawal-admin/src/product/ProductList.tsx
new file mode 100644
index 0000000..e0aa861
--- /dev/null
+++ b/apps/titiksha-agrawal-admin/src/product/ProductList.tsx
@@ -0,0 +1,24 @@
+import * as React from "react";
+import { List, Datagrid, ListProps, DateField, TextField } from "react-admin";
+import Pagination from "../Components/Pagination";
+
+export const ProductList = (props: ListProps): React.ReactElement => {
+ return (
+
}
+ >
+
+
+
+
+
+
+
+
+
+ );
+};
diff --git a/apps/titiksha-agrawal-admin/src/product/ProductShow.tsx b/apps/titiksha-agrawal-admin/src/product/ProductShow.tsx
new file mode 100644
index 0000000..5b0ab6b
--- /dev/null
+++ b/apps/titiksha-agrawal-admin/src/product/ProductShow.tsx
@@ -0,0 +1,54 @@
+import * as React from "react";
+
+import {
+ Show,
+ SimpleShowLayout,
+ ShowProps,
+ DateField,
+ TextField,
+ ReferenceManyField,
+ Datagrid,
+ ReferenceField,
+} from "react-admin";
+
+import { CUSTOMER_TITLE_FIELD } from "../customer/CustomerTitle";
+import { PRODUCT_TITLE_FIELD } from "./ProductTitle";
+
+export const ProductShow = (props: ShowProps): React.ReactElement => {
+ return (
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+ );
+};
diff --git a/apps/titiksha-agrawal-admin/src/product/ProductTitle.ts b/apps/titiksha-agrawal-admin/src/product/ProductTitle.ts
new file mode 100644
index 0000000..78e9c2c
--- /dev/null
+++ b/apps/titiksha-agrawal-admin/src/product/ProductTitle.ts
@@ -0,0 +1,7 @@
+import { Product as TProduct } from "../api/product/Product";
+
+export const PRODUCT_TITLE_FIELD = "name";
+
+export const ProductTitle = (record: TProduct): string => {
+ return record.name?.toString() || String(record.id);
+};
diff --git a/apps/titiksha-agrawal-admin/src/reportWebVitals.ts b/apps/titiksha-agrawal-admin/src/reportWebVitals.ts
new file mode 100644
index 0000000..821a6cd
--- /dev/null
+++ b/apps/titiksha-agrawal-admin/src/reportWebVitals.ts
@@ -0,0 +1,17 @@
+import { ReportHandler } from "web-vitals";
+
+const reportWebVitals = (onPerfEntry?: ReportHandler): void => {
+ if (onPerfEntry && onPerfEntry instanceof Function) {
+ void import("web-vitals").then(
+ ({ getCLS, getFID, getFCP, getLCP, getTTFB }) => {
+ getCLS(onPerfEntry);
+ getFID(onPerfEntry);
+ getFCP(onPerfEntry);
+ getLCP(onPerfEntry);
+ getTTFB(onPerfEntry);
+ }
+ );
+ }
+};
+
+export default reportWebVitals;
diff --git a/apps/titiksha-agrawal-admin/src/setupTests.ts b/apps/titiksha-agrawal-admin/src/setupTests.ts
new file mode 100644
index 0000000..1dd407a
--- /dev/null
+++ b/apps/titiksha-agrawal-admin/src/setupTests.ts
@@ -0,0 +1,5 @@
+// jest-dom adds custom jest matchers for asserting on DOM nodes.
+// allows you to do things like:
+// expect(element).toHaveTextContent(/react/i)
+// learn more: https://github.com/testing-library/jest-dom
+import "@testing-library/jest-dom";
diff --git a/apps/titiksha-agrawal-admin/src/theme/theme.ts b/apps/titiksha-agrawal-admin/src/theme/theme.ts
new file mode 100644
index 0000000..56a1153
--- /dev/null
+++ b/apps/titiksha-agrawal-admin/src/theme/theme.ts
@@ -0,0 +1,33 @@
+import { defaultTheme } from "react-admin";
+import { createTheme, ThemeOptions } from "@material-ui/core/styles";
+import { merge } from "lodash";
+import createPalette from "@material-ui/core/styles/createPalette";
+
+const palette = createPalette(
+ merge({}, defaultTheme.palette, {
+ primary: {
+ main: "#20a4f3",
+ },
+ secondary: {
+ main: "#7950ed",
+ },
+ error: {
+ main: "#e93c51",
+ },
+ warning: {
+ main: "#f6aa50",
+ },
+ info: {
+ main: "#144bc1",
+ },
+ success: {
+ main: "#31c587",
+ },
+ })
+);
+
+const themeOptions: ThemeOptions = {
+ palette,
+};
+
+export const theme = createTheme(merge({}, defaultTheme, themeOptions));
diff --git a/apps/titiksha-agrawal-admin/src/types.ts b/apps/titiksha-agrawal-admin/src/types.ts
new file mode 100644
index 0000000..45a457d
--- /dev/null
+++ b/apps/titiksha-agrawal-admin/src/types.ts
@@ -0,0 +1,13 @@
+import { JsonValue } from "type-fest";
+
+export type Credentials = {
+ username: string;
+ password: string;
+};
+export type LoginMutateResult = {
+ login: {
+ username: string;
+ accessToken: string;
+ };
+};
+export type InputJsonValue = Omit;
diff --git a/apps/titiksha-agrawal-admin/src/user/EnumRoles.ts b/apps/titiksha-agrawal-admin/src/user/EnumRoles.ts
new file mode 100644
index 0000000..3df7048
--- /dev/null
+++ b/apps/titiksha-agrawal-admin/src/user/EnumRoles.ts
@@ -0,0 +1,3 @@
+export enum EnumRoles {
+ User = "user",
+}
diff --git a/apps/titiksha-agrawal-admin/src/user/RolesOptions.ts b/apps/titiksha-agrawal-admin/src/user/RolesOptions.ts
new file mode 100644
index 0000000..2f12fcf
--- /dev/null
+++ b/apps/titiksha-agrawal-admin/src/user/RolesOptions.ts
@@ -0,0 +1,12 @@
+//@ts-ignore
+import { ROLES } from "./roles";
+
+declare interface Role {
+ name: string;
+ displayName: string;
+}
+
+export const ROLES_OPTIONS = ROLES.map((role: Role) => ({
+ value: role.name,
+ label: role.displayName,
+}));
diff --git a/apps/titiksha-agrawal-admin/src/user/roles.ts b/apps/titiksha-agrawal-admin/src/user/roles.ts
new file mode 100644
index 0000000..732870a
--- /dev/null
+++ b/apps/titiksha-agrawal-admin/src/user/roles.ts
@@ -0,0 +1,6 @@
+export const ROLES = [
+ {
+ name: "user",
+ displayName: "User",
+ },
+];
diff --git a/apps/titiksha-agrawal-admin/src/util/BooleanFilter.ts b/apps/titiksha-agrawal-admin/src/util/BooleanFilter.ts
new file mode 100644
index 0000000..a142d58
--- /dev/null
+++ b/apps/titiksha-agrawal-admin/src/util/BooleanFilter.ts
@@ -0,0 +1,4 @@
+export class BooleanFilter {
+ equals?: boolean;
+ not?: boolean;
+}
diff --git a/apps/titiksha-agrawal-admin/src/util/BooleanNullableFilter.ts b/apps/titiksha-agrawal-admin/src/util/BooleanNullableFilter.ts
new file mode 100644
index 0000000..b94aefc
--- /dev/null
+++ b/apps/titiksha-agrawal-admin/src/util/BooleanNullableFilter.ts
@@ -0,0 +1,4 @@
+export class BooleanNullableFilter {
+ equals?: boolean | null;
+ not?: boolean | null;
+}
diff --git a/apps/titiksha-agrawal-admin/src/util/DateTimeFilter.ts b/apps/titiksha-agrawal-admin/src/util/DateTimeFilter.ts
new file mode 100644
index 0000000..cd8d213
--- /dev/null
+++ b/apps/titiksha-agrawal-admin/src/util/DateTimeFilter.ts
@@ -0,0 +1,10 @@
+export class DateTimeFilter {
+ equals?: Date;
+ not?: Date;
+ in?: Date[];
+ notIn?: Date[];
+ lt?: Date;
+ lte?: Date;
+ gt?: Date;
+ gte?: Date;
+}
diff --git a/apps/titiksha-agrawal-admin/src/util/DateTimeNullableFilter.ts b/apps/titiksha-agrawal-admin/src/util/DateTimeNullableFilter.ts
new file mode 100644
index 0000000..2f9c7b3
--- /dev/null
+++ b/apps/titiksha-agrawal-admin/src/util/DateTimeNullableFilter.ts
@@ -0,0 +1,10 @@
+export class DateTimeNullableFilter {
+ equals?: Date | null;
+ in?: Date[] | null;
+ notIn?: Date[] | null;
+ lt?: Date;
+ lte?: Date;
+ gt?: Date;
+ gte?: Date;
+ not?: Date;
+}
diff --git a/apps/titiksha-agrawal-admin/src/util/FloatFilter.ts b/apps/titiksha-agrawal-admin/src/util/FloatFilter.ts
new file mode 100644
index 0000000..62aeb14
--- /dev/null
+++ b/apps/titiksha-agrawal-admin/src/util/FloatFilter.ts
@@ -0,0 +1,10 @@
+export class FloatFilter {
+ equals?: number;
+ in?: number[];
+ notIn?: number[];
+ lt?: number;
+ lte?: number;
+ gt?: number;
+ gte?: number;
+ not?: number;
+}
diff --git a/apps/titiksha-agrawal-admin/src/util/FloatNullableFilter.ts b/apps/titiksha-agrawal-admin/src/util/FloatNullableFilter.ts
new file mode 100644
index 0000000..d7bb163
--- /dev/null
+++ b/apps/titiksha-agrawal-admin/src/util/FloatNullableFilter.ts
@@ -0,0 +1,10 @@
+export class FloatNullableFilter {
+ equals?: number | null;
+ in?: number[] | null;
+ notIn?: number[] | null;
+ lt?: number;
+ lte?: number;
+ gt?: number;
+ gte?: number;
+ not?: number;
+}
diff --git a/apps/titiksha-agrawal-admin/src/util/IntFilter.ts b/apps/titiksha-agrawal-admin/src/util/IntFilter.ts
new file mode 100644
index 0000000..3dc0221
--- /dev/null
+++ b/apps/titiksha-agrawal-admin/src/util/IntFilter.ts
@@ -0,0 +1,10 @@
+export class IntFilter {
+ equals?: number;
+ in?: number[];
+ notIn?: number[];
+ lt?: number;
+ lte?: number;
+ gt?: number;
+ gte?: number;
+ not?: number;
+}
diff --git a/apps/titiksha-agrawal-admin/src/util/IntNullableFilter.ts b/apps/titiksha-agrawal-admin/src/util/IntNullableFilter.ts
new file mode 100644
index 0000000..2107cae
--- /dev/null
+++ b/apps/titiksha-agrawal-admin/src/util/IntNullableFilter.ts
@@ -0,0 +1,10 @@
+export class IntNullableFilter {
+ equals?: number | null;
+ in?: number[] | null;
+ notIn?: number[] | null;
+ lt?: number;
+ lte?: number;
+ gt?: number;
+ gte?: number;
+ not?: number;
+}
diff --git a/apps/titiksha-agrawal-admin/src/util/JsonFilter.ts b/apps/titiksha-agrawal-admin/src/util/JsonFilter.ts
new file mode 100644
index 0000000..cc44763
--- /dev/null
+++ b/apps/titiksha-agrawal-admin/src/util/JsonFilter.ts
@@ -0,0 +1,5 @@
+import { InputJsonValue } from "../types";
+export class JsonFilter {
+ equals?: InputJsonValue;
+ not?: InputJsonValue;
+}
diff --git a/apps/titiksha-agrawal-admin/src/util/JsonNullableFilter.ts b/apps/titiksha-agrawal-admin/src/util/JsonNullableFilter.ts
new file mode 100644
index 0000000..e6d1506
--- /dev/null
+++ b/apps/titiksha-agrawal-admin/src/util/JsonNullableFilter.ts
@@ -0,0 +1,5 @@
+import { JsonValue } from "type-fest";
+export class JsonNullableFilter {
+ equals?: JsonValue | null;
+ not?: JsonValue | null;
+}
diff --git a/apps/titiksha-agrawal-admin/src/util/MetaQueryPayload.ts b/apps/titiksha-agrawal-admin/src/util/MetaQueryPayload.ts
new file mode 100644
index 0000000..bc3175b
--- /dev/null
+++ b/apps/titiksha-agrawal-admin/src/util/MetaQueryPayload.ts
@@ -0,0 +1,3 @@
+export class MetaQueryPayload {
+ count!: number;
+}
diff --git a/apps/titiksha-agrawal-admin/src/util/QueryMode.ts b/apps/titiksha-agrawal-admin/src/util/QueryMode.ts
new file mode 100644
index 0000000..8a2164e
--- /dev/null
+++ b/apps/titiksha-agrawal-admin/src/util/QueryMode.ts
@@ -0,0 +1,4 @@
+export enum QueryMode {
+ Default = "default",
+ Insensitive = "insensitive",
+}
diff --git a/apps/titiksha-agrawal-admin/src/util/SortOrder.ts b/apps/titiksha-agrawal-admin/src/util/SortOrder.ts
new file mode 100644
index 0000000..a5bcdb6
--- /dev/null
+++ b/apps/titiksha-agrawal-admin/src/util/SortOrder.ts
@@ -0,0 +1,4 @@
+export enum SortOrder {
+ Asc = "asc",
+ Desc = "desc",
+}
diff --git a/apps/titiksha-agrawal-admin/src/util/StringFilter.ts b/apps/titiksha-agrawal-admin/src/util/StringFilter.ts
new file mode 100644
index 0000000..c2e26c5
--- /dev/null
+++ b/apps/titiksha-agrawal-admin/src/util/StringFilter.ts
@@ -0,0 +1,16 @@
+import { QueryMode } from "./QueryMode";
+
+export class StringFilter {
+ equals?: string;
+ in?: string[];
+ notIn?: string[];
+ lt?: string;
+ lte?: string;
+ gt?: string;
+ gte?: string;
+ contains?: string;
+ startsWith?: string;
+ endsWith?: string;
+ mode?: QueryMode;
+ not?: string;
+}
diff --git a/apps/titiksha-agrawal-admin/src/util/StringNullableFilter.ts b/apps/titiksha-agrawal-admin/src/util/StringNullableFilter.ts
new file mode 100644
index 0000000..e1e37ec
--- /dev/null
+++ b/apps/titiksha-agrawal-admin/src/util/StringNullableFilter.ts
@@ -0,0 +1,15 @@
+import { QueryMode } from "./QueryMode";
+export class StringNullableFilter {
+ equals?: string | null;
+ in?: string[] | null;
+ notIn?: string[] | null;
+ lt?: string;
+ lte?: string;
+ gt?: string;
+ gte?: string;
+ contains?: string;
+ startsWith?: string;
+ endsWith?: string;
+ mode?: QueryMode;
+ not?: string;
+}
diff --git a/apps/titiksha-agrawal-admin/tsconfig.json b/apps/titiksha-agrawal-admin/tsconfig.json
new file mode 100644
index 0000000..31cc780
--- /dev/null
+++ b/apps/titiksha-agrawal-admin/tsconfig.json
@@ -0,0 +1,21 @@
+{
+ "compilerOptions": {
+ "target": "es5",
+ "lib": ["dom", "dom.iterable", "esnext"],
+ "allowJs": true,
+ "skipLibCheck": true,
+ "esModuleInterop": true,
+ "allowSyntheticDefaultImports": true,
+ "forceConsistentCasingInFileNames": true,
+ "noFallthroughCasesInSwitch": true,
+ "module": "esnext",
+ "moduleResolution": "node",
+ "resolveJsonModule": true,
+ "isolatedModules": true,
+ "noEmit": true,
+ "jsx": "react-jsx",
+ "strict": true
+ },
+ "include": ["src"],
+ "exclude": ["./node_modules"]
+}
diff --git a/apps/titiksha-agrawal/.dockerignore b/apps/titiksha-agrawal/.dockerignore
new file mode 100644
index 0000000..cb5c30b
--- /dev/null
+++ b/apps/titiksha-agrawal/.dockerignore
@@ -0,0 +1,8 @@
+.dockerignore
+docker-compose.yml
+Dockerfile
+dist/
+node_modules
+.env
+.gitignore
+.prettierignore
\ No newline at end of file
diff --git a/apps/titiksha-agrawal/.env b/apps/titiksha-agrawal/.env
new file mode 100644
index 0000000..7cb7857
--- /dev/null
+++ b/apps/titiksha-agrawal/.env
@@ -0,0 +1,8 @@
+BCRYPT_SALT=10
+COMPOSE_PROJECT_NAME=amp_clomzfhwm0isumi017vjqwabs
+PORT=3000
+DB_USER=root
+DB_PASSWORD=admin
+DB_PORT=3306
+DB_NAME=my-db
+DB_URL=mysql://root:admin@localhost:3306/my-db
\ No newline at end of file
diff --git a/apps/titiksha-agrawal/.gitignore b/apps/titiksha-agrawal/.gitignore
new file mode 100644
index 0000000..08c9980
--- /dev/null
+++ b/apps/titiksha-agrawal/.gitignore
@@ -0,0 +1,5 @@
+# See https://help.github.com/articles/ignoring-files/ for more about ignoring files.
+
+/node_modules
+/dist
+.DS_Store
diff --git a/apps/titiksha-agrawal/.prettierignore b/apps/titiksha-agrawal/.prettierignore
new file mode 100644
index 0000000..e48f355
--- /dev/null
+++ b/apps/titiksha-agrawal/.prettierignore
@@ -0,0 +1,5 @@
+node_modules/
+dist/
+prisma/migrations/
+package-lock.json
+coverage/
\ No newline at end of file
diff --git a/apps/titiksha-agrawal/Dockerfile b/apps/titiksha-agrawal/Dockerfile
new file mode 100644
index 0000000..80dd8d3
--- /dev/null
+++ b/apps/titiksha-agrawal/Dockerfile
@@ -0,0 +1,68 @@
+# multi-stage: base (build)
+FROM node:18.13.0 AS base
+
+# create directory where the application will be built
+WORKDIR /app
+
+# copy over the dependency manifests, both the package.json
+# and the package-lock.json are copied over
+COPY package*.json ./
+
+# installs packages and their dependencies
+RUN npm install
+
+# copy over the prisma schema
+COPY prisma/schema.prisma ./prisma/
+
+# generate the prisma client based on the schema
+RUN npm run prisma:generate
+
+# copy over the code base
+COPY . .
+
+# create the bundle of the application
+RUN npm run build
+
+# multi-stage: production (runtime)
+FROM node:18.13.0-slim AS production
+
+# create arguments of builds time variables
+ARG user=amplication
+ARG group=${user}
+ARG uid=1001
+ARG gid=$uid
+
+# [temporary] work around to be able to run prisma
+RUN apt-get update -y && apt-get install -y openssl
+
+# create directory where the application will be executed from
+WORKDIR /app
+
+# add the user and group
+RUN groupadd --gid ${gid} ${user}
+RUN useradd --uid ${uid} --gid ${gid} -m ${user}
+
+# copy over the bundled code from the build stage
+COPY --from=base /app/node_modules/ ./node_modules
+COPY --from=base /app/package.json ./package.json
+COPY --from=base /app/dist ./dist
+COPY --from=base /app/prisma ./prisma
+COPY --from=base /app/scripts ./scripts
+COPY --from=base /app/src ./src
+COPY --from=base /app/tsconfig* ./
+
+# change ownership of the workspace directory
+RUN chown -R ${uid}:${gid} /app/
+
+# get rid of the development dependencies
+RUN npm install --production
+
+# set user to the created non-privileged user
+USER ${user}
+
+# expose a specific port on the docker container
+ENV PORT=3000
+EXPOSE ${PORT}
+
+# start the server using the previously build application
+CMD [ "node", "./dist/main.js" ]
diff --git a/apps/titiksha-agrawal/README.md b/apps/titiksha-agrawal/README.md
new file mode 100644
index 0000000..6db8e75
--- /dev/null
+++ b/apps/titiksha-agrawal/README.md
@@ -0,0 +1,64 @@
+
+
+
+
+
+
+# Introduction
+
+This service was generated with Amplication. The server-side of the generated project. This component provides the different backend services - i.e., REST API, GraphQL API, authentication, authorization, logging, data validation and the connection to the database. Additional information about the server component and the architecture around it, can be found on the [documentation](https://docs.amplication.com/guides/getting-started) site.
+
+# Getting started
+
+## Step 1: Configuration
+
+Configuration for the server component can be provided through the use of environment variables. These can be passed to the application via the use of the `.env` file in the base directory of the generated service. Below a table can be found which show the different variables that can be passed - these are the variables which exist by default, through the use of plugins additional integrations could require additional values. These values are provided default values after generation, change them to the desired values.
+
+| Variable | Description | Value |
+| -------------------- | -------------------------------------------- | ------------------------------------------------------------------- |
+| BCRYPT_SALT | the string used for hashing | [random-string] |
+| COMPOSE_PROJECT_NAME | the identifier of the service plus prefix | amp_[service-identifier] |
+| PORT | the port on which to run the server | 3000 |
+| DB_URL | the connection url for the database | [db-provider]://[username]:[password]@localhost:[db-port]/[db-name] |
+| DB_PORT | the port used by the database instance | [db-provider-port] |
+| DB_USER | the username used to connect to the database | [username] |
+| DB_PASSWORD | the password used to connect to the database | [password] |
+| DB_NAME | the name of the database | [service-name] / [project-name] |
+| JWT_SECRET_KEY | the secret used to sign the json-web token | [secret] |
+| JWT_EXPIRATION | the expiration time for the json-web token | 2d |
+
+> **Note**
+> Amplication generates default values and stores them under the .env file. It is advised to use some form of secrets manager/vault solution when using in production.
+
+## Step 2.1: Scripts - pre-requisites
+
+After configuration of the server the next step would be to run the application. Before running the server side of the component, make sure that the different pre-requisites are met - i.e., node.js [^16.x], npm, docker. After the setup of the pre-requisites the server component can be started.
+
+```sh
+# installation of the dependencies
+$ npm install
+
+# generate the prisma client
+$ npm run prisma:generate
+```
+
+## Step 2.2: Scripts - local development
+
+```sh
+# start the database where the server component will connect to
+$ npm run docker:dev
+
+# initialize the database
+$ npm run db:init
+
+# start the server component
+$ npm run start
+```
+By default, your app comes with one user with the username "admin" and password "admin".
+
+## Step 2.2: Scripts - container based development
+
+```shell
+# start the server component as a docker container
+$ npm run compose:up
+```
diff --git a/apps/titiksha-agrawal/docker-compose.dev.yml b/apps/titiksha-agrawal/docker-compose.dev.yml
new file mode 100644
index 0000000..e2c7ce0
--- /dev/null
+++ b/apps/titiksha-agrawal/docker-compose.dev.yml
@@ -0,0 +1,29 @@
+version: "3"
+services:
+ db:
+ image: mysql
+ command: --default-authentication-plugin=mysql_native_password
+ restart: always
+ ports:
+ - ${DB_PORT}:3306
+ environment:
+ MYSQL_ROOT_PASSWORD: ${DB_PASSWORD}
+ healthcheck:
+ test:
+ - CMD
+ - mysqladmin
+ - ping
+ - -h
+ - localhost
+ - -u
+ - ${DB_USER}
+ timeout: 45s
+ interval: 10s
+ retries: 10
+ adminer:
+ image: adminer
+ restart: always
+ ports:
+ - 1234:8080
+volumes:
+ mysql: ~
diff --git a/apps/titiksha-agrawal/docker-compose.yml b/apps/titiksha-agrawal/docker-compose.yml
new file mode 100644
index 0000000..3eddc28
--- /dev/null
+++ b/apps/titiksha-agrawal/docker-compose.yml
@@ -0,0 +1,57 @@
+version: "3"
+services:
+ server:
+ build:
+ context: .
+ args:
+ NPM_LOG_LEVEL: notice
+ ports:
+ - ${PORT}:3000
+ environment:
+ BCRYPT_SALT: ${BCRYPT_SALT}
+ JWT_SECRET_KEY: ${JWT_SECRET_KEY}
+ JWT_EXPIRATION: ${JWT_EXPIRATION}
+ DB_URL: mysql://${DB_USER}:${DB_PASSWORD}@db:3306/${DB_NAME}
+ depends_on:
+ - migrate
+ restart: on-failure
+ migrate:
+ build:
+ context: .
+ args:
+ NPM_LOG_LEVEL: notice
+ command: npm run db:init
+ working_dir: /app/server
+ environment:
+ BCRYPT_SALT: ${BCRYPT_SALT}
+ DB_URL: mysql://${DB_USER}:${DB_PASSWORD}@db:3306/${DB_NAME}
+ depends_on:
+ db:
+ condition: service_healthy
+ adminer:
+ image: adminer
+ restart: always
+ ports:
+ - 1234:8080
+ db:
+ image: mysql
+ command: --default-authentication-plugin=mysql_native_password
+ restart: always
+ ports:
+ - ${DB_PORT}:3306
+ environment:
+ MYSQL_ROOT_PASSWORD: ${DB_PASSWORD}
+ healthcheck:
+ test:
+ - CMD
+ - mysqladmin
+ - ping
+ - -h
+ - localhost
+ - -u
+ - ${DB_USER}
+ timeout: 45s
+ interval: 10s
+ retries: 10
+volumes:
+ mysql: ~
diff --git a/apps/titiksha-agrawal/nest-cli.json b/apps/titiksha-agrawal/nest-cli.json
new file mode 100644
index 0000000..fe51713
--- /dev/null
+++ b/apps/titiksha-agrawal/nest-cli.json
@@ -0,0 +1,6 @@
+{
+ "sourceRoot": "src",
+ "compilerOptions": {
+ "assets": ["swagger"]
+ }
+}
diff --git a/apps/titiksha-agrawal/package.json b/apps/titiksha-agrawal/package.json
new file mode 100644
index 0000000..a7713a4
--- /dev/null
+++ b/apps/titiksha-agrawal/package.json
@@ -0,0 +1,74 @@
+{
+ "name": "@titiksha-agrawal/server",
+ "private": true,
+ "scripts": {
+ "start": "nest start",
+ "start:watch": "nest start --watch",
+ "start:debug": "nest start --debug --watch",
+ "build": "nest build",
+ "test": "jest",
+ "seed": "ts-node scripts/seed.ts",
+ "db:migrate-save": "prisma migrate dev",
+ "db:migrate-up": "prisma migrate deploy",
+ "db:clean": "prisma migrate reset",
+ "db:init": "run-s \"db:migrate-save -- --name 'initial version'\" db:migrate-up seed",
+ "prisma:generate": "prisma generate",
+ "docker:dev": "docker-compose -f docker-compose.dev.yml up -d",
+ "package:container": "docker build .",
+ "compose:up": "docker-compose up -d",
+ "compose:down": "docker-compose down --volumes"
+ },
+ "dependencies": {
+ "@amplication/nest-access-control": "2.2.1",
+ "@apollo/server": "^4.9.4",
+ "@nestjs/apollo": "12.0.9",
+ "@nestjs/common": "10.2.7",
+ "@nestjs/config": "3.1.1",
+ "@nestjs/core": "10.2.7",
+ "@nestjs/graphql": "12.0.9",
+ "@nestjs/jwt": "^10.1.1",
+ "@nestjs/passport": "^10.0.2",
+ "@nestjs/platform-express": "10.2.7",
+ "@nestjs/serve-static": "4.0.0",
+ "@nestjs/swagger": "7.1.13",
+ "@prisma/client": "^5.4.2",
+ "@types/bcrypt": "5.0.0",
+ "bcrypt": "5.1.1",
+ "class-transformer": "0.5.1",
+ "class-validator": "0.14.0",
+ "dotenv": "16.3.1",
+ "graphql": "^16.8.1",
+ "graphql-type-json": "0.3.2",
+ "npm-run-all": "4.1.5",
+ "passport": "0.6.0",
+ "passport-http": "0.3.0",
+ "passport-jwt": "4.0.1",
+ "reflect-metadata": "0.1.13",
+ "ts-node": "10.9.1",
+ "type-fest": "2.19.0",
+ "validator": "13.11.0"
+ },
+ "devDependencies": {
+ "@nestjs/cli": "^10.1.18",
+ "@nestjs/testing": "^10.2.7",
+ "@types/express": "^4.17.19",
+ "@types/graphql-type-json": "0.3.3",
+ "@types/jest": "^29.5.5",
+ "@types/normalize-path": "3.0.0",
+ "@types/passport-http": "0.3.9",
+ "@types/passport-jwt": "3.0.10",
+ "@types/supertest": "^2.0.14",
+ "@types/validator": "^13.11.2",
+ "jest": "^29.7.0",
+ "jest-mock-extended": "^3.0.5",
+ "prisma": "^5.4.2",
+ "supertest": "^6.3.3",
+ "ts-jest": "^29.1.1",
+ "typescript": "^5.2.2"
+ },
+ "jest": {
+ "preset": "ts-jest",
+ "testEnvironment": "node",
+ "modulePathIgnorePatterns": ["/dist/"]
+ }
+}
diff --git a/apps/titiksha-agrawal/prisma/schema.prisma b/apps/titiksha-agrawal/prisma/schema.prisma
new file mode 100644
index 0000000..e91238a
--- /dev/null
+++ b/apps/titiksha-agrawal/prisma/schema.prisma
@@ -0,0 +1,56 @@
+datasource db {
+ provider = "mysql"
+ url = env("DB_URL")
+}
+
+generator client {
+ provider = "prisma-client-js"
+}
+
+model Order {
+ createdAt DateTime @default(now())
+ customer Customer? @relation(fields: [customerId], references: [id])
+ customerId String?
+ discount Float?
+ id String @id @default(cuid())
+ product Product? @relation(fields: [productId], references: [id])
+ productId String?
+ quantity Int?
+ totalPrice Int?
+ updatedAt DateTime @updatedAt
+}
+
+model Customer {
+ address Address? @relation(fields: [addressId], references: [id])
+ addressId String?
+ createdAt DateTime @default(now())
+ email String?
+ firstName String?
+ id String @id @default(cuid())
+ lastName String?
+ orders Order[]
+ phone String?
+ updatedAt DateTime @updatedAt
+}
+
+model Address {
+ address_1 String?
+ address_2 String?
+ city String?
+ createdAt DateTime @default(now())
+ customers Customer[]
+ id String @id @default(cuid())
+ state String?
+ updatedAt DateTime @updatedAt
+ zip Int?
+}
+
+model Product {
+ createdAt DateTime @default(now())
+ description String?
+ id String @id @default(cuid())
+ itemPrice Float?
+ name String?
+ orders Order[]
+ updatedAt DateTime @updatedAt
+}
diff --git a/apps/titiksha-agrawal/scripts/customSeed.ts b/apps/titiksha-agrawal/scripts/customSeed.ts
new file mode 100644
index 0000000..26ccaf4
--- /dev/null
+++ b/apps/titiksha-agrawal/scripts/customSeed.ts
@@ -0,0 +1,7 @@
+import { PrismaClient } from "@prisma/client";
+
+export async function customSeed() {
+ const client = new PrismaClient();
+
+ client.$disconnect();
+}
diff --git a/apps/titiksha-agrawal/scripts/seed.ts b/apps/titiksha-agrawal/scripts/seed.ts
new file mode 100644
index 0000000..04cee65
--- /dev/null
+++ b/apps/titiksha-agrawal/scripts/seed.ts
@@ -0,0 +1,25 @@
+import * as dotenv from "dotenv";
+import { PrismaClient } from "@prisma/client";
+import { customSeed } from "./customSeed";
+
+if (require.main === module) {
+ dotenv.config();
+
+ const { BCRYPT_SALT } = process.env;
+
+ if (!BCRYPT_SALT) {
+ throw new Error("BCRYPT_SALT environment variable must be defined");
+ }
+}
+
+async function seed() {
+ console.info("Seeding database...");
+
+ const client = new PrismaClient();
+ void client.$disconnect();
+
+ console.info("Seeding database with custom seed...");
+ customSeed();
+
+ console.info("Seeded database successfully");
+}
diff --git a/apps/titiksha-agrawal/src/address/address.controller.ts b/apps/titiksha-agrawal/src/address/address.controller.ts
new file mode 100644
index 0000000..13f1486
--- /dev/null
+++ b/apps/titiksha-agrawal/src/address/address.controller.ts
@@ -0,0 +1,12 @@
+import * as common from "@nestjs/common";
+import * as swagger from "@nestjs/swagger";
+import { AddressService } from "./address.service";
+import { AddressControllerBase } from "./base/address.controller.base";
+
+@swagger.ApiTags("addresses")
+@common.Controller("addresses")
+export class AddressController extends AddressControllerBase {
+ constructor(protected readonly service: AddressService) {
+ super(service);
+ }
+}
diff --git a/apps/titiksha-agrawal/src/address/address.module.ts b/apps/titiksha-agrawal/src/address/address.module.ts
new file mode 100644
index 0000000..2c5ddfa
--- /dev/null
+++ b/apps/titiksha-agrawal/src/address/address.module.ts
@@ -0,0 +1,13 @@
+import { Module } from "@nestjs/common";
+import { AddressModuleBase } from "./base/address.module.base";
+import { AddressService } from "./address.service";
+import { AddressController } from "./address.controller";
+import { AddressResolver } from "./address.resolver";
+
+@Module({
+ imports: [AddressModuleBase],
+ controllers: [AddressController],
+ providers: [AddressService, AddressResolver],
+ exports: [AddressService],
+})
+export class AddressModule {}
diff --git a/apps/titiksha-agrawal/src/address/address.resolver.ts b/apps/titiksha-agrawal/src/address/address.resolver.ts
new file mode 100644
index 0000000..2e01e01
--- /dev/null
+++ b/apps/titiksha-agrawal/src/address/address.resolver.ts
@@ -0,0 +1,11 @@
+import * as graphql from "@nestjs/graphql";
+import { AddressResolverBase } from "./base/address.resolver.base";
+import { Address } from "./base/Address";
+import { AddressService } from "./address.service";
+
+@graphql.Resolver(() => Address)
+export class AddressResolver extends AddressResolverBase {
+ constructor(protected readonly service: AddressService) {
+ super(service);
+ }
+}
diff --git a/apps/titiksha-agrawal/src/address/address.service.ts b/apps/titiksha-agrawal/src/address/address.service.ts
new file mode 100644
index 0000000..9a1741e
--- /dev/null
+++ b/apps/titiksha-agrawal/src/address/address.service.ts
@@ -0,0 +1,10 @@
+import { Injectable } from "@nestjs/common";
+import { PrismaService } from "../prisma/prisma.service";
+import { AddressServiceBase } from "./base/address.service.base";
+
+@Injectable()
+export class AddressService extends AddressServiceBase {
+ constructor(protected readonly prisma: PrismaService) {
+ super(prisma);
+ }
+}
diff --git a/apps/titiksha-agrawal/src/address/base/Address.ts b/apps/titiksha-agrawal/src/address/base/Address.ts
new file mode 100644
index 0000000..fe668ab
--- /dev/null
+++ b/apps/titiksha-agrawal/src/address/base/Address.ts
@@ -0,0 +1,115 @@
+/*
+------------------------------------------------------------------------------
+This code was generated by Amplication.
+
+Changes to this file will be lost if the code is regenerated.
+
+There are other ways to to customize your code, see this doc to learn more
+https://docs.amplication.com/how-to/custom-code
+
+------------------------------------------------------------------------------
+ */
+import { ObjectType, Field } from "@nestjs/graphql";
+import { ApiProperty } from "@nestjs/swagger";
+import {
+ IsString,
+ IsOptional,
+ IsDate,
+ ValidateNested,
+ IsInt,
+} from "class-validator";
+import { Type } from "class-transformer";
+import { Customer } from "../../customer/base/Customer";
+
+@ObjectType()
+class Address {
+ @ApiProperty({
+ required: false,
+ type: String,
+ })
+ @IsString()
+ @IsOptional()
+ @Field(() => String, {
+ nullable: true,
+ })
+ address_1!: string | null;
+
+ @ApiProperty({
+ required: false,
+ type: String,
+ })
+ @IsString()
+ @IsOptional()
+ @Field(() => String, {
+ nullable: true,
+ })
+ address_2!: string | null;
+
+ @ApiProperty({
+ required: false,
+ type: String,
+ })
+ @IsString()
+ @IsOptional()
+ @Field(() => String, {
+ nullable: true,
+ })
+ city!: string | null;
+
+ @ApiProperty({
+ required: true,
+ })
+ @IsDate()
+ @Type(() => Date)
+ @Field(() => Date)
+ createdAt!: Date;
+
+ @ApiProperty({
+ required: false,
+ type: () => [Customer],
+ })
+ @ValidateNested()
+ @Type(() => Customer)
+ @IsOptional()
+ customers?: Array;
+
+ @ApiProperty({
+ required: true,
+ type: String,
+ })
+ @IsString()
+ @Field(() => String)
+ id!: string;
+
+ @ApiProperty({
+ required: false,
+ type: String,
+ })
+ @IsString()
+ @IsOptional()
+ @Field(() => String, {
+ nullable: true,
+ })
+ state!: string | null;
+
+ @ApiProperty({
+ required: true,
+ })
+ @IsDate()
+ @Type(() => Date)
+ @Field(() => Date)
+ updatedAt!: Date;
+
+ @ApiProperty({
+ required: false,
+ type: Number,
+ })
+ @IsInt()
+ @IsOptional()
+ @Field(() => Number, {
+ nullable: true,
+ })
+ zip!: number | null;
+}
+
+export { Address as Address };
diff --git a/apps/titiksha-agrawal/src/address/base/AddressCountArgs.ts b/apps/titiksha-agrawal/src/address/base/AddressCountArgs.ts
new file mode 100644
index 0000000..62ea4a8
--- /dev/null
+++ b/apps/titiksha-agrawal/src/address/base/AddressCountArgs.ts
@@ -0,0 +1,28 @@
+/*
+------------------------------------------------------------------------------
+This code was generated by Amplication.
+
+Changes to this file will be lost if the code is regenerated.
+
+There are other ways to to customize your code, see this doc to learn more
+https://docs.amplication.com/how-to/custom-code
+
+------------------------------------------------------------------------------
+ */
+import { ArgsType, Field } from "@nestjs/graphql";
+import { ApiProperty } from "@nestjs/swagger";
+import { AddressWhereInput } from "./AddressWhereInput";
+import { Type } from "class-transformer";
+
+@ArgsType()
+class AddressCountArgs {
+ @ApiProperty({
+ required: false,
+ type: () => AddressWhereInput,
+ })
+ @Field(() => AddressWhereInput, { nullable: true })
+ @Type(() => AddressWhereInput)
+ where?: AddressWhereInput;
+}
+
+export { AddressCountArgs as AddressCountArgs };
diff --git a/apps/titiksha-agrawal/src/address/base/AddressCreateInput.ts b/apps/titiksha-agrawal/src/address/base/AddressCreateInput.ts
new file mode 100644
index 0000000..05688a3
--- /dev/null
+++ b/apps/titiksha-agrawal/src/address/base/AddressCreateInput.ts
@@ -0,0 +1,88 @@
+/*
+------------------------------------------------------------------------------
+This code was generated by Amplication.
+
+Changes to this file will be lost if the code is regenerated.
+
+There are other ways to to customize your code, see this doc to learn more
+https://docs.amplication.com/how-to/custom-code
+
+------------------------------------------------------------------------------
+ */
+import { InputType, Field } from "@nestjs/graphql";
+import { ApiProperty } from "@nestjs/swagger";
+import { IsString, IsOptional, ValidateNested, IsInt } from "class-validator";
+import { CustomerCreateNestedManyWithoutAddressesInput } from "./CustomerCreateNestedManyWithoutAddressesInput";
+import { Type } from "class-transformer";
+
+@InputType()
+class AddressCreateInput {
+ @ApiProperty({
+ required: false,
+ type: String,
+ })
+ @IsString()
+ @IsOptional()
+ @Field(() => String, {
+ nullable: true,
+ })
+ address_1?: string | null;
+
+ @ApiProperty({
+ required: false,
+ type: String,
+ })
+ @IsString()
+ @IsOptional()
+ @Field(() => String, {
+ nullable: true,
+ })
+ address_2?: string | null;
+
+ @ApiProperty({
+ required: false,
+ type: String,
+ })
+ @IsString()
+ @IsOptional()
+ @Field(() => String, {
+ nullable: true,
+ })
+ city?: string | null;
+
+ @ApiProperty({
+ required: false,
+ type: () => CustomerCreateNestedManyWithoutAddressesInput,
+ })
+ @ValidateNested()
+ @Type(() => CustomerCreateNestedManyWithoutAddressesInput)
+ @IsOptional()
+ @Field(() => CustomerCreateNestedManyWithoutAddressesInput, {
+ nullable: true,
+ })
+ customers?: CustomerCreateNestedManyWithoutAddressesInput;
+
+ @ApiProperty({
+ required: false,
+ type: String,
+ })
+ @IsString()
+ @IsOptional()
+ @Field(() => String, {
+ nullable: true,
+ })
+ state?: string | null;
+
+ @ApiProperty({
+ required: false,
+ type: Number,
+ })
+ @IsInt()
+ @IsOptional()
+ @Field(() => Number, {
+ nullable: true,
+ })
+ zip?: number | null;
+}
+
+export { AddressCreateInput as AddressCreateInput };
diff --git a/apps/titiksha-agrawal/src/address/base/AddressFindManyArgs.ts b/apps/titiksha-agrawal/src/address/base/AddressFindManyArgs.ts
new file mode 100644
index 0000000..52e23ab
--- /dev/null
+++ b/apps/titiksha-agrawal/src/address/base/AddressFindManyArgs.ts
@@ -0,0 +1,62 @@
+/*
+------------------------------------------------------------------------------
+This code was generated by Amplication.
+
+Changes to this file will be lost if the code is regenerated.
+
+There are other ways to to customize your code, see this doc to learn more
+https://docs.amplication.com/how-to/custom-code
+
+------------------------------------------------------------------------------
+ */
+import { ArgsType, Field } from "@nestjs/graphql";
+import { ApiProperty } from "@nestjs/swagger";
+import { AddressWhereInput } from "./AddressWhereInput";
+import { IsOptional, ValidateNested, IsInt } from "class-validator";
+import { Type } from "class-transformer";
+import { AddressOrderByInput } from "./AddressOrderByInput";
+
+@ArgsType()
+class AddressFindManyArgs {
+ @ApiProperty({
+ required: false,
+ type: () => AddressWhereInput,
+ })
+ @IsOptional()
+ @ValidateNested()
+ @Field(() => AddressWhereInput, { nullable: true })
+ @Type(() => AddressWhereInput)
+ where?: AddressWhereInput;
+
+ @ApiProperty({
+ required: false,
+ type: [AddressOrderByInput],
+ })
+ @IsOptional()
+ @ValidateNested({ each: true })
+ @Field(() => [AddressOrderByInput], { nullable: true })
+ @Type(() => AddressOrderByInput)
+ orderBy?: Array;
+
+ @ApiProperty({
+ required: false,
+ type: Number,
+ })
+ @IsOptional()
+ @IsInt()
+ @Field(() => Number, { nullable: true })
+ @Type(() => Number)
+ skip?: number;
+
+ @ApiProperty({
+ required: false,
+ type: Number,
+ })
+ @IsOptional()
+ @IsInt()
+ @Field(() => Number, { nullable: true })
+ @Type(() => Number)
+ take?: number;
+}
+
+export { AddressFindManyArgs as AddressFindManyArgs };
diff --git a/apps/titiksha-agrawal/src/address/base/AddressFindUniqueArgs.ts b/apps/titiksha-agrawal/src/address/base/AddressFindUniqueArgs.ts
new file mode 100644
index 0000000..cb8fb47
--- /dev/null
+++ b/apps/titiksha-agrawal/src/address/base/AddressFindUniqueArgs.ts
@@ -0,0 +1,30 @@
+/*
+------------------------------------------------------------------------------
+This code was generated by Amplication.
+
+Changes to this file will be lost if the code is regenerated.
+
+There are other ways to to customize your code, see this doc to learn more
+https://docs.amplication.com/how-to/custom-code
+
+------------------------------------------------------------------------------
+ */
+import { ArgsType, Field } from "@nestjs/graphql";
+import { ApiProperty } from "@nestjs/swagger";
+import { AddressWhereUniqueInput } from "./AddressWhereUniqueInput";
+import { ValidateNested } from "class-validator";
+import { Type } from "class-transformer";
+
+@ArgsType()
+class AddressFindUniqueArgs {
+ @ApiProperty({
+ required: true,
+ type: () => AddressWhereUniqueInput,
+ })
+ @ValidateNested()
+ @Type(() => AddressWhereUniqueInput)
+ @Field(() => AddressWhereUniqueInput, { nullable: false })
+ where!: AddressWhereUniqueInput;
+}
+
+export { AddressFindUniqueArgs as AddressFindUniqueArgs };
diff --git a/apps/titiksha-agrawal/src/address/base/AddressListRelationFilter.ts b/apps/titiksha-agrawal/src/address/base/AddressListRelationFilter.ts
new file mode 100644
index 0000000..e0b3d07
--- /dev/null
+++ b/apps/titiksha-agrawal/src/address/base/AddressListRelationFilter.ts
@@ -0,0 +1,56 @@
+/*
+------------------------------------------------------------------------------
+This code was generated by Amplication.
+
+Changes to this file will be lost if the code is regenerated.
+
+There are other ways to to customize your code, see this doc to learn more
+https://docs.amplication.com/how-to/custom-code
+
+------------------------------------------------------------------------------
+ */
+import { InputType, Field } from "@nestjs/graphql";
+import { ApiProperty } from "@nestjs/swagger";
+import { AddressWhereInput } from "./AddressWhereInput";
+import { ValidateNested, IsOptional } from "class-validator";
+import { Type } from "class-transformer";
+
+@InputType()
+class AddressListRelationFilter {
+ @ApiProperty({
+ required: false,
+ type: () => AddressWhereInput,
+ })
+ @ValidateNested()
+ @Type(() => AddressWhereInput)
+ @IsOptional()
+ @Field(() => AddressWhereInput, {
+ nullable: true,
+ })
+ every?: AddressWhereInput;
+
+ @ApiProperty({
+ required: false,
+ type: () => AddressWhereInput,
+ })
+ @ValidateNested()
+ @Type(() => AddressWhereInput)
+ @IsOptional()
+ @Field(() => AddressWhereInput, {
+ nullable: true,
+ })
+ some?: AddressWhereInput;
+
+ @ApiProperty({
+ required: false,
+ type: () => AddressWhereInput,
+ })
+ @ValidateNested()
+ @Type(() => AddressWhereInput)
+ @IsOptional()
+ @Field(() => AddressWhereInput, {
+ nullable: true,
+ })
+ none?: AddressWhereInput;
+}
+export { AddressListRelationFilter as AddressListRelationFilter };
diff --git a/apps/titiksha-agrawal/src/address/base/AddressOrderByInput.ts b/apps/titiksha-agrawal/src/address/base/AddressOrderByInput.ts
new file mode 100644
index 0000000..29dabda
--- /dev/null
+++ b/apps/titiksha-agrawal/src/address/base/AddressOrderByInput.ts
@@ -0,0 +1,111 @@
+/*
+------------------------------------------------------------------------------
+This code was generated by Amplication.
+
+Changes to this file will be lost if the code is regenerated.
+
+There are other ways to to customize your code, see this doc to learn more
+https://docs.amplication.com/how-to/custom-code
+
+------------------------------------------------------------------------------
+ */
+import { InputType, Field } from "@nestjs/graphql";
+import { ApiProperty } from "@nestjs/swagger";
+import { IsOptional, IsEnum } from "class-validator";
+import { SortOrder } from "../../util/SortOrder";
+
+@InputType({
+ isAbstract: true,
+ description: undefined,
+})
+class AddressOrderByInput {
+ @ApiProperty({
+ required: false,
+ enum: ["asc", "desc"],
+ })
+ @IsOptional()
+ @IsEnum(SortOrder)
+ @Field(() => SortOrder, {
+ nullable: true,
+ })
+ address_1?: SortOrder;
+
+ @ApiProperty({
+ required: false,
+ enum: ["asc", "desc"],
+ })
+ @IsOptional()
+ @IsEnum(SortOrder)
+ @Field(() => SortOrder, {
+ nullable: true,
+ })
+ address_2?: SortOrder;
+
+ @ApiProperty({
+ required: false,
+ enum: ["asc", "desc"],
+ })
+ @IsOptional()
+ @IsEnum(SortOrder)
+ @Field(() => SortOrder, {
+ nullable: true,
+ })
+ city?: SortOrder;
+
+ @ApiProperty({
+ required: false,
+ enum: ["asc", "desc"],
+ })
+ @IsOptional()
+ @IsEnum(SortOrder)
+ @Field(() => SortOrder, {
+ nullable: true,
+ })
+ createdAt?: SortOrder;
+
+ @ApiProperty({
+ required: false,
+ enum: ["asc", "desc"],
+ })
+ @IsOptional()
+ @IsEnum(SortOrder)
+ @Field(() => SortOrder, {
+ nullable: true,
+ })
+ id?: SortOrder;
+
+ @ApiProperty({
+ required: false,
+ enum: ["asc", "desc"],
+ })
+ @IsOptional()
+ @IsEnum(SortOrder)
+ @Field(() => SortOrder, {
+ nullable: true,
+ })
+ state?: SortOrder;
+
+ @ApiProperty({
+ required: false,
+ enum: ["asc", "desc"],
+ })
+ @IsOptional()
+ @IsEnum(SortOrder)
+ @Field(() => SortOrder, {
+ nullable: true,
+ })
+ updatedAt?: SortOrder;
+
+ @ApiProperty({
+ required: false,
+ enum: ["asc", "desc"],
+ })
+ @IsOptional()
+ @IsEnum(SortOrder)
+ @Field(() => SortOrder, {
+ nullable: true,
+ })
+ zip?: SortOrder;
+}
+
+export { AddressOrderByInput as AddressOrderByInput };
diff --git a/apps/titiksha-agrawal/src/address/base/AddressUpdateInput.ts b/apps/titiksha-agrawal/src/address/base/AddressUpdateInput.ts
new file mode 100644
index 0000000..d4d3c6d
--- /dev/null
+++ b/apps/titiksha-agrawal/src/address/base/AddressUpdateInput.ts
@@ -0,0 +1,88 @@
+/*
+------------------------------------------------------------------------------
+This code was generated by Amplication.
+
+Changes to this file will be lost if the code is regenerated.
+
+There are other ways to to customize your code, see this doc to learn more
+https://docs.amplication.com/how-to/custom-code
+
+------------------------------------------------------------------------------
+ */
+import { InputType, Field } from "@nestjs/graphql";
+import { ApiProperty } from "@nestjs/swagger";
+import { IsString, IsOptional, ValidateNested, IsInt } from "class-validator";
+import { CustomerUpdateManyWithoutAddressesInput } from "./CustomerUpdateManyWithoutAddressesInput";
+import { Type } from "class-transformer";
+
+@InputType()
+class AddressUpdateInput {
+ @ApiProperty({
+ required: false,
+ type: String,
+ })
+ @IsString()
+ @IsOptional()
+ @Field(() => String, {
+ nullable: true,
+ })
+ address_1?: string | null;
+
+ @ApiProperty({
+ required: false,
+ type: String,
+ })
+ @IsString()
+ @IsOptional()
+ @Field(() => String, {
+ nullable: true,
+ })
+ address_2?: string | null;
+
+ @ApiProperty({
+ required: false,
+ type: String,
+ })
+ @IsString()
+ @IsOptional()
+ @Field(() => String, {
+ nullable: true,
+ })
+ city?: string | null;
+
+ @ApiProperty({
+ required: false,
+ type: () => CustomerUpdateManyWithoutAddressesInput,
+ })
+ @ValidateNested()
+ @Type(() => CustomerUpdateManyWithoutAddressesInput)
+ @IsOptional()
+ @Field(() => CustomerUpdateManyWithoutAddressesInput, {
+ nullable: true,
+ })
+ customers?: CustomerUpdateManyWithoutAddressesInput;
+
+ @ApiProperty({
+ required: false,
+ type: String,
+ })
+ @IsString()
+ @IsOptional()
+ @Field(() => String, {
+ nullable: true,
+ })
+ state?: string | null;
+
+ @ApiProperty({
+ required: false,
+ type: Number,
+ })
+ @IsInt()
+ @IsOptional()
+ @Field(() => Number, {
+ nullable: true,
+ })
+ zip?: number | null;
+}
+
+export { AddressUpdateInput as AddressUpdateInput };
diff --git a/apps/titiksha-agrawal/src/address/base/AddressWhereInput.ts b/apps/titiksha-agrawal/src/address/base/AddressWhereInput.ts
new file mode 100644
index 0000000..a98b865
--- /dev/null
+++ b/apps/titiksha-agrawal/src/address/base/AddressWhereInput.ts
@@ -0,0 +1,102 @@
+/*
+------------------------------------------------------------------------------
+This code was generated by Amplication.
+
+Changes to this file will be lost if the code is regenerated.
+
+There are other ways to to customize your code, see this doc to learn more
+https://docs.amplication.com/how-to/custom-code
+
+------------------------------------------------------------------------------
+ */
+import { InputType, Field } from "@nestjs/graphql";
+import { ApiProperty } from "@nestjs/swagger";
+import { StringNullableFilter } from "../../util/StringNullableFilter";
+import { Type } from "class-transformer";
+import { IsOptional, ValidateNested } from "class-validator";
+import { CustomerListRelationFilter } from "../../customer/base/CustomerListRelationFilter";
+import { StringFilter } from "../../util/StringFilter";
+import { IntNullableFilter } from "../../util/IntNullableFilter";
+
+@InputType()
+class AddressWhereInput {
+ @ApiProperty({
+ required: false,
+ type: StringNullableFilter,
+ })
+ @Type(() => StringNullableFilter)
+ @IsOptional()
+ @Field(() => StringNullableFilter, {
+ nullable: true,
+ })
+ address_1?: StringNullableFilter;
+
+ @ApiProperty({
+ required: false,
+ type: StringNullableFilter,
+ })
+ @Type(() => StringNullableFilter)
+ @IsOptional()
+ @Field(() => StringNullableFilter, {
+ nullable: true,
+ })
+ address_2?: StringNullableFilter;
+
+ @ApiProperty({
+ required: false,
+ type: StringNullableFilter,
+ })
+ @Type(() => StringNullableFilter)
+ @IsOptional()
+ @Field(() => StringNullableFilter, {
+ nullable: true,
+ })
+ city?: StringNullableFilter;
+
+ @ApiProperty({
+ required: false,
+ type: () => CustomerListRelationFilter,
+ })
+ @ValidateNested()
+ @Type(() => CustomerListRelationFilter)
+ @IsOptional()
+ @Field(() => CustomerListRelationFilter, {
+ nullable: true,
+ })
+ customers?: CustomerListRelationFilter;
+
+ @ApiProperty({
+ required: false,
+ type: StringFilter,
+ })
+ @Type(() => StringFilter)
+ @IsOptional()
+ @Field(() => StringFilter, {
+ nullable: true,
+ })
+ id?: StringFilter;
+
+ @ApiProperty({
+ required: false,
+ type: StringNullableFilter,
+ })
+ @Type(() => StringNullableFilter)
+ @IsOptional()
+ @Field(() => StringNullableFilter, {
+ nullable: true,
+ })
+ state?: StringNullableFilter;
+
+ @ApiProperty({
+ required: false,
+ type: IntNullableFilter,
+ })
+ @Type(() => IntNullableFilter)
+ @IsOptional()
+ @Field(() => IntNullableFilter, {
+ nullable: true,
+ })
+ zip?: IntNullableFilter;
+}
+
+export { AddressWhereInput as AddressWhereInput };
diff --git a/apps/titiksha-agrawal/src/address/base/AddressWhereUniqueInput.ts b/apps/titiksha-agrawal/src/address/base/AddressWhereUniqueInput.ts
new file mode 100644
index 0000000..7493f2c
--- /dev/null
+++ b/apps/titiksha-agrawal/src/address/base/AddressWhereUniqueInput.ts
@@ -0,0 +1,27 @@
+/*
+------------------------------------------------------------------------------
+This code was generated by Amplication.
+
+Changes to this file will be lost if the code is regenerated.
+
+There are other ways to to customize your code, see this doc to learn more
+https://docs.amplication.com/how-to/custom-code
+
+------------------------------------------------------------------------------
+ */
+import { InputType, Field } from "@nestjs/graphql";
+import { ApiProperty } from "@nestjs/swagger";
+import { IsString } from "class-validator";
+
+@InputType()
+class AddressWhereUniqueInput {
+ @ApiProperty({
+ required: true,
+ type: String,
+ })
+ @IsString()
+ @Field(() => String)
+ id!: string;
+}
+
+export { AddressWhereUniqueInput as AddressWhereUniqueInput };
diff --git a/apps/titiksha-agrawal/src/address/base/CreateAddressArgs.ts b/apps/titiksha-agrawal/src/address/base/CreateAddressArgs.ts
new file mode 100644
index 0000000..2608ab3
--- /dev/null
+++ b/apps/titiksha-agrawal/src/address/base/CreateAddressArgs.ts
@@ -0,0 +1,30 @@
+/*
+------------------------------------------------------------------------------
+This code was generated by Amplication.
+
+Changes to this file will be lost if the code is regenerated.
+
+There are other ways to to customize your code, see this doc to learn more
+https://docs.amplication.com/how-to/custom-code
+
+------------------------------------------------------------------------------
+ */
+import { ArgsType, Field } from "@nestjs/graphql";
+import { ApiProperty } from "@nestjs/swagger";
+import { AddressCreateInput } from "./AddressCreateInput";
+import { ValidateNested } from "class-validator";
+import { Type } from "class-transformer";
+
+@ArgsType()
+class CreateAddressArgs {
+ @ApiProperty({
+ required: true,
+ type: () => AddressCreateInput,
+ })
+ @ValidateNested()
+ @Type(() => AddressCreateInput)
+ @Field(() => AddressCreateInput, { nullable: false })
+ data!: AddressCreateInput;
+}
+
+export { CreateAddressArgs as CreateAddressArgs };
diff --git a/apps/titiksha-agrawal/src/address/base/CustomerCreateNestedManyWithoutAddressesInput.ts b/apps/titiksha-agrawal/src/address/base/CustomerCreateNestedManyWithoutAddressesInput.ts
new file mode 100644
index 0000000..0a39eef
--- /dev/null
+++ b/apps/titiksha-agrawal/src/address/base/CustomerCreateNestedManyWithoutAddressesInput.ts
@@ -0,0 +1,28 @@
+/*
+------------------------------------------------------------------------------
+This code was generated by Amplication.
+
+Changes to this file will be lost if the code is regenerated.
+
+There are other ways to to customize your code, see this doc to learn more
+https://docs.amplication.com/how-to/custom-code
+
+------------------------------------------------------------------------------
+ */
+import { InputType, Field } from "@nestjs/graphql";
+import { CustomerWhereUniqueInput } from "../../customer/base/CustomerWhereUniqueInput";
+import { ApiProperty } from "@nestjs/swagger";
+
+@InputType()
+class CustomerCreateNestedManyWithoutAddressesInput {
+ @Field(() => [CustomerWhereUniqueInput], {
+ nullable: true,
+ })
+ @ApiProperty({
+ required: false,
+ type: () => [CustomerWhereUniqueInput],
+ })
+ connect?: Array;
+}
+
+export { CustomerCreateNestedManyWithoutAddressesInput as CustomerCreateNestedManyWithoutAddressesInput };
diff --git a/apps/titiksha-agrawal/src/address/base/CustomerUpdateManyWithoutAddressesInput.ts b/apps/titiksha-agrawal/src/address/base/CustomerUpdateManyWithoutAddressesInput.ts
new file mode 100644
index 0000000..1b153b7
--- /dev/null
+++ b/apps/titiksha-agrawal/src/address/base/CustomerUpdateManyWithoutAddressesInput.ts
@@ -0,0 +1,46 @@
+/*
+------------------------------------------------------------------------------
+This code was generated by Amplication.
+
+Changes to this file will be lost if the code is regenerated.
+
+There are other ways to to customize your code, see this doc to learn more
+https://docs.amplication.com/how-to/custom-code
+
+------------------------------------------------------------------------------
+ */
+import { InputType, Field } from "@nestjs/graphql";
+import { CustomerWhereUniqueInput } from "../../customer/base/CustomerWhereUniqueInput";
+import { ApiProperty } from "@nestjs/swagger";
+
+@InputType()
+class CustomerUpdateManyWithoutAddressesInput {
+ @Field(() => [CustomerWhereUniqueInput], {
+ nullable: true,
+ })
+ @ApiProperty({
+ required: false,
+ type: () => [CustomerWhereUniqueInput],
+ })
+ connect?: Array;
+
+ @Field(() => [CustomerWhereUniqueInput], {
+ nullable: true,
+ })
+ @ApiProperty({
+ required: false,
+ type: () => [CustomerWhereUniqueInput],
+ })
+ disconnect?: Array;
+
+ @Field(() => [CustomerWhereUniqueInput], {
+ nullable: true,
+ })
+ @ApiProperty({
+ required: false,
+ type: () => [CustomerWhereUniqueInput],
+ })
+ set?: Array;
+}
+
+export { CustomerUpdateManyWithoutAddressesInput as CustomerUpdateManyWithoutAddressesInput };
diff --git a/apps/titiksha-agrawal/src/address/base/DeleteAddressArgs.ts b/apps/titiksha-agrawal/src/address/base/DeleteAddressArgs.ts
new file mode 100644
index 0000000..354c3f0
--- /dev/null
+++ b/apps/titiksha-agrawal/src/address/base/DeleteAddressArgs.ts
@@ -0,0 +1,30 @@
+/*
+------------------------------------------------------------------------------
+This code was generated by Amplication.
+
+Changes to this file will be lost if the code is regenerated.
+
+There are other ways to to customize your code, see this doc to learn more
+https://docs.amplication.com/how-to/custom-code
+
+------------------------------------------------------------------------------
+ */
+import { ArgsType, Field } from "@nestjs/graphql";
+import { ApiProperty } from "@nestjs/swagger";
+import { AddressWhereUniqueInput } from "./AddressWhereUniqueInput";
+import { ValidateNested } from "class-validator";
+import { Type } from "class-transformer";
+
+@ArgsType()
+class DeleteAddressArgs {
+ @ApiProperty({
+ required: true,
+ type: () => AddressWhereUniqueInput,
+ })
+ @ValidateNested()
+ @Type(() => AddressWhereUniqueInput)
+ @Field(() => AddressWhereUniqueInput, { nullable: false })
+ where!: AddressWhereUniqueInput;
+}
+
+export { DeleteAddressArgs as DeleteAddressArgs };
diff --git a/apps/titiksha-agrawal/src/address/base/UpdateAddressArgs.ts b/apps/titiksha-agrawal/src/address/base/UpdateAddressArgs.ts
new file mode 100644
index 0000000..1eb6576
--- /dev/null
+++ b/apps/titiksha-agrawal/src/address/base/UpdateAddressArgs.ts
@@ -0,0 +1,40 @@
+/*
+------------------------------------------------------------------------------
+This code was generated by Amplication.
+
+Changes to this file will be lost if the code is regenerated.
+
+There are other ways to to customize your code, see this doc to learn more
+https://docs.amplication.com/how-to/custom-code
+
+------------------------------------------------------------------------------
+ */
+import { ArgsType, Field } from "@nestjs/graphql";
+import { ApiProperty } from "@nestjs/swagger";
+import { AddressWhereUniqueInput } from "./AddressWhereUniqueInput";
+import { ValidateNested } from "class-validator";
+import { Type } from "class-transformer";
+import { AddressUpdateInput } from "./AddressUpdateInput";
+
+@ArgsType()
+class UpdateAddressArgs {
+ @ApiProperty({
+ required: true,
+ type: () => AddressWhereUniqueInput,
+ })
+ @ValidateNested()
+ @Type(() => AddressWhereUniqueInput)
+ @Field(() => AddressWhereUniqueInput, { nullable: false })
+ where!: AddressWhereUniqueInput;
+
+ @ApiProperty({
+ required: true,
+ type: () => AddressUpdateInput,
+ })
+ @ValidateNested()
+ @Type(() => AddressUpdateInput)
+ @Field(() => AddressUpdateInput, { nullable: false })
+ data!: AddressUpdateInput;
+}
+
+export { UpdateAddressArgs as UpdateAddressArgs };
diff --git a/apps/titiksha-agrawal/src/address/base/address.controller.base.spec.ts b/apps/titiksha-agrawal/src/address/base/address.controller.base.spec.ts
new file mode 100644
index 0000000..dccf62d
--- /dev/null
+++ b/apps/titiksha-agrawal/src/address/base/address.controller.base.spec.ts
@@ -0,0 +1,210 @@
+import { Test } from "@nestjs/testing";
+import {
+ INestApplication,
+ HttpStatus,
+ ExecutionContext,
+ CallHandler,
+} from "@nestjs/common";
+import request from "supertest";
+import { ACGuard } from "nest-access-control";
+import { DefaultAuthGuard } from "../../auth/defaultAuth.guard";
+import { ACLModule } from "../../auth/acl.module";
+import { AclFilterResponseInterceptor } from "../../interceptors/aclFilterResponse.interceptor";
+import { AclValidateRequestInterceptor } from "../../interceptors/aclValidateRequest.interceptor";
+import { map } from "rxjs";
+import { AddressController } from "../address.controller";
+import { AddressService } from "../address.service";
+
+const nonExistingId = "nonExistingId";
+const existingId = "existingId";
+const CREATE_INPUT = {
+ address_1: "exampleAddress_1",
+ address_2: "exampleAddress_2",
+ city: "exampleCity",
+ createdAt: new Date(),
+ id: "exampleId",
+ state: "exampleState",
+ updatedAt: new Date(),
+ zip: 42,
+};
+const CREATE_RESULT = {
+ address_1: "exampleAddress_1",
+ address_2: "exampleAddress_2",
+ city: "exampleCity",
+ createdAt: new Date(),
+ id: "exampleId",
+ state: "exampleState",
+ updatedAt: new Date(),
+ zip: 42,
+};
+const FIND_MANY_RESULT = [
+ {
+ address_1: "exampleAddress_1",
+ address_2: "exampleAddress_2",
+ city: "exampleCity",
+ createdAt: new Date(),
+ id: "exampleId",
+ state: "exampleState",
+ updatedAt: new Date(),
+ zip: 42,
+ },
+];
+const FIND_ONE_RESULT = {
+ address_1: "exampleAddress_1",
+ address_2: "exampleAddress_2",
+ city: "exampleCity",
+ createdAt: new Date(),
+ id: "exampleId",
+ state: "exampleState",
+ updatedAt: new Date(),
+ zip: 42,
+};
+
+const service = {
+ create() {
+ return CREATE_RESULT;
+ },
+ findMany: () => FIND_MANY_RESULT,
+ findOne: ({ where }: { where: { id: string } }) => {
+ switch (where.id) {
+ case existingId:
+ return FIND_ONE_RESULT;
+ case nonExistingId:
+ return null;
+ }
+ },
+};
+
+const basicAuthGuard = {
+ canActivate: (context: ExecutionContext) => {
+ const argumentHost = context.switchToHttp();
+ const request = argumentHost.getRequest();
+ request.user = {
+ roles: ["user"],
+ };
+ return true;
+ },
+};
+
+const acGuard = {
+ canActivate: () => {
+ return true;
+ },
+};
+
+const aclFilterResponseInterceptor = {
+ intercept: (context: ExecutionContext, next: CallHandler) => {
+ return next.handle().pipe(
+ map((data) => {
+ return data;
+ })
+ );
+ },
+};
+const aclValidateRequestInterceptor = {
+ intercept: (context: ExecutionContext, next: CallHandler) => {
+ return next.handle();
+ },
+};
+
+describe("Address", () => {
+ let app: INestApplication;
+
+ beforeAll(async () => {
+ const moduleRef = await Test.createTestingModule({
+ providers: [
+ {
+ provide: AddressService,
+ useValue: service,
+ },
+ ],
+ controllers: [AddressController],
+ imports: [ACLModule],
+ })
+ .overrideGuard(DefaultAuthGuard)
+ .useValue(basicAuthGuard)
+ .overrideGuard(ACGuard)
+ .useValue(acGuard)
+ .overrideInterceptor(AclFilterResponseInterceptor)
+ .useValue(aclFilterResponseInterceptor)
+ .overrideInterceptor(AclValidateRequestInterceptor)
+ .useValue(aclValidateRequestInterceptor)
+ .compile();
+
+ app = moduleRef.createNestApplication();
+ await app.init();
+ });
+
+ test("POST /addresses", async () => {
+ await request(app.getHttpServer())
+ .post("/addresses")
+ .send(CREATE_INPUT)
+ .expect(HttpStatus.CREATED)
+ .expect({
+ ...CREATE_RESULT,
+ createdAt: CREATE_RESULT.createdAt.toISOString(),
+ updatedAt: CREATE_RESULT.updatedAt.toISOString(),
+ });
+ });
+
+ test("GET /addresses", async () => {
+ await request(app.getHttpServer())
+ .get("/addresses")
+ .expect(HttpStatus.OK)
+ .expect([
+ {
+ ...FIND_MANY_RESULT[0],
+ createdAt: FIND_MANY_RESULT[0].createdAt.toISOString(),
+ updatedAt: FIND_MANY_RESULT[0].updatedAt.toISOString(),
+ },
+ ]);
+ });
+
+ test("GET /addresses/:id non existing", async () => {
+ await request(app.getHttpServer())
+ .get(`${"/addresses"}/${nonExistingId}`)
+ .expect(HttpStatus.NOT_FOUND)
+ .expect({
+ statusCode: HttpStatus.NOT_FOUND,
+ message: `No resource was found for {"${"id"}":"${nonExistingId}"}`,
+ error: "Not Found",
+ });
+ });
+
+ test("GET /addresses/:id existing", async () => {
+ await request(app.getHttpServer())
+ .get(`${"/addresses"}/${existingId}`)
+ .expect(HttpStatus.OK)
+ .expect({
+ ...FIND_ONE_RESULT,
+ createdAt: FIND_ONE_RESULT.createdAt.toISOString(),
+ updatedAt: FIND_ONE_RESULT.updatedAt.toISOString(),
+ });
+ });
+
+ test("POST /addresses existing resource", async () => {
+ const agent = request(app.getHttpServer());
+ await agent
+ .post("/addresses")
+ .send(CREATE_INPUT)
+ .expect(HttpStatus.CREATED)
+ .expect({
+ ...CREATE_RESULT,
+ createdAt: CREATE_RESULT.createdAt.toISOString(),
+ updatedAt: CREATE_RESULT.updatedAt.toISOString(),
+ })
+ .then(function () {
+ agent
+ .post("/addresses")
+ .send(CREATE_INPUT)
+ .expect(HttpStatus.CONFLICT)
+ .expect({
+ statusCode: HttpStatus.CONFLICT,
+ });
+ });
+ });
+
+ afterAll(async () => {
+ await app.close();
+ });
+});
diff --git a/apps/titiksha-agrawal/src/address/base/address.controller.base.ts b/apps/titiksha-agrawal/src/address/base/address.controller.base.ts
new file mode 100644
index 0000000..794bccb
--- /dev/null
+++ b/apps/titiksha-agrawal/src/address/base/address.controller.base.ts
@@ -0,0 +1,242 @@
+/*
+------------------------------------------------------------------------------
+This code was generated by Amplication.
+
+Changes to this file will be lost if the code is regenerated.
+
+There are other ways to to customize your code, see this doc to learn more
+https://docs.amplication.com/how-to/custom-code
+
+------------------------------------------------------------------------------
+ */
+import * as common from "@nestjs/common";
+import * as swagger from "@nestjs/swagger";
+import { isRecordNotFoundError } from "../../prisma.util";
+import * as errors from "../../errors";
+import { Request } from "express";
+import { plainToClass } from "class-transformer";
+import { ApiNestedQuery } from "../../decorators/api-nested-query.decorator";
+import { AddressService } from "../address.service";
+import { AddressCreateInput } from "./AddressCreateInput";
+import { AddressWhereInput } from "./AddressWhereInput";
+import { AddressWhereUniqueInput } from "./AddressWhereUniqueInput";
+import { AddressFindManyArgs } from "./AddressFindManyArgs";
+import { AddressUpdateInput } from "./AddressUpdateInput";
+import { Address } from "./Address";
+import { CustomerFindManyArgs } from "../../customer/base/CustomerFindManyArgs";
+import { Customer } from "../../customer/base/Customer";
+import { CustomerWhereUniqueInput } from "../../customer/base/CustomerWhereUniqueInput";
+
+export class AddressControllerBase {
+ constructor(protected readonly service: AddressService) {}
+ @common.Post()
+ @swagger.ApiCreatedResponse({ type: Address })
+ async create(@common.Body() data: AddressCreateInput): Promise {
+ return await this.service.create({
+ data: data,
+ select: {
+ address_1: true,
+ address_2: true,
+ city: true,
+ createdAt: true,
+ id: true,
+ state: true,
+ updatedAt: true,
+ zip: true,
+ },
+ });
+ }
+
+ @common.Get()
+ @swagger.ApiOkResponse({ type: [Address] })
+ @ApiNestedQuery(AddressFindManyArgs)
+ async findMany(@common.Req() request: Request): Promise {
+ const args = plainToClass(AddressFindManyArgs, request.query);
+ return this.service.findMany({
+ ...args,
+ select: {
+ address_1: true,
+ address_2: true,
+ city: true,
+ createdAt: true,
+ id: true,
+ state: true,
+ updatedAt: true,
+ zip: true,
+ },
+ });
+ }
+
+ @common.Get("/:id")
+ @swagger.ApiOkResponse({ type: Address })
+ @swagger.ApiNotFoundResponse({ type: errors.NotFoundException })
+ async findOne(
+ @common.Param() params: AddressWhereUniqueInput
+ ): Promise {
+ const result = await this.service.findOne({
+ where: params,
+ select: {
+ address_1: true,
+ address_2: true,
+ city: true,
+ createdAt: true,
+ id: true,
+ state: true,
+ updatedAt: true,
+ zip: true,
+ },
+ });
+ if (result === null) {
+ throw new errors.NotFoundException(
+ `No resource was found for ${JSON.stringify(params)}`
+ );
+ }
+ return result;
+ }
+
+ @common.Patch("/:id")
+ @swagger.ApiOkResponse({ type: Address })
+ @swagger.ApiNotFoundResponse({ type: errors.NotFoundException })
+ async update(
+ @common.Param() params: AddressWhereUniqueInput,
+ @common.Body() data: AddressUpdateInput
+ ): Promise {
+ try {
+ return await this.service.update({
+ where: params,
+ data: data,
+ select: {
+ address_1: true,
+ address_2: true,
+ city: true,
+ createdAt: true,
+ id: true,
+ state: true,
+ updatedAt: true,
+ zip: true,
+ },
+ });
+ } catch (error) {
+ if (isRecordNotFoundError(error)) {
+ throw new errors.NotFoundException(
+ `No resource was found for ${JSON.stringify(params)}`
+ );
+ }
+ throw error;
+ }
+ }
+
+ @common.Delete("/:id")
+ @swagger.ApiOkResponse({ type: Address })
+ @swagger.ApiNotFoundResponse({ type: errors.NotFoundException })
+ async delete(
+ @common.Param() params: AddressWhereUniqueInput
+ ): Promise {
+ try {
+ return await this.service.delete({
+ where: params,
+ select: {
+ address_1: true,
+ address_2: true,
+ city: true,
+ createdAt: true,
+ id: true,
+ state: true,
+ updatedAt: true,
+ zip: true,
+ },
+ });
+ } catch (error) {
+ if (isRecordNotFoundError(error)) {
+ throw new errors.NotFoundException(
+ `No resource was found for ${JSON.stringify(params)}`
+ );
+ }
+ throw error;
+ }
+ }
+
+ @common.Get("/:id/customers")
+ @ApiNestedQuery(CustomerFindManyArgs)
+ async findManyCustomers(
+ @common.Req() request: Request,
+ @common.Param() params: AddressWhereUniqueInput
+ ): Promise {
+ const query = plainToClass(CustomerFindManyArgs, request.query);
+ const results = await this.service.findCustomers(params.id, {
+ ...query,
+ select: {
+ address: {
+ select: {
+ id: true,
+ },
+ },
+
+ createdAt: true,
+ email: true,
+ firstName: true,
+ id: true,
+ lastName: true,
+ phone: true,
+ updatedAt: true,
+ },
+ });
+ if (results === null) {
+ throw new errors.NotFoundException(
+ `No resource was found for ${JSON.stringify(params)}`
+ );
+ }
+ return results;
+ }
+
+ @common.Post("/:id/customers")
+ async connectCustomers(
+ @common.Param() params: AddressWhereUniqueInput,
+ @common.Body() body: CustomerWhereUniqueInput[]
+ ): Promise {
+ const data = {
+ customers: {
+ connect: body,
+ },
+ };
+ await this.service.update({
+ where: params,
+ data,
+ select: { id: true },
+ });
+ }
+
+ @common.Patch("/:id/customers")
+ async updateCustomers(
+ @common.Param() params: AddressWhereUniqueInput,
+ @common.Body() body: CustomerWhereUniqueInput[]
+ ): Promise {
+ const data = {
+ customers: {
+ set: body,
+ },
+ };
+ await this.service.update({
+ where: params,
+ data,
+ select: { id: true },
+ });
+ }
+
+ @common.Delete("/:id/customers")
+ async disconnectCustomers(
+ @common.Param() params: AddressWhereUniqueInput,
+ @common.Body() body: CustomerWhereUniqueInput[]
+ ): Promise {
+ const data = {
+ customers: {
+ disconnect: body,
+ },
+ };
+ await this.service.update({
+ where: params,
+ data,
+ select: { id: true },
+ });
+ }
+}
diff --git a/apps/titiksha-agrawal/src/address/base/address.module.base.ts b/apps/titiksha-agrawal/src/address/base/address.module.base.ts
new file mode 100644
index 0000000..4620e69
--- /dev/null
+++ b/apps/titiksha-agrawal/src/address/base/address.module.base.ts
@@ -0,0 +1,18 @@
+/*
+------------------------------------------------------------------------------
+This code was generated by Amplication.
+
+Changes to this file will be lost if the code is regenerated.
+
+There are other ways to to customize your code, see this doc to learn more
+https://docs.amplication.com/how-to/custom-code
+
+------------------------------------------------------------------------------
+ */
+import { Module } from "@nestjs/common";
+
+@Module({
+ imports: [],
+ exports: [],
+})
+export class AddressModuleBase {}
diff --git a/apps/titiksha-agrawal/src/address/base/address.resolver.base.ts b/apps/titiksha-agrawal/src/address/base/address.resolver.base.ts
new file mode 100644
index 0000000..f8554c6
--- /dev/null
+++ b/apps/titiksha-agrawal/src/address/base/address.resolver.base.ts
@@ -0,0 +1,115 @@
+/*
+------------------------------------------------------------------------------
+This code was generated by Amplication.
+
+Changes to this file will be lost if the code is regenerated.
+
+There are other ways to to customize your code, see this doc to learn more
+https://docs.amplication.com/how-to/custom-code
+
+------------------------------------------------------------------------------
+ */
+import * as graphql from "@nestjs/graphql";
+import { GraphQLError } from "graphql";
+import { isRecordNotFoundError } from "../../prisma.util";
+import { MetaQueryPayload } from "../../util/MetaQueryPayload";
+import { CreateAddressArgs } from "./CreateAddressArgs";
+import { UpdateAddressArgs } from "./UpdateAddressArgs";
+import { DeleteAddressArgs } from "./DeleteAddressArgs";
+import { AddressCountArgs } from "./AddressCountArgs";
+import { AddressFindManyArgs } from "./AddressFindManyArgs";
+import { AddressFindUniqueArgs } from "./AddressFindUniqueArgs";
+import { Address } from "./Address";
+import { CustomerFindManyArgs } from "../../customer/base/CustomerFindManyArgs";
+import { Customer } from "../../customer/base/Customer";
+import { AddressService } from "../address.service";
+@graphql.Resolver(() => Address)
+export class AddressResolverBase {
+ constructor(protected readonly service: AddressService) {}
+
+ async _addressesMeta(
+ @graphql.Args() args: AddressCountArgs
+ ): Promise {
+ const result = await this.service.count(args);
+ return {
+ count: result,
+ };
+ }
+
+ @graphql.Query(() => [Address])
+ async addresses(
+ @graphql.Args() args: AddressFindManyArgs
+ ): Promise {
+ return this.service.findMany(args);
+ }
+
+ @graphql.Query(() => Address, { nullable: true })
+ async address(
+ @graphql.Args() args: AddressFindUniqueArgs
+ ): Promise {
+ const result = await this.service.findOne(args);
+ if (result === null) {
+ return null;
+ }
+ return result;
+ }
+
+ @graphql.Mutation(() => Address)
+ async createAddress(
+ @graphql.Args() args: CreateAddressArgs
+ ): Promise {
+ return await this.service.create({
+ ...args,
+ data: args.data,
+ });
+ }
+
+ @graphql.Mutation(() => Address)
+ async updateAddress(
+ @graphql.Args() args: UpdateAddressArgs
+ ): Promise {
+ try {
+ return await this.service.update({
+ ...args,
+ data: args.data,
+ });
+ } catch (error) {
+ if (isRecordNotFoundError(error)) {
+ throw new GraphQLError(
+ `No resource was found for ${JSON.stringify(args.where)}`
+ );
+ }
+ throw error;
+ }
+ }
+
+ @graphql.Mutation(() => Address)
+ async deleteAddress(
+ @graphql.Args() args: DeleteAddressArgs
+ ): Promise {
+ try {
+ return await this.service.delete(args);
+ } catch (error) {
+ if (isRecordNotFoundError(error)) {
+ throw new GraphQLError(
+ `No resource was found for ${JSON.stringify(args.where)}`
+ );
+ }
+ throw error;
+ }
+ }
+
+ @graphql.ResolveField(() => [Customer], { name: "customers" })
+ async resolveFieldCustomers(
+ @graphql.Parent() parent: Address,
+ @graphql.Args() args: CustomerFindManyArgs
+ ): Promise {
+ const results = await this.service.findCustomers(parent.id, args);
+
+ if (!results) {
+ return [];
+ }
+
+ return results;
+ }
+}
diff --git a/apps/titiksha-agrawal/src/address/base/address.service.base.ts b/apps/titiksha-agrawal/src/address/base/address.service.base.ts
new file mode 100644
index 0000000..2437587
--- /dev/null
+++ b/apps/titiksha-agrawal/src/address/base/address.service.base.ts
@@ -0,0 +1,60 @@
+/*
+------------------------------------------------------------------------------
+This code was generated by Amplication.
+
+Changes to this file will be lost if the code is regenerated.
+
+There are other ways to to customize your code, see this doc to learn more
+https://docs.amplication.com/how-to/custom-code
+
+------------------------------------------------------------------------------
+ */
+import { PrismaService } from "../../prisma/prisma.service";
+import { Prisma, Address, Customer } from "@prisma/client";
+
+export class AddressServiceBase {
+ constructor(protected readonly prisma: PrismaService) {}
+
+ async count(
+ args: Prisma.SelectSubset
+ ): Promise {
+ return this.prisma.address.count(args);
+ }
+
+ async findMany(
+ args: Prisma.SelectSubset
+ ): Promise {
+ return this.prisma.address.findMany(args);
+ }
+ async findOne(
+ args: Prisma.SelectSubset
+ ): Promise {
+ return this.prisma.address.findUnique(args);
+ }
+ async create(
+ args: Prisma.SelectSubset
+ ): Promise {
+ return this.prisma.address.create(args);
+ }
+ async update(
+ args: Prisma.SelectSubset
+ ): Promise {
+ return this.prisma.address.update(args);
+ }
+ async delete(
+ args: Prisma.SelectSubset
+ ): Promise {
+ return this.prisma.address.delete(args);
+ }
+
+ async findCustomers(
+ parentId: string,
+ args: Prisma.CustomerFindManyArgs
+ ): Promise {
+ return this.prisma.address
+ .findUniqueOrThrow({
+ where: { id: parentId },
+ })
+ .customers(args);
+ }
+}
diff --git a/apps/titiksha-agrawal/src/app.module.ts b/apps/titiksha-agrawal/src/app.module.ts
new file mode 100644
index 0000000..698ba6a
--- /dev/null
+++ b/apps/titiksha-agrawal/src/app.module.ts
@@ -0,0 +1,47 @@
+import { Module } from "@nestjs/common";
+import { OrderModule } from "./order/order.module";
+import { CustomerModule } from "./customer/customer.module";
+import { AddressModule } from "./address/address.module";
+import { ProductModule } from "./product/product.module";
+import { HealthModule } from "./health/health.module";
+import { PrismaModule } from "./prisma/prisma.module";
+import { SecretsManagerModule } from "./providers/secrets/secretsManager.module";
+import { ServeStaticModule } from "@nestjs/serve-static";
+import { ServeStaticOptionsService } from "./serveStaticOptions.service";
+import { ConfigModule, ConfigService } from "@nestjs/config";
+import { GraphQLModule } from "@nestjs/graphql";
+import { ApolloDriver, ApolloDriverConfig } from "@nestjs/apollo";
+
+@Module({
+ controllers: [],
+ imports: [
+ OrderModule,
+ CustomerModule,
+ AddressModule,
+ ProductModule,
+ HealthModule,
+ PrismaModule,
+ SecretsManagerModule,
+ ConfigModule.forRoot({ isGlobal: true }),
+ ServeStaticModule.forRootAsync({
+ useClass: ServeStaticOptionsService,
+ }),
+ GraphQLModule.forRootAsync({
+ driver: ApolloDriver,
+ useFactory: (configService: ConfigService) => {
+ const playground = configService.get("GRAPHQL_PLAYGROUND");
+ const introspection = configService.get("GRAPHQL_INTROSPECTION");
+ return {
+ autoSchemaFile: "schema.graphql",
+ sortSchema: true,
+ playground,
+ introspection: playground || introspection,
+ };
+ },
+ inject: [ConfigService],
+ imports: [ConfigModule],
+ }),
+ ],
+ providers: [],
+})
+export class AppModule {}
diff --git a/apps/titiksha-agrawal/src/connectMicroservices.ts b/apps/titiksha-agrawal/src/connectMicroservices.ts
new file mode 100644
index 0000000..068fa5f
--- /dev/null
+++ b/apps/titiksha-agrawal/src/connectMicroservices.ts
@@ -0,0 +1,6 @@
+import { INestApplication } from "@nestjs/common";
+import { ConfigService } from "@nestjs/config";
+
+export async function connectMicroservices(app: INestApplication) {
+ const configService = app.get(ConfigService);
+}
diff --git a/apps/titiksha-agrawal/src/constants.ts b/apps/titiksha-agrawal/src/constants.ts
new file mode 100644
index 0000000..08f98bf
--- /dev/null
+++ b/apps/titiksha-agrawal/src/constants.ts
@@ -0,0 +1,2 @@
+export const JWT_SECRET_KEY = "JWT_SECRET_KEY";
+export const JWT_EXPIRATION = "JWT_EXPIRATION";
diff --git a/apps/titiksha-agrawal/src/customer/base/CreateCustomerArgs.ts b/apps/titiksha-agrawal/src/customer/base/CreateCustomerArgs.ts
new file mode 100644
index 0000000..893eb27
--- /dev/null
+++ b/apps/titiksha-agrawal/src/customer/base/CreateCustomerArgs.ts
@@ -0,0 +1,30 @@
+/*
+------------------------------------------------------------------------------
+This code was generated by Amplication.
+
+Changes to this file will be lost if the code is regenerated.
+
+There are other ways to to customize your code, see this doc to learn more
+https://docs.amplication.com/how-to/custom-code
+
+------------------------------------------------------------------------------
+ */
+import { ArgsType, Field } from "@nestjs/graphql";
+import { ApiProperty } from "@nestjs/swagger";
+import { CustomerCreateInput } from "./CustomerCreateInput";
+import { ValidateNested } from "class-validator";
+import { Type } from "class-transformer";
+
+@ArgsType()
+class CreateCustomerArgs {
+ @ApiProperty({
+ required: true,
+ type: () => CustomerCreateInput,
+ })
+ @ValidateNested()
+ @Type(() => CustomerCreateInput)
+ @Field(() => CustomerCreateInput, { nullable: false })
+ data!: CustomerCreateInput;
+}
+
+export { CreateCustomerArgs as CreateCustomerArgs };
diff --git a/apps/titiksha-agrawal/src/customer/base/Customer.ts b/apps/titiksha-agrawal/src/customer/base/Customer.ts
new file mode 100644
index 0000000..e082534
--- /dev/null
+++ b/apps/titiksha-agrawal/src/customer/base/Customer.ts
@@ -0,0 +1,108 @@
+/*
+------------------------------------------------------------------------------
+This code was generated by Amplication.
+
+Changes to this file will be lost if the code is regenerated.
+
+There are other ways to to customize your code, see this doc to learn more
+https://docs.amplication.com/how-to/custom-code
+
+------------------------------------------------------------------------------
+ */
+import { ObjectType, Field } from "@nestjs/graphql";
+import { ApiProperty } from "@nestjs/swagger";
+import { Address } from "../../address/base/Address";
+import { ValidateNested, IsOptional, IsDate, IsString } from "class-validator";
+import { Type } from "class-transformer";
+import { Order } from "../../order/base/Order";
+
+@ObjectType()
+class Customer {
+ @ApiProperty({
+ required: false,
+ type: () => Address,
+ })
+ @ValidateNested()
+ @Type(() => Address)
+ @IsOptional()
+ address?: Address | null;
+
+ @ApiProperty({
+ required: true,
+ })
+ @IsDate()
+ @Type(() => Date)
+ @Field(() => Date)
+ createdAt!: Date;
+
+ @ApiProperty({
+ required: false,
+ type: String,
+ })
+ @IsString()
+ @IsOptional()
+ @Field(() => String, {
+ nullable: true,
+ })
+ email!: string | null;
+
+ @ApiProperty({
+ required: false,
+ type: String,
+ })
+ @IsString()
+ @IsOptional()
+ @Field(() => String, {
+ nullable: true,
+ })
+ firstName!: string | null;
+
+ @ApiProperty({
+ required: true,
+ type: String,
+ })
+ @IsString()
+ @Field(() => String)
+ id!: string;
+
+ @ApiProperty({
+ required: false,
+ type: String,
+ })
+ @IsString()
+ @IsOptional()
+ @Field(() => String, {
+ nullable: true,
+ })
+ lastName!: string | null;
+
+ @ApiProperty({
+ required: false,
+ type: () => [Order],
+ })
+ @ValidateNested()
+ @Type(() => Order)
+ @IsOptional()
+ orders?: Array;
+
+ @ApiProperty({
+ required: false,
+ type: String,
+ })
+ @IsString()
+ @IsOptional()
+ @Field(() => String, {
+ nullable: true,
+ })
+ phone!: string | null;
+
+ @ApiProperty({
+ required: true,
+ })
+ @IsDate()
+ @Type(() => Date)
+ @Field(() => Date)
+ updatedAt!: Date;
+}
+
+export { Customer as Customer };
diff --git a/apps/titiksha-agrawal/src/customer/base/CustomerCountArgs.ts b/apps/titiksha-agrawal/src/customer/base/CustomerCountArgs.ts
new file mode 100644
index 0000000..9246fde
--- /dev/null
+++ b/apps/titiksha-agrawal/src/customer/base/CustomerCountArgs.ts
@@ -0,0 +1,28 @@
+/*
+------------------------------------------------------------------------------
+This code was generated by Amplication.
+
+Changes to this file will be lost if the code is regenerated.
+
+There are other ways to to customize your code, see this doc to learn more
+https://docs.amplication.com/how-to/custom-code
+
+------------------------------------------------------------------------------
+ */
+import { ArgsType, Field } from "@nestjs/graphql";
+import { ApiProperty } from "@nestjs/swagger";
+import { CustomerWhereInput } from "./CustomerWhereInput";
+import { Type } from "class-transformer";
+
+@ArgsType()
+class CustomerCountArgs {
+ @ApiProperty({
+ required: false,
+ type: () => CustomerWhereInput,
+ })
+ @Field(() => CustomerWhereInput, { nullable: true })
+ @Type(() => CustomerWhereInput)
+ where?: CustomerWhereInput;
+}
+
+export { CustomerCountArgs as CustomerCountArgs };
diff --git a/apps/titiksha-agrawal/src/customer/base/CustomerCreateInput.ts b/apps/titiksha-agrawal/src/customer/base/CustomerCreateInput.ts
new file mode 100644
index 0000000..c5fdcd1
--- /dev/null
+++ b/apps/titiksha-agrawal/src/customer/base/CustomerCreateInput.ts
@@ -0,0 +1,90 @@
+/*
+------------------------------------------------------------------------------
+This code was generated by Amplication.
+
+Changes to this file will be lost if the code is regenerated.
+
+There are other ways to to customize your code, see this doc to learn more
+https://docs.amplication.com/how-to/custom-code
+
+------------------------------------------------------------------------------
+ */
+import { InputType, Field } from "@nestjs/graphql";
+import { ApiProperty } from "@nestjs/swagger";
+import { AddressWhereUniqueInput } from "../../address/base/AddressWhereUniqueInput";
+import { ValidateNested, IsOptional, IsString } from "class-validator";
+import { Type } from "class-transformer";
+import { OrderCreateNestedManyWithoutCustomersInput } from "./OrderCreateNestedManyWithoutCustomersInput";
+
+@InputType()
+class CustomerCreateInput {
+ @ApiProperty({
+ required: false,
+ type: () => AddressWhereUniqueInput,
+ })
+ @ValidateNested()
+ @Type(() => AddressWhereUniqueInput)
+ @IsOptional()
+ @Field(() => AddressWhereUniqueInput, {
+ nullable: true,
+ })
+ address?: AddressWhereUniqueInput | null;
+
+ @ApiProperty({
+ required: false,
+ type: String,
+ })
+ @IsString()
+ @IsOptional()
+ @Field(() => String, {
+ nullable: true,
+ })
+ email?: string | null;
+
+ @ApiProperty({
+ required: false,
+ type: String,
+ })
+ @IsString()
+ @IsOptional()
+ @Field(() => String, {
+ nullable: true,
+ })
+ firstName?: string | null;
+
+ @ApiProperty({
+ required: false,
+ type: String,
+ })
+ @IsString()
+ @IsOptional()
+ @Field(() => String, {
+ nullable: true,
+ })
+ lastName?: string | null;
+
+ @ApiProperty({
+ required: false,
+ type: () => OrderCreateNestedManyWithoutCustomersInput,
+ })
+ @ValidateNested()
+ @Type(() => OrderCreateNestedManyWithoutCustomersInput)
+ @IsOptional()
+ @Field(() => OrderCreateNestedManyWithoutCustomersInput, {
+ nullable: true,
+ })
+ orders?: OrderCreateNestedManyWithoutCustomersInput;
+
+ @ApiProperty({
+ required: false,
+ type: String,
+ })
+ @IsString()
+ @IsOptional()
+ @Field(() => String, {
+ nullable: true,
+ })
+ phone?: string | null;
+}
+
+export { CustomerCreateInput as CustomerCreateInput };
diff --git a/apps/titiksha-agrawal/src/customer/base/CustomerFindManyArgs.ts b/apps/titiksha-agrawal/src/customer/base/CustomerFindManyArgs.ts
new file mode 100644
index 0000000..dfecb60
--- /dev/null
+++ b/apps/titiksha-agrawal/src/customer/base/CustomerFindManyArgs.ts
@@ -0,0 +1,62 @@
+/*
+------------------------------------------------------------------------------
+This code was generated by Amplication.
+
+Changes to this file will be lost if the code is regenerated.
+
+There are other ways to to customize your code, see this doc to learn more
+https://docs.amplication.com/how-to/custom-code
+
+------------------------------------------------------------------------------
+ */
+import { ArgsType, Field } from "@nestjs/graphql";
+import { ApiProperty } from "@nestjs/swagger";
+import { CustomerWhereInput } from "./CustomerWhereInput";
+import { IsOptional, ValidateNested, IsInt } from "class-validator";
+import { Type } from "class-transformer";
+import { CustomerOrderByInput } from "./CustomerOrderByInput";
+
+@ArgsType()
+class CustomerFindManyArgs {
+ @ApiProperty({
+ required: false,
+ type: () => CustomerWhereInput,
+ })
+ @IsOptional()
+ @ValidateNested()
+ @Field(() => CustomerWhereInput, { nullable: true })
+ @Type(() => CustomerWhereInput)
+ where?: CustomerWhereInput;
+
+ @ApiProperty({
+ required: false,
+ type: [CustomerOrderByInput],
+ })
+ @IsOptional()
+ @ValidateNested({ each: true })
+ @Field(() => [CustomerOrderByInput], { nullable: true })
+ @Type(() => CustomerOrderByInput)
+ orderBy?: Array;
+
+ @ApiProperty({
+ required: false,
+ type: Number,
+ })
+ @IsOptional()
+ @IsInt()
+ @Field(() => Number, { nullable: true })
+ @Type(() => Number)
+ skip?: number;
+
+ @ApiProperty({
+ required: false,
+ type: Number,
+ })
+ @IsOptional()
+ @IsInt()
+ @Field(() => Number, { nullable: true })
+ @Type(() => Number)
+ take?: number;
+}
+
+export { CustomerFindManyArgs as CustomerFindManyArgs };
diff --git a/apps/titiksha-agrawal/src/customer/base/CustomerFindUniqueArgs.ts b/apps/titiksha-agrawal/src/customer/base/CustomerFindUniqueArgs.ts
new file mode 100644
index 0000000..958977a
--- /dev/null
+++ b/apps/titiksha-agrawal/src/customer/base/CustomerFindUniqueArgs.ts
@@ -0,0 +1,30 @@
+/*
+------------------------------------------------------------------------------
+This code was generated by Amplication.
+
+Changes to this file will be lost if the code is regenerated.
+
+There are other ways to to customize your code, see this doc to learn more
+https://docs.amplication.com/how-to/custom-code
+
+------------------------------------------------------------------------------
+ */
+import { ArgsType, Field } from "@nestjs/graphql";
+import { ApiProperty } from "@nestjs/swagger";
+import { CustomerWhereUniqueInput } from "./CustomerWhereUniqueInput";
+import { ValidateNested } from "class-validator";
+import { Type } from "class-transformer";
+
+@ArgsType()
+class CustomerFindUniqueArgs {
+ @ApiProperty({
+ required: true,
+ type: () => CustomerWhereUniqueInput,
+ })
+ @ValidateNested()
+ @Type(() => CustomerWhereUniqueInput)
+ @Field(() => CustomerWhereUniqueInput, { nullable: false })
+ where!: CustomerWhereUniqueInput;
+}
+
+export { CustomerFindUniqueArgs as CustomerFindUniqueArgs };
diff --git a/apps/titiksha-agrawal/src/customer/base/CustomerListRelationFilter.ts b/apps/titiksha-agrawal/src/customer/base/CustomerListRelationFilter.ts
new file mode 100644
index 0000000..5d73d88
--- /dev/null
+++ b/apps/titiksha-agrawal/src/customer/base/CustomerListRelationFilter.ts
@@ -0,0 +1,56 @@
+/*
+------------------------------------------------------------------------------
+This code was generated by Amplication.
+
+Changes to this file will be lost if the code is regenerated.
+
+There are other ways to to customize your code, see this doc to learn more
+https://docs.amplication.com/how-to/custom-code
+
+------------------------------------------------------------------------------
+ */
+import { InputType, Field } from "@nestjs/graphql";
+import { ApiProperty } from "@nestjs/swagger";
+import { CustomerWhereInput } from "./CustomerWhereInput";
+import { ValidateNested, IsOptional } from "class-validator";
+import { Type } from "class-transformer";
+
+@InputType()
+class CustomerListRelationFilter {
+ @ApiProperty({
+ required: false,
+ type: () => CustomerWhereInput,
+ })
+ @ValidateNested()
+ @Type(() => CustomerWhereInput)
+ @IsOptional()
+ @Field(() => CustomerWhereInput, {
+ nullable: true,
+ })
+ every?: CustomerWhereInput;
+
+ @ApiProperty({
+ required: false,
+ type: () => CustomerWhereInput,
+ })
+ @ValidateNested()
+ @Type(() => CustomerWhereInput)
+ @IsOptional()
+ @Field(() => CustomerWhereInput, {
+ nullable: true,
+ })
+ some?: CustomerWhereInput;
+
+ @ApiProperty({
+ required: false,
+ type: () => CustomerWhereInput,
+ })
+ @ValidateNested()
+ @Type(() => CustomerWhereInput)
+ @IsOptional()
+ @Field(() => CustomerWhereInput, {
+ nullable: true,
+ })
+ none?: CustomerWhereInput;
+}
+export { CustomerListRelationFilter as CustomerListRelationFilter };
diff --git a/apps/titiksha-agrawal/src/customer/base/CustomerOrderByInput.ts b/apps/titiksha-agrawal/src/customer/base/CustomerOrderByInput.ts
new file mode 100644
index 0000000..7defb8c
--- /dev/null
+++ b/apps/titiksha-agrawal/src/customer/base/CustomerOrderByInput.ts
@@ -0,0 +1,111 @@
+/*
+------------------------------------------------------------------------------
+This code was generated by Amplication.
+
+Changes to this file will be lost if the code is regenerated.
+
+There are other ways to to customize your code, see this doc to learn more
+https://docs.amplication.com/how-to/custom-code
+
+------------------------------------------------------------------------------
+ */
+import { InputType, Field } from "@nestjs/graphql";
+import { ApiProperty } from "@nestjs/swagger";
+import { IsOptional, IsEnum } from "class-validator";
+import { SortOrder } from "../../util/SortOrder";
+
+@InputType({
+ isAbstract: true,
+ description: undefined,
+})
+class CustomerOrderByInput {
+ @ApiProperty({
+ required: false,
+ enum: ["asc", "desc"],
+ })
+ @IsOptional()
+ @IsEnum(SortOrder)
+ @Field(() => SortOrder, {
+ nullable: true,
+ })
+ addressId?: SortOrder;
+
+ @ApiProperty({
+ required: false,
+ enum: ["asc", "desc"],
+ })
+ @IsOptional()
+ @IsEnum(SortOrder)
+ @Field(() => SortOrder, {
+ nullable: true,
+ })
+ createdAt?: SortOrder;
+
+ @ApiProperty({
+ required: false,
+ enum: ["asc", "desc"],
+ })
+ @IsOptional()
+ @IsEnum(SortOrder)
+ @Field(() => SortOrder, {
+ nullable: true,
+ })
+ email?: SortOrder;
+
+ @ApiProperty({
+ required: false,
+ enum: ["asc", "desc"],
+ })
+ @IsOptional()
+ @IsEnum(SortOrder)
+ @Field(() => SortOrder, {
+ nullable: true,
+ })
+ firstName?: SortOrder;
+
+ @ApiProperty({
+ required: false,
+ enum: ["asc", "desc"],
+ })
+ @IsOptional()
+ @IsEnum(SortOrder)
+ @Field(() => SortOrder, {
+ nullable: true,
+ })
+ id?: SortOrder;
+
+ @ApiProperty({
+ required: false,
+ enum: ["asc", "desc"],
+ })
+ @IsOptional()
+ @IsEnum(SortOrder)
+ @Field(() => SortOrder, {
+ nullable: true,
+ })
+ lastName?: SortOrder;
+
+ @ApiProperty({
+ required: false,
+ enum: ["asc", "desc"],
+ })
+ @IsOptional()
+ @IsEnum(SortOrder)
+ @Field(() => SortOrder, {
+ nullable: true,
+ })
+ phone?: SortOrder;
+
+ @ApiProperty({
+ required: false,
+ enum: ["asc", "desc"],
+ })
+ @IsOptional()
+ @IsEnum(SortOrder)
+ @Field(() => SortOrder, {
+ nullable: true,
+ })
+ updatedAt?: SortOrder;
+}
+
+export { CustomerOrderByInput as CustomerOrderByInput };
diff --git a/apps/titiksha-agrawal/src/customer/base/CustomerUpdateInput.ts b/apps/titiksha-agrawal/src/customer/base/CustomerUpdateInput.ts
new file mode 100644
index 0000000..f3bc170
--- /dev/null
+++ b/apps/titiksha-agrawal/src/customer/base/CustomerUpdateInput.ts
@@ -0,0 +1,90 @@
+/*
+------------------------------------------------------------------------------
+This code was generated by Amplication.
+
+Changes to this file will be lost if the code is regenerated.
+
+There are other ways to to customize your code, see this doc to learn more
+https://docs.amplication.com/how-to/custom-code
+
+------------------------------------------------------------------------------
+ */
+import { InputType, Field } from "@nestjs/graphql";
+import { ApiProperty } from "@nestjs/swagger";
+import { AddressWhereUniqueInput } from "../../address/base/AddressWhereUniqueInput";
+import { ValidateNested, IsOptional, IsString } from "class-validator";
+import { Type } from "class-transformer";
+import { OrderUpdateManyWithoutCustomersInput } from "./OrderUpdateManyWithoutCustomersInput";
+
+@InputType()
+class CustomerUpdateInput {
+ @ApiProperty({
+ required: false,
+ type: () => AddressWhereUniqueInput,
+ })
+ @ValidateNested()
+ @Type(() => AddressWhereUniqueInput)
+ @IsOptional()
+ @Field(() => AddressWhereUniqueInput, {
+ nullable: true,
+ })
+ address?: AddressWhereUniqueInput | null;
+
+ @ApiProperty({
+ required: false,
+ type: String,
+ })
+ @IsString()
+ @IsOptional()
+ @Field(() => String, {
+ nullable: true,
+ })
+ email?: string | null;
+
+ @ApiProperty({
+ required: false,
+ type: String,
+ })
+ @IsString()
+ @IsOptional()
+ @Field(() => String, {
+ nullable: true,
+ })
+ firstName?: string | null;
+
+ @ApiProperty({
+ required: false,
+ type: String,
+ })
+ @IsString()
+ @IsOptional()
+ @Field(() => String, {
+ nullable: true,
+ })
+ lastName?: string | null;
+
+ @ApiProperty({
+ required: false,
+ type: () => OrderUpdateManyWithoutCustomersInput,
+ })
+ @ValidateNested()
+ @Type(() => OrderUpdateManyWithoutCustomersInput)
+ @IsOptional()
+ @Field(() => OrderUpdateManyWithoutCustomersInput, {
+ nullable: true,
+ })
+ orders?: OrderUpdateManyWithoutCustomersInput;
+
+ @ApiProperty({
+ required: false,
+ type: String,
+ })
+ @IsString()
+ @IsOptional()
+ @Field(() => String, {
+ nullable: true,
+ })
+ phone?: string | null;
+}
+
+export { CustomerUpdateInput as CustomerUpdateInput };
diff --git a/apps/titiksha-agrawal/src/customer/base/CustomerWhereInput.ts b/apps/titiksha-agrawal/src/customer/base/CustomerWhereInput.ts
new file mode 100644
index 0000000..f16156f
--- /dev/null
+++ b/apps/titiksha-agrawal/src/customer/base/CustomerWhereInput.ts
@@ -0,0 +1,103 @@
+/*
+------------------------------------------------------------------------------
+This code was generated by Amplication.
+
+Changes to this file will be lost if the code is regenerated.
+
+There are other ways to to customize your code, see this doc to learn more
+https://docs.amplication.com/how-to/custom-code
+
+------------------------------------------------------------------------------
+ */
+import { InputType, Field } from "@nestjs/graphql";
+import { ApiProperty } from "@nestjs/swagger";
+import { AddressWhereUniqueInput } from "../../address/base/AddressWhereUniqueInput";
+import { ValidateNested, IsOptional } from "class-validator";
+import { Type } from "class-transformer";
+import { StringNullableFilter } from "../../util/StringNullableFilter";
+import { StringFilter } from "../../util/StringFilter";
+import { OrderListRelationFilter } from "../../order/base/OrderListRelationFilter";
+
+@InputType()
+class CustomerWhereInput {
+ @ApiProperty({
+ required: false,
+ type: () => AddressWhereUniqueInput,
+ })
+ @ValidateNested()
+ @Type(() => AddressWhereUniqueInput)
+ @IsOptional()
+ @Field(() => AddressWhereUniqueInput, {
+ nullable: true,
+ })
+ address?: AddressWhereUniqueInput;
+
+ @ApiProperty({
+ required: false,
+ type: StringNullableFilter,
+ })
+ @Type(() => StringNullableFilter)
+ @IsOptional()
+ @Field(() => StringNullableFilter, {
+ nullable: true,
+ })
+ email?: StringNullableFilter;
+
+ @ApiProperty({
+ required: false,
+ type: StringNullableFilter,
+ })
+ @Type(() => StringNullableFilter)
+ @IsOptional()
+ @Field(() => StringNullableFilter, {
+ nullable: true,
+ })
+ firstName?: StringNullableFilter;
+
+ @ApiProperty({
+ required: false,
+ type: StringFilter,
+ })
+ @Type(() => StringFilter)
+ @IsOptional()
+ @Field(() => StringFilter, {
+ nullable: true,
+ })
+ id?: StringFilter;
+
+ @ApiProperty({
+ required: false,
+ type: StringNullableFilter,
+ })
+ @Type(() => StringNullableFilter)
+ @IsOptional()
+ @Field(() => StringNullableFilter, {
+ nullable: true,
+ })
+ lastName?: StringNullableFilter;
+
+ @ApiProperty({
+ required: false,
+ type: () => OrderListRelationFilter,
+ })
+ @ValidateNested()
+ @Type(() => OrderListRelationFilter)
+ @IsOptional()
+ @Field(() => OrderListRelationFilter, {
+ nullable: true,
+ })
+ orders?: OrderListRelationFilter;
+
+ @ApiProperty({
+ required: false,
+ type: StringNullableFilter,
+ })
+ @Type(() => StringNullableFilter)
+ @IsOptional()
+ @Field(() => StringNullableFilter, {
+ nullable: true,
+ })
+ phone?: StringNullableFilter;
+}
+
+export { CustomerWhereInput as CustomerWhereInput };
diff --git a/apps/titiksha-agrawal/src/customer/base/CustomerWhereUniqueInput.ts b/apps/titiksha-agrawal/src/customer/base/CustomerWhereUniqueInput.ts
new file mode 100644
index 0000000..02c3d87
--- /dev/null
+++ b/apps/titiksha-agrawal/src/customer/base/CustomerWhereUniqueInput.ts
@@ -0,0 +1,27 @@
+/*
+------------------------------------------------------------------------------
+This code was generated by Amplication.
+
+Changes to this file will be lost if the code is regenerated.
+
+There are other ways to to customize your code, see this doc to learn more
+https://docs.amplication.com/how-to/custom-code
+
+------------------------------------------------------------------------------
+ */
+import { InputType, Field } from "@nestjs/graphql";
+import { ApiProperty } from "@nestjs/swagger";
+import { IsString } from "class-validator";
+
+@InputType()
+class CustomerWhereUniqueInput {
+ @ApiProperty({
+ required: true,
+ type: String,
+ })
+ @IsString()
+ @Field(() => String)
+ id!: string;
+}
+
+export { CustomerWhereUniqueInput as CustomerWhereUniqueInput };
diff --git a/apps/titiksha-agrawal/src/customer/base/DeleteCustomerArgs.ts b/apps/titiksha-agrawal/src/customer/base/DeleteCustomerArgs.ts
new file mode 100644
index 0000000..c5586b9
--- /dev/null
+++ b/apps/titiksha-agrawal/src/customer/base/DeleteCustomerArgs.ts
@@ -0,0 +1,30 @@
+/*
+------------------------------------------------------------------------------
+This code was generated by Amplication.
+
+Changes to this file will be lost if the code is regenerated.
+
+There are other ways to to customize your code, see this doc to learn more
+https://docs.amplication.com/how-to/custom-code
+
+------------------------------------------------------------------------------
+ */
+import { ArgsType, Field } from "@nestjs/graphql";
+import { ApiProperty } from "@nestjs/swagger";
+import { CustomerWhereUniqueInput } from "./CustomerWhereUniqueInput";
+import { ValidateNested } from "class-validator";
+import { Type } from "class-transformer";
+
+@ArgsType()
+class DeleteCustomerArgs {
+ @ApiProperty({
+ required: true,
+ type: () => CustomerWhereUniqueInput,
+ })
+ @ValidateNested()
+ @Type(() => CustomerWhereUniqueInput)
+ @Field(() => CustomerWhereUniqueInput, { nullable: false })
+ where!: CustomerWhereUniqueInput;
+}
+
+export { DeleteCustomerArgs as DeleteCustomerArgs };
diff --git a/apps/titiksha-agrawal/src/customer/base/OrderCreateNestedManyWithoutCustomersInput.ts b/apps/titiksha-agrawal/src/customer/base/OrderCreateNestedManyWithoutCustomersInput.ts
new file mode 100644
index 0000000..1e357d5
--- /dev/null
+++ b/apps/titiksha-agrawal/src/customer/base/OrderCreateNestedManyWithoutCustomersInput.ts
@@ -0,0 +1,28 @@
+/*
+------------------------------------------------------------------------------
+This code was generated by Amplication.
+
+Changes to this file will be lost if the code is regenerated.
+
+There are other ways to to customize your code, see this doc to learn more
+https://docs.amplication.com/how-to/custom-code
+
+------------------------------------------------------------------------------
+ */
+import { InputType, Field } from "@nestjs/graphql";
+import { OrderWhereUniqueInput } from "../../order/base/OrderWhereUniqueInput";
+import { ApiProperty } from "@nestjs/swagger";
+
+@InputType()
+class OrderCreateNestedManyWithoutCustomersInput {
+ @Field(() => [OrderWhereUniqueInput], {
+ nullable: true,
+ })
+ @ApiProperty({
+ required: false,
+ type: () => [OrderWhereUniqueInput],
+ })
+ connect?: Array;
+}
+
+export { OrderCreateNestedManyWithoutCustomersInput as OrderCreateNestedManyWithoutCustomersInput };
diff --git a/apps/titiksha-agrawal/src/customer/base/OrderUpdateManyWithoutCustomersInput.ts b/apps/titiksha-agrawal/src/customer/base/OrderUpdateManyWithoutCustomersInput.ts
new file mode 100644
index 0000000..9d53a35
--- /dev/null
+++ b/apps/titiksha-agrawal/src/customer/base/OrderUpdateManyWithoutCustomersInput.ts
@@ -0,0 +1,46 @@
+/*
+------------------------------------------------------------------------------
+This code was generated by Amplication.
+
+Changes to this file will be lost if the code is regenerated.
+
+There are other ways to to customize your code, see this doc to learn more
+https://docs.amplication.com/how-to/custom-code
+
+------------------------------------------------------------------------------
+ */
+import { InputType, Field } from "@nestjs/graphql";
+import { OrderWhereUniqueInput } from "../../order/base/OrderWhereUniqueInput";
+import { ApiProperty } from "@nestjs/swagger";
+
+@InputType()
+class OrderUpdateManyWithoutCustomersInput {
+ @Field(() => [OrderWhereUniqueInput], {
+ nullable: true,
+ })
+ @ApiProperty({
+ required: false,
+ type: () => [OrderWhereUniqueInput],
+ })
+ connect?: Array;
+
+ @Field(() => [OrderWhereUniqueInput], {
+ nullable: true,
+ })
+ @ApiProperty({
+ required: false,
+ type: () => [OrderWhereUniqueInput],
+ })
+ disconnect?: Array;
+
+ @Field(() => [OrderWhereUniqueInput], {
+ nullable: true,
+ })
+ @ApiProperty({
+ required: false,
+ type: () => [OrderWhereUniqueInput],
+ })
+ set?: Array;
+}
+
+export { OrderUpdateManyWithoutCustomersInput as OrderUpdateManyWithoutCustomersInput };
diff --git a/apps/titiksha-agrawal/src/customer/base/UpdateCustomerArgs.ts b/apps/titiksha-agrawal/src/customer/base/UpdateCustomerArgs.ts
new file mode 100644
index 0000000..d38e938
--- /dev/null
+++ b/apps/titiksha-agrawal/src/customer/base/UpdateCustomerArgs.ts
@@ -0,0 +1,40 @@
+/*
+------------------------------------------------------------------------------
+This code was generated by Amplication.
+
+Changes to this file will be lost if the code is regenerated.
+
+There are other ways to to customize your code, see this doc to learn more
+https://docs.amplication.com/how-to/custom-code
+
+------------------------------------------------------------------------------
+ */
+import { ArgsType, Field } from "@nestjs/graphql";
+import { ApiProperty } from "@nestjs/swagger";
+import { CustomerWhereUniqueInput } from "./CustomerWhereUniqueInput";
+import { ValidateNested } from "class-validator";
+import { Type } from "class-transformer";
+import { CustomerUpdateInput } from "./CustomerUpdateInput";
+
+@ArgsType()
+class UpdateCustomerArgs {
+ @ApiProperty({
+ required: true,
+ type: () => CustomerWhereUniqueInput,
+ })
+ @ValidateNested()
+ @Type(() => CustomerWhereUniqueInput)
+ @Field(() => CustomerWhereUniqueInput, { nullable: false })
+ where!: CustomerWhereUniqueInput;
+
+ @ApiProperty({
+ required: true,
+ type: () => CustomerUpdateInput,
+ })
+ @ValidateNested()
+ @Type(() => CustomerUpdateInput)
+ @Field(() => CustomerUpdateInput, { nullable: false })
+ data!: CustomerUpdateInput;
+}
+
+export { UpdateCustomerArgs as UpdateCustomerArgs };
diff --git a/apps/titiksha-agrawal/src/customer/base/customer.controller.base.spec.ts b/apps/titiksha-agrawal/src/customer/base/customer.controller.base.spec.ts
new file mode 100644
index 0000000..c0dfbcb
--- /dev/null
+++ b/apps/titiksha-agrawal/src/customer/base/customer.controller.base.spec.ts
@@ -0,0 +1,206 @@
+import { Test } from "@nestjs/testing";
+import {
+ INestApplication,
+ HttpStatus,
+ ExecutionContext,
+ CallHandler,
+} from "@nestjs/common";
+import request from "supertest";
+import { ACGuard } from "nest-access-control";
+import { DefaultAuthGuard } from "../../auth/defaultAuth.guard";
+import { ACLModule } from "../../auth/acl.module";
+import { AclFilterResponseInterceptor } from "../../interceptors/aclFilterResponse.interceptor";
+import { AclValidateRequestInterceptor } from "../../interceptors/aclValidateRequest.interceptor";
+import { map } from "rxjs";
+import { CustomerController } from "../customer.controller";
+import { CustomerService } from "../customer.service";
+
+const nonExistingId = "nonExistingId";
+const existingId = "existingId";
+const CREATE_INPUT = {
+ createdAt: new Date(),
+ email: "exampleEmail",
+ firstName: "exampleFirstName",
+ id: "exampleId",
+ lastName: "exampleLastName",
+ phone: "examplePhone",
+ updatedAt: new Date(),
+};
+const CREATE_RESULT = {
+ createdAt: new Date(),
+ email: "exampleEmail",
+ firstName: "exampleFirstName",
+ id: "exampleId",
+ lastName: "exampleLastName",
+ phone: "examplePhone",
+ updatedAt: new Date(),
+};
+const FIND_MANY_RESULT = [
+ {
+ createdAt: new Date(),
+ email: "exampleEmail",
+ firstName: "exampleFirstName",
+ id: "exampleId",
+ lastName: "exampleLastName",
+ phone: "examplePhone",
+ updatedAt: new Date(),
+ },
+];
+const FIND_ONE_RESULT = {
+ createdAt: new Date(),
+ email: "exampleEmail",
+ firstName: "exampleFirstName",
+ id: "exampleId",
+ lastName: "exampleLastName",
+ phone: "examplePhone",
+ updatedAt: new Date(),
+};
+
+const service = {
+ create() {
+ return CREATE_RESULT;
+ },
+ findMany: () => FIND_MANY_RESULT,
+ findOne: ({ where }: { where: { id: string } }) => {
+ switch (where.id) {
+ case existingId:
+ return FIND_ONE_RESULT;
+ case nonExistingId:
+ return null;
+ }
+ },
+};
+
+const basicAuthGuard = {
+ canActivate: (context: ExecutionContext) => {
+ const argumentHost = context.switchToHttp();
+ const request = argumentHost.getRequest();
+ request.user = {
+ roles: ["user"],
+ };
+ return true;
+ },
+};
+
+const acGuard = {
+ canActivate: () => {
+ return true;
+ },
+};
+
+const aclFilterResponseInterceptor = {
+ intercept: (context: ExecutionContext, next: CallHandler) => {
+ return next.handle().pipe(
+ map((data) => {
+ return data;
+ })
+ );
+ },
+};
+const aclValidateRequestInterceptor = {
+ intercept: (context: ExecutionContext, next: CallHandler) => {
+ return next.handle();
+ },
+};
+
+describe("Customer", () => {
+ let app: INestApplication;
+
+ beforeAll(async () => {
+ const moduleRef = await Test.createTestingModule({
+ providers: [
+ {
+ provide: CustomerService,
+ useValue: service,
+ },
+ ],
+ controllers: [CustomerController],
+ imports: [ACLModule],
+ })
+ .overrideGuard(DefaultAuthGuard)
+ .useValue(basicAuthGuard)
+ .overrideGuard(ACGuard)
+ .useValue(acGuard)
+ .overrideInterceptor(AclFilterResponseInterceptor)
+ .useValue(aclFilterResponseInterceptor)
+ .overrideInterceptor(AclValidateRequestInterceptor)
+ .useValue(aclValidateRequestInterceptor)
+ .compile();
+
+ app = moduleRef.createNestApplication();
+ await app.init();
+ });
+
+ test("POST /customers", async () => {
+ await request(app.getHttpServer())
+ .post("/customers")
+ .send(CREATE_INPUT)
+ .expect(HttpStatus.CREATED)
+ .expect({
+ ...CREATE_RESULT,
+ createdAt: CREATE_RESULT.createdAt.toISOString(),
+ updatedAt: CREATE_RESULT.updatedAt.toISOString(),
+ });
+ });
+
+ test("GET /customers", async () => {
+ await request(app.getHttpServer())
+ .get("/customers")
+ .expect(HttpStatus.OK)
+ .expect([
+ {
+ ...FIND_MANY_RESULT[0],
+ createdAt: FIND_MANY_RESULT[0].createdAt.toISOString(),
+ updatedAt: FIND_MANY_RESULT[0].updatedAt.toISOString(),
+ },
+ ]);
+ });
+
+ test("GET /customers/:id non existing", async () => {
+ await request(app.getHttpServer())
+ .get(`${"/customers"}/${nonExistingId}`)
+ .expect(HttpStatus.NOT_FOUND)
+ .expect({
+ statusCode: HttpStatus.NOT_FOUND,
+ message: `No resource was found for {"${"id"}":"${nonExistingId}"}`,
+ error: "Not Found",
+ });
+ });
+
+ test("GET /customers/:id existing", async () => {
+ await request(app.getHttpServer())
+ .get(`${"/customers"}/${existingId}`)
+ .expect(HttpStatus.OK)
+ .expect({
+ ...FIND_ONE_RESULT,
+ createdAt: FIND_ONE_RESULT.createdAt.toISOString(),
+ updatedAt: FIND_ONE_RESULT.updatedAt.toISOString(),
+ });
+ });
+
+ test("POST /customers existing resource", async () => {
+ const agent = request(app.getHttpServer());
+ await agent
+ .post("/customers")
+ .send(CREATE_INPUT)
+ .expect(HttpStatus.CREATED)
+ .expect({
+ ...CREATE_RESULT,
+ createdAt: CREATE_RESULT.createdAt.toISOString(),
+ updatedAt: CREATE_RESULT.updatedAt.toISOString(),
+ })
+ .then(function () {
+ agent
+ .post("/customers")
+ .send(CREATE_INPUT)
+ .expect(HttpStatus.CONFLICT)
+ .expect({
+ statusCode: HttpStatus.CONFLICT,
+ });
+ });
+ });
+
+ afterAll(async () => {
+ await app.close();
+ });
+});
diff --git a/apps/titiksha-agrawal/src/customer/base/customer.controller.base.ts b/apps/titiksha-agrawal/src/customer/base/customer.controller.base.ts
new file mode 100644
index 0000000..91916c6
--- /dev/null
+++ b/apps/titiksha-agrawal/src/customer/base/customer.controller.base.ts
@@ -0,0 +1,290 @@
+/*
+------------------------------------------------------------------------------
+This code was generated by Amplication.
+
+Changes to this file will be lost if the code is regenerated.
+
+There are other ways to to customize your code, see this doc to learn more
+https://docs.amplication.com/how-to/custom-code
+
+------------------------------------------------------------------------------
+ */
+import * as common from "@nestjs/common";
+import * as swagger from "@nestjs/swagger";
+import { isRecordNotFoundError } from "../../prisma.util";
+import * as errors from "../../errors";
+import { Request } from "express";
+import { plainToClass } from "class-transformer";
+import { ApiNestedQuery } from "../../decorators/api-nested-query.decorator";
+import { CustomerService } from "../customer.service";
+import { CustomerCreateInput } from "./CustomerCreateInput";
+import { CustomerWhereInput } from "./CustomerWhereInput";
+import { CustomerWhereUniqueInput } from "./CustomerWhereUniqueInput";
+import { CustomerFindManyArgs } from "./CustomerFindManyArgs";
+import { CustomerUpdateInput } from "./CustomerUpdateInput";
+import { Customer } from "./Customer";
+import { OrderFindManyArgs } from "../../order/base/OrderFindManyArgs";
+import { Order } from "../../order/base/Order";
+import { OrderWhereUniqueInput } from "../../order/base/OrderWhereUniqueInput";
+
+export class CustomerControllerBase {
+ constructor(protected readonly service: CustomerService) {}
+ @common.Post()
+ @swagger.ApiCreatedResponse({ type: Customer })
+ async create(@common.Body() data: CustomerCreateInput): Promise {
+ return await this.service.create({
+ data: {
+ ...data,
+
+ address: data.address
+ ? {
+ connect: data.address,
+ }
+ : undefined,
+ },
+ select: {
+ address: {
+ select: {
+ id: true,
+ },
+ },
+
+ createdAt: true,
+ email: true,
+ firstName: true,
+ id: true,
+ lastName: true,
+ phone: true,
+ updatedAt: true,
+ },
+ });
+ }
+
+ @common.Get()
+ @swagger.ApiOkResponse({ type: [Customer] })
+ @ApiNestedQuery(CustomerFindManyArgs)
+ async findMany(@common.Req() request: Request): Promise {
+ const args = plainToClass(CustomerFindManyArgs, request.query);
+ return this.service.findMany({
+ ...args,
+ select: {
+ address: {
+ select: {
+ id: true,
+ },
+ },
+
+ createdAt: true,
+ email: true,
+ firstName: true,
+ id: true,
+ lastName: true,
+ phone: true,
+ updatedAt: true,
+ },
+ });
+ }
+
+ @common.Get("/:id")
+ @swagger.ApiOkResponse({ type: Customer })
+ @swagger.ApiNotFoundResponse({ type: errors.NotFoundException })
+ async findOne(
+ @common.Param() params: CustomerWhereUniqueInput
+ ): Promise {
+ const result = await this.service.findOne({
+ where: params,
+ select: {
+ address: {
+ select: {
+ id: true,
+ },
+ },
+
+ createdAt: true,
+ email: true,
+ firstName: true,
+ id: true,
+ lastName: true,
+ phone: true,
+ updatedAt: true,
+ },
+ });
+ if (result === null) {
+ throw new errors.NotFoundException(
+ `No resource was found for ${JSON.stringify(params)}`
+ );
+ }
+ return result;
+ }
+
+ @common.Patch("/:id")
+ @swagger.ApiOkResponse({ type: Customer })
+ @swagger.ApiNotFoundResponse({ type: errors.NotFoundException })
+ async update(
+ @common.Param() params: CustomerWhereUniqueInput,
+ @common.Body() data: CustomerUpdateInput
+ ): Promise {
+ try {
+ return await this.service.update({
+ where: params,
+ data: {
+ ...data,
+
+ address: data.address
+ ? {
+ connect: data.address,
+ }
+ : undefined,
+ },
+ select: {
+ address: {
+ select: {
+ id: true,
+ },
+ },
+
+ createdAt: true,
+ email: true,
+ firstName: true,
+ id: true,
+ lastName: true,
+ phone: true,
+ updatedAt: true,
+ },
+ });
+ } catch (error) {
+ if (isRecordNotFoundError(error)) {
+ throw new errors.NotFoundException(
+ `No resource was found for ${JSON.stringify(params)}`
+ );
+ }
+ throw error;
+ }
+ }
+
+ @common.Delete("/:id")
+ @swagger.ApiOkResponse({ type: Customer })
+ @swagger.ApiNotFoundResponse({ type: errors.NotFoundException })
+ async delete(
+ @common.Param() params: CustomerWhereUniqueInput
+ ): Promise {
+ try {
+ return await this.service.delete({
+ where: params,
+ select: {
+ address: {
+ select: {
+ id: true,
+ },
+ },
+
+ createdAt: true,
+ email: true,
+ firstName: true,
+ id: true,
+ lastName: true,
+ phone: true,
+ updatedAt: true,
+ },
+ });
+ } catch (error) {
+ if (isRecordNotFoundError(error)) {
+ throw new errors.NotFoundException(
+ `No resource was found for ${JSON.stringify(params)}`
+ );
+ }
+ throw error;
+ }
+ }
+
+ @common.Get("/:id/orders")
+ @ApiNestedQuery(OrderFindManyArgs)
+ async findManyOrders(
+ @common.Req() request: Request,
+ @common.Param() params: CustomerWhereUniqueInput
+ ): Promise {
+ const query = plainToClass(OrderFindManyArgs, request.query);
+ const results = await this.service.findOrders(params.id, {
+ ...query,
+ select: {
+ createdAt: true,
+
+ customer: {
+ select: {
+ id: true,
+ },
+ },
+
+ discount: true,
+ id: true,
+
+ product: {
+ select: {
+ id: true,
+ },
+ },
+
+ quantity: true,
+ totalPrice: true,
+ updatedAt: true,
+ },
+ });
+ if (results === null) {
+ throw new errors.NotFoundException(
+ `No resource was found for ${JSON.stringify(params)}`
+ );
+ }
+ return results;
+ }
+
+ @common.Post("/:id/orders")
+ async connectOrders(
+ @common.Param() params: CustomerWhereUniqueInput,
+ @common.Body() body: OrderWhereUniqueInput[]
+ ): Promise {
+ const data = {
+ orders: {
+ connect: body,
+ },
+ };
+ await this.service.update({
+ where: params,
+ data,
+ select: { id: true },
+ });
+ }
+
+ @common.Patch("/:id/orders")
+ async updateOrders(
+ @common.Param() params: CustomerWhereUniqueInput,
+ @common.Body() body: OrderWhereUniqueInput[]
+ ): Promise {
+ const data = {
+ orders: {
+ set: body,
+ },
+ };
+ await this.service.update({
+ where: params,
+ data,
+ select: { id: true },
+ });
+ }
+
+ @common.Delete("/:id/orders")
+ async disconnectOrders(
+ @common.Param() params: CustomerWhereUniqueInput,
+ @common.Body() body: OrderWhereUniqueInput[]
+ ): Promise {
+ const data = {
+ orders: {
+ disconnect: body,
+ },
+ };
+ await this.service.update({
+ where: params,
+ data,
+ select: { id: true },
+ });
+ }
+}
diff --git a/apps/titiksha-agrawal/src/customer/base/customer.module.base.ts b/apps/titiksha-agrawal/src/customer/base/customer.module.base.ts
new file mode 100644
index 0000000..1bc362b
--- /dev/null
+++ b/apps/titiksha-agrawal/src/customer/base/customer.module.base.ts
@@ -0,0 +1,18 @@
+/*
+------------------------------------------------------------------------------
+This code was generated by Amplication.
+
+Changes to this file will be lost if the code is regenerated.
+
+There are other ways to to customize your code, see this doc to learn more
+https://docs.amplication.com/how-to/custom-code
+
+------------------------------------------------------------------------------
+ */
+import { Module } from "@nestjs/common";
+
+@Module({
+ imports: [],
+ exports: [],
+})
+export class CustomerModuleBase {}
diff --git a/apps/titiksha-agrawal/src/customer/base/customer.resolver.base.ts b/apps/titiksha-agrawal/src/customer/base/customer.resolver.base.ts
new file mode 100644
index 0000000..4acd0f1
--- /dev/null
+++ b/apps/titiksha-agrawal/src/customer/base/customer.resolver.base.ts
@@ -0,0 +1,147 @@
+/*
+------------------------------------------------------------------------------
+This code was generated by Amplication.
+
+Changes to this file will be lost if the code is regenerated.
+
+There are other ways to to customize your code, see this doc to learn more
+https://docs.amplication.com/how-to/custom-code
+
+------------------------------------------------------------------------------
+ */
+import * as graphql from "@nestjs/graphql";
+import { GraphQLError } from "graphql";
+import { isRecordNotFoundError } from "../../prisma.util";
+import { MetaQueryPayload } from "../../util/MetaQueryPayload";
+import { CreateCustomerArgs } from "./CreateCustomerArgs";
+import { UpdateCustomerArgs } from "./UpdateCustomerArgs";
+import { DeleteCustomerArgs } from "./DeleteCustomerArgs";
+import { CustomerCountArgs } from "./CustomerCountArgs";
+import { CustomerFindManyArgs } from "./CustomerFindManyArgs";
+import { CustomerFindUniqueArgs } from "./CustomerFindUniqueArgs";
+import { Customer } from "./Customer";
+import { OrderFindManyArgs } from "../../order/base/OrderFindManyArgs";
+import { Order } from "../../order/base/Order";
+import { Address } from "../../address/base/Address";
+import { CustomerService } from "../customer.service";
+@graphql.Resolver(() => Customer)
+export class CustomerResolverBase {
+ constructor(protected readonly service: CustomerService) {}
+
+ async _customersMeta(
+ @graphql.Args() args: CustomerCountArgs
+ ): Promise {
+ const result = await this.service.count(args);
+ return {
+ count: result,
+ };
+ }
+
+ @graphql.Query(() => [Customer])
+ async customers(
+ @graphql.Args() args: CustomerFindManyArgs
+ ): Promise {
+ return this.service.findMany(args);
+ }
+
+ @graphql.Query(() => Customer, { nullable: true })
+ async customer(
+ @graphql.Args() args: CustomerFindUniqueArgs
+ ): Promise {
+ const result = await this.service.findOne(args);
+ if (result === null) {
+ return null;
+ }
+ return result;
+ }
+
+ @graphql.Mutation(() => Customer)
+ async createCustomer(
+ @graphql.Args() args: CreateCustomerArgs
+ ): Promise {
+ return await this.service.create({
+ ...args,
+ data: {
+ ...args.data,
+
+ address: args.data.address
+ ? {
+ connect: args.data.address,
+ }
+ : undefined,
+ },
+ });
+ }
+
+ @graphql.Mutation(() => Customer)
+ async updateCustomer(
+ @graphql.Args() args: UpdateCustomerArgs
+ ): Promise {
+ try {
+ return await this.service.update({
+ ...args,
+ data: {
+ ...args.data,
+
+ address: args.data.address
+ ? {
+ connect: args.data.address,
+ }
+ : undefined,
+ },
+ });
+ } catch (error) {
+ if (isRecordNotFoundError(error)) {
+ throw new GraphQLError(
+ `No resource was found for ${JSON.stringify(args.where)}`
+ );
+ }
+ throw error;
+ }
+ }
+
+ @graphql.Mutation(() => Customer)
+ async deleteCustomer(
+ @graphql.Args() args: DeleteCustomerArgs
+ ): Promise {
+ try {
+ return await this.service.delete(args);
+ } catch (error) {
+ if (isRecordNotFoundError(error)) {
+ throw new GraphQLError(
+ `No resource was found for ${JSON.stringify(args.where)}`
+ );
+ }
+ throw error;
+ }
+ }
+
+ @graphql.ResolveField(() => [Order], { name: "orders" })
+ async resolveFieldOrders(
+ @graphql.Parent() parent: Customer,
+ @graphql.Args() args: OrderFindManyArgs
+ ): Promise {
+ const results = await this.service.findOrders(parent.id, args);
+
+ if (!results) {
+ return [];
+ }
+
+ return results;
+ }
+
+ @graphql.ResolveField(() => Address, {
+ nullable: true,
+ name: "address",
+ })
+ async resolveFieldAddress(
+ @graphql.Parent() parent: Customer
+ ): Promise {
+ const result = await this.service.getAddress(parent.id);
+
+ if (!result) {
+ return null;
+ }
+ return result;
+ }
+}
diff --git a/apps/titiksha-agrawal/src/customer/base/customer.service.base.ts b/apps/titiksha-agrawal/src/customer/base/customer.service.base.ts
new file mode 100644
index 0000000..804cf12
--- /dev/null
+++ b/apps/titiksha-agrawal/src/customer/base/customer.service.base.ts
@@ -0,0 +1,68 @@
+/*
+------------------------------------------------------------------------------
+This code was generated by Amplication.
+
+Changes to this file will be lost if the code is regenerated.
+
+There are other ways to to customize your code, see this doc to learn more
+https://docs.amplication.com/how-to/custom-code
+
+------------------------------------------------------------------------------
+ */
+import { PrismaService } from "../../prisma/prisma.service";
+import { Prisma, Customer, Order, Address } from "@prisma/client";
+
+export class CustomerServiceBase {
+ constructor(protected readonly prisma: PrismaService) {}
+
+ async count(
+ args: Prisma.SelectSubset
+ ): Promise {
+ return this.prisma.customer.count(args);
+ }
+
+ async findMany(
+ args: Prisma.SelectSubset
+ ): Promise {
+ return this.prisma.customer.findMany(args);
+ }
+ async findOne(
+ args: Prisma.SelectSubset
+ ): Promise {
+ return this.prisma.customer.findUnique(args);
+ }
+ async create(
+ args: Prisma.SelectSubset
+ ): Promise {
+ return this.prisma.customer.create(args);
+ }
+ async update(
+ args: Prisma.SelectSubset
+ ): Promise {
+ return this.prisma.customer.update(args);
+ }
+ async delete(
+ args: Prisma.SelectSubset
+ ): Promise {
+ return this.prisma.customer.delete(args);
+ }
+
+ async findOrders(
+ parentId: string,
+ args: Prisma.OrderFindManyArgs
+ ): Promise {
+ return this.prisma.customer
+ .findUniqueOrThrow({
+ where: { id: parentId },
+ })
+ .orders(args);
+ }
+
+ async getAddress(parentId: string): Promise {
+ return this.prisma.customer
+ .findUnique({
+ where: { id: parentId },
+ })
+ .address();
+ }
+}
diff --git a/apps/titiksha-agrawal/src/customer/customer.controller.ts b/apps/titiksha-agrawal/src/customer/customer.controller.ts
new file mode 100644
index 0000000..79e98ae
--- /dev/null
+++ b/apps/titiksha-agrawal/src/customer/customer.controller.ts
@@ -0,0 +1,12 @@
+import * as common from "@nestjs/common";
+import * as swagger from "@nestjs/swagger";
+import { CustomerService } from "./customer.service";
+import { CustomerControllerBase } from "./base/customer.controller.base";
+
+@swagger.ApiTags("customers")
+@common.Controller("customers")
+export class CustomerController extends CustomerControllerBase {
+ constructor(protected readonly service: CustomerService) {
+ super(service);
+ }
+}
diff --git a/apps/titiksha-agrawal/src/customer/customer.module.ts b/apps/titiksha-agrawal/src/customer/customer.module.ts
new file mode 100644
index 0000000..2115fb8
--- /dev/null
+++ b/apps/titiksha-agrawal/src/customer/customer.module.ts
@@ -0,0 +1,13 @@
+import { Module } from "@nestjs/common";
+import { CustomerModuleBase } from "./base/customer.module.base";
+import { CustomerService } from "./customer.service";
+import { CustomerController } from "./customer.controller";
+import { CustomerResolver } from "./customer.resolver";
+
+@Module({
+ imports: [CustomerModuleBase],
+ controllers: [CustomerController],
+ providers: [CustomerService, CustomerResolver],
+ exports: [CustomerService],
+})
+export class CustomerModule {}
diff --git a/apps/titiksha-agrawal/src/customer/customer.resolver.ts b/apps/titiksha-agrawal/src/customer/customer.resolver.ts
new file mode 100644
index 0000000..518bdd4
--- /dev/null
+++ b/apps/titiksha-agrawal/src/customer/customer.resolver.ts
@@ -0,0 +1,11 @@
+import * as graphql from "@nestjs/graphql";
+import { CustomerResolverBase } from "./base/customer.resolver.base";
+import { Customer } from "./base/Customer";
+import { CustomerService } from "./customer.service";
+
+@graphql.Resolver(() => Customer)
+export class CustomerResolver extends CustomerResolverBase {
+ constructor(protected readonly service: CustomerService) {
+ super(service);
+ }
+}
diff --git a/apps/titiksha-agrawal/src/customer/customer.service.ts b/apps/titiksha-agrawal/src/customer/customer.service.ts
new file mode 100644
index 0000000..534d665
--- /dev/null
+++ b/apps/titiksha-agrawal/src/customer/customer.service.ts
@@ -0,0 +1,10 @@
+import { Injectable } from "@nestjs/common";
+import { PrismaService } from "../prisma/prisma.service";
+import { CustomerServiceBase } from "./base/customer.service.base";
+
+@Injectable()
+export class CustomerService extends CustomerServiceBase {
+ constructor(protected readonly prisma: PrismaService) {
+ super(prisma);
+ }
+}
diff --git a/apps/titiksha-agrawal/src/decorators/api-nested-query.decorator.ts b/apps/titiksha-agrawal/src/decorators/api-nested-query.decorator.ts
new file mode 100644
index 0000000..9fd5ba3
--- /dev/null
+++ b/apps/titiksha-agrawal/src/decorators/api-nested-query.decorator.ts
@@ -0,0 +1,80 @@
+import { applyDecorators } from "@nestjs/common";
+import {
+ ApiExtraModels,
+ ApiQuery,
+ ApiQueryOptions,
+ getSchemaPath,
+} from "@nestjs/swagger";
+import "reflect-metadata";
+
+const generateApiQueryObject = (
+ prop: any,
+ propType: any,
+ required: boolean,
+ isArray: boolean
+): ApiQueryOptions => {
+ if (propType === Number) {
+ return {
+ required,
+ name: prop,
+ style: "deepObject",
+ explode: true,
+ type: "number",
+ isArray,
+ };
+ } else if (propType === String) {
+ return {
+ required,
+ name: prop,
+ style: "deepObject",
+ explode: true,
+ type: "string",
+ isArray,
+ };
+ } else {
+ return {
+ required,
+ name: prop,
+ style: "deepObject",
+ explode: true,
+ type: "object",
+ isArray,
+ schema: {
+ $ref: getSchemaPath(propType),
+ },
+ };
+ }
+};
+
+// eslint-disable-next-line @typescript-eslint/ban-types,@typescript-eslint/explicit-module-boundary-types,@typescript-eslint/naming-convention
+export function ApiNestedQuery(query: Function) {
+ const constructor = query.prototype;
+ const properties = Reflect.getMetadata(
+ "swagger/apiModelPropertiesArray",
+ constructor
+ ).map((prop: any) => prop.slice(1));
+
+ const decorators = properties
+ .map((property: any) => {
+ const { required, isArray } = Reflect.getMetadata(
+ "swagger/apiModelProperties",
+ constructor,
+ property
+ );
+ const propertyType = Reflect.getMetadata(
+ "design:type",
+ constructor,
+ property
+ );
+ const typedQuery = generateApiQueryObject(
+ property,
+ propertyType,
+ required,
+ isArray
+ );
+ return [ApiExtraModels(propertyType), ApiQuery(typedQuery)];
+ })
+ .flat();
+
+ return applyDecorators(...decorators);
+}
diff --git a/apps/titiksha-agrawal/src/decorators/public.decorator.ts b/apps/titiksha-agrawal/src/decorators/public.decorator.ts
new file mode 100644
index 0000000..9eab4e0
--- /dev/null
+++ b/apps/titiksha-agrawal/src/decorators/public.decorator.ts
@@ -0,0 +1,10 @@
+import { applyDecorators, SetMetadata } from "@nestjs/common";
+
+export const IS_PUBLIC_KEY = "isPublic";
+
+const PublicAuthMiddleware = SetMetadata(IS_PUBLIC_KEY, true);
+const PublicAuthSwagger = SetMetadata("swagger/apiSecurity", ["isPublic"]);
+
+// eslint-disable-next-line @typescript-eslint/explicit-module-boundary-types
+export const Public = () =>
+ applyDecorators(PublicAuthMiddleware, PublicAuthSwagger);
diff --git a/apps/titiksha-agrawal/src/errors.ts b/apps/titiksha-agrawal/src/errors.ts
new file mode 100644
index 0000000..bd1aa6d
--- /dev/null
+++ b/apps/titiksha-agrawal/src/errors.ts
@@ -0,0 +1,16 @@
+import * as common from "@nestjs/common";
+import { ApiProperty } from "@nestjs/swagger";
+
+export class ForbiddenException extends common.ForbiddenException {
+ @ApiProperty()
+ statusCode!: number;
+ @ApiProperty()
+ message!: string;
+}
+
+export class NotFoundException extends common.NotFoundException {
+ @ApiProperty()
+ statusCode!: number;
+ @ApiProperty()
+ message!: string;
+}
diff --git a/apps/titiksha-agrawal/src/filters/HttpExceptions.filter.ts b/apps/titiksha-agrawal/src/filters/HttpExceptions.filter.ts
new file mode 100644
index 0000000..f5eda8e
--- /dev/null
+++ b/apps/titiksha-agrawal/src/filters/HttpExceptions.filter.ts
@@ -0,0 +1,89 @@
+import {
+ ArgumentsHost,
+ Catch,
+ HttpException,
+ HttpServer,
+ HttpStatus,
+} from "@nestjs/common";
+import { BaseExceptionFilter } from "@nestjs/core";
+import { Prisma } from "@prisma/client";
+import { Response } from "express";
+
+export type ErrorCodesStatusMapping = {
+ [key: string]: number;
+};
+
+/**
+ * {@link PrismaClientExceptionFilter} handling {@link Prisma.PrismaClientKnownRequestError} exceptions.
+ */
+@Catch(Prisma?.PrismaClientKnownRequestError)
+export class HttpExceptionFilter extends BaseExceptionFilter {
+ /**
+ * default error codes mapping
+ *
+ * Error codes definition for Prisma Client (Query Engine)
+ * @see https://www.prisma.io/docs/reference/api-reference/error-reference#prisma-client-query-engine
+ */
+ private errorCodesStatusMapping: ErrorCodesStatusMapping = {
+ P2000: HttpStatus.BAD_REQUEST,
+ P2002: HttpStatus.CONFLICT,
+ P2025: HttpStatus.NOT_FOUND,
+ };
+
+ /**
+ * @param applicationRef
+ */
+ // eslint-disable-next-line @typescript-eslint/no-useless-constructor
+ constructor(applicationRef?: HttpServer) {
+ super(applicationRef);
+ }
+
+ /**
+ * @param exception
+ * @param host
+ * @returns
+ */
+ // eslint-disable-next-line @typescript-eslint/explicit-module-boundary-types
+ catch(exception: Prisma.PrismaClientKnownRequestError, host: ArgumentsHost) {
+ const statusCode = this.errorCodesStatusMapping[exception.code];
+ let message;
+ if (host.getType() === "http") {
+ // for http requests (REST)
+ // Todo : Add all other exception types and also add mapping
+ const ctx = host.switchToHttp();
+ const response = ctx.getResponse();
+ if (exception.code === "P2002") {
+ // Handling Unique Key Constraint Violation Error
+ const fields = (exception.meta as { target: string[] }).target;
+ message = `Another record with the requested (${fields.join(
+ ", "
+ )}) already exists`;
+ } else {
+ message =
+ `[${exception.code}]: ` +
+ this.exceptionShortMessage(exception.message);
+ }
+ if (!Object.keys(this.errorCodesStatusMapping).includes(exception.code)) {
+ return super.catch(exception, host);
+ }
+ const errorResponse = {
+ message: message,
+ statusCode: statusCode,
+ };
+ response.status(statusCode).send(errorResponse);
+ }
+ return new HttpException({ statusCode, message }, statusCode);
+ }
+
+ /**
+ * @param exception
+ * @returns short message for the exception
+ */
+ exceptionShortMessage(message: string): string {
+ const shortMessage = message.substring(message.indexOf("→"));
+ return shortMessage
+ .substring(shortMessage.indexOf("\n"))
+ .replace(/\n/g, "")
+ .trim();
+ }
+}
diff --git a/apps/titiksha-agrawal/src/health/base/health.controller.base.ts b/apps/titiksha-agrawal/src/health/base/health.controller.base.ts
new file mode 100644
index 0000000..afd9e0d
--- /dev/null
+++ b/apps/titiksha-agrawal/src/health/base/health.controller.base.ts
@@ -0,0 +1,19 @@
+import { Get, HttpStatus, Res } from "@nestjs/common";
+import { Response } from "express";
+import { HealthService } from "../health.service";
+
+export class HealthControllerBase {
+ constructor(protected readonly healthService: HealthService) {}
+ @Get("live")
+ healthLive(@Res() response: Response): Response {
+ return response.status(HttpStatus.NO_CONTENT).send();
+ }
+ @Get("ready")
+ async healthReady(@Res() response: Response): Promise> {
+ const dbConnection = await this.healthService.isDbReady();
+ if (!dbConnection) {
+ return response.status(HttpStatus.NOT_FOUND).send();
+ }
+ return response.status(HttpStatus.NO_CONTENT).send();
+ }
+}
diff --git a/apps/titiksha-agrawal/src/health/base/health.service.base.ts b/apps/titiksha-agrawal/src/health/base/health.service.base.ts
new file mode 100644
index 0000000..49a93a5
--- /dev/null
+++ b/apps/titiksha-agrawal/src/health/base/health.service.base.ts
@@ -0,0 +1,15 @@
+import { Injectable } from "@nestjs/common";
+import { PrismaService } from "../../prisma/prisma.service";
+
+@Injectable()
+export class HealthServiceBase {
+ constructor(protected readonly prisma: PrismaService) {}
+ async isDbReady(): Promise {
+ try {
+ await this.prisma.$queryRaw`SELECT 1`;
+ return true;
+ } catch (error) {
+ return false;
+ }
+ }
+}
diff --git a/apps/titiksha-agrawal/src/health/health.controller.ts b/apps/titiksha-agrawal/src/health/health.controller.ts
new file mode 100644
index 0000000..ff484e7
--- /dev/null
+++ b/apps/titiksha-agrawal/src/health/health.controller.ts
@@ -0,0 +1,10 @@
+import { Controller } from "@nestjs/common";
+import { HealthControllerBase } from "./base/health.controller.base";
+import { HealthService } from "./health.service";
+
+@Controller("_health")
+export class HealthController extends HealthControllerBase {
+ constructor(protected readonly healthService: HealthService) {
+ super(healthService);
+ }
+}
diff --git a/apps/titiksha-agrawal/src/health/health.module.ts b/apps/titiksha-agrawal/src/health/health.module.ts
new file mode 100644
index 0000000..39eff7f
--- /dev/null
+++ b/apps/titiksha-agrawal/src/health/health.module.ts
@@ -0,0 +1,10 @@
+import { Module } from "@nestjs/common";
+import { HealthController } from "./health.controller";
+import { HealthService } from "./health.service";
+
+@Module({
+ controllers: [HealthController],
+ providers: [HealthService],
+ exports: [HealthService],
+})
+export class HealthModule {}
diff --git a/apps/titiksha-agrawal/src/health/health.service.ts b/apps/titiksha-agrawal/src/health/health.service.ts
new file mode 100644
index 0000000..44d9343
--- /dev/null
+++ b/apps/titiksha-agrawal/src/health/health.service.ts
@@ -0,0 +1,10 @@
+import { Injectable } from "@nestjs/common";
+import { PrismaService } from "../prisma/prisma.service";
+import { HealthServiceBase } from "./base/health.service.base";
+
+@Injectable()
+export class HealthService extends HealthServiceBase {
+ constructor(protected readonly prisma: PrismaService) {
+ super(prisma);
+ }
+}
diff --git a/apps/titiksha-agrawal/src/main.ts b/apps/titiksha-agrawal/src/main.ts
new file mode 100644
index 0000000..474eead
--- /dev/null
+++ b/apps/titiksha-agrawal/src/main.ts
@@ -0,0 +1,53 @@
+import { ValidationPipe } from "@nestjs/common";
+import { HttpAdapterHost, NestFactory } from "@nestjs/core";
+import { OpenAPIObject, SwaggerModule } from "@nestjs/swagger";
+import { HttpExceptionFilter } from "./filters/HttpExceptions.filter";
+import { AppModule } from "./app.module";
+import { connectMicroservices } from "./connectMicroservices";
+import {
+ swaggerPath,
+ swaggerDocumentOptions,
+ swaggerSetupOptions,
+} from "./swagger";
+
+const { PORT = 3000 } = process.env;
+
+async function main() {
+ const app = await NestFactory.create(AppModule, { cors: true });
+
+ app.setGlobalPrefix("api");
+ app.useGlobalPipes(
+ new ValidationPipe({
+ transform: true,
+ forbidUnknownValues: false,
+ })
+ );
+
+ const document = SwaggerModule.createDocument(app, swaggerDocumentOptions);
+
+ /** check if there is Public decorator for each path (action) and its method (findMany / findOne) on each controller */
+ Object.values((document as OpenAPIObject).paths).forEach((path: any) => {
+ Object.values(path).forEach((method: any) => {
+ if (
+ Array.isArray(method.security) &&
+ method.security.includes("isPublic")
+ ) {
+ method.security = [];
+ }
+ });
+ });
+
+ await connectMicroservices(app);
+ await app.startAllMicroservices();
+
+ SwaggerModule.setup(swaggerPath, app, document, swaggerSetupOptions);
+
+ const { httpAdapter } = app.get(HttpAdapterHost);
+ app.useGlobalFilters(new HttpExceptionFilter(httpAdapter));
+
+ void app.listen(PORT);
+
+ return app;
+}
+
+module.exports = main();
diff --git a/apps/titiksha-agrawal/src/order/base/CreateOrderArgs.ts b/apps/titiksha-agrawal/src/order/base/CreateOrderArgs.ts
new file mode 100644
index 0000000..f320b6e
--- /dev/null
+++ b/apps/titiksha-agrawal/src/order/base/CreateOrderArgs.ts
@@ -0,0 +1,30 @@
+/*
+------------------------------------------------------------------------------
+This code was generated by Amplication.
+
+Changes to this file will be lost if the code is regenerated.
+
+There are other ways to to customize your code, see this doc to learn more
+https://docs.amplication.com/how-to/custom-code
+
+------------------------------------------------------------------------------
+ */
+import { ArgsType, Field } from "@nestjs/graphql";
+import { ApiProperty } from "@nestjs/swagger";
+import { OrderCreateInput } from "./OrderCreateInput";
+import { ValidateNested } from "class-validator";
+import { Type } from "class-transformer";
+
+@ArgsType()
+class CreateOrderArgs {
+ @ApiProperty({
+ required: true,
+ type: () => OrderCreateInput,
+ })
+ @ValidateNested()
+ @Type(() => OrderCreateInput)
+ @Field(() => OrderCreateInput, { nullable: false })
+ data!: OrderCreateInput;
+}
+
+export { CreateOrderArgs as CreateOrderArgs };
diff --git a/apps/titiksha-agrawal/src/order/base/DeleteOrderArgs.ts b/apps/titiksha-agrawal/src/order/base/DeleteOrderArgs.ts
new file mode 100644
index 0000000..b73893f
--- /dev/null
+++ b/apps/titiksha-agrawal/src/order/base/DeleteOrderArgs.ts
@@ -0,0 +1,30 @@
+/*
+------------------------------------------------------------------------------
+This code was generated by Amplication.
+
+Changes to this file will be lost if the code is regenerated.
+
+There are other ways to to customize your code, see this doc to learn more
+https://docs.amplication.com/how-to/custom-code
+
+------------------------------------------------------------------------------
+ */
+import { ArgsType, Field } from "@nestjs/graphql";
+import { ApiProperty } from "@nestjs/swagger";
+import { OrderWhereUniqueInput } from "./OrderWhereUniqueInput";
+import { ValidateNested } from "class-validator";
+import { Type } from "class-transformer";
+
+@ArgsType()
+class DeleteOrderArgs {
+ @ApiProperty({
+ required: true,
+ type: () => OrderWhereUniqueInput,
+ })
+ @ValidateNested()
+ @Type(() => OrderWhereUniqueInput)
+ @Field(() => OrderWhereUniqueInput, { nullable: false })
+ where!: OrderWhereUniqueInput;
+}
+
+export { DeleteOrderArgs as DeleteOrderArgs };
diff --git a/apps/titiksha-agrawal/src/order/base/Order.ts b/apps/titiksha-agrawal/src/order/base/Order.ts
new file mode 100644
index 0000000..634a2d1
--- /dev/null
+++ b/apps/titiksha-agrawal/src/order/base/Order.ts
@@ -0,0 +1,104 @@
+/*
+------------------------------------------------------------------------------
+This code was generated by Amplication.
+
+Changes to this file will be lost if the code is regenerated.
+
+There are other ways to to customize your code, see this doc to learn more
+https://docs.amplication.com/how-to/custom-code
+
+------------------------------------------------------------------------------
+ */
+import { ObjectType, Field } from "@nestjs/graphql";
+import { ApiProperty } from "@nestjs/swagger";
+import {
+ IsDate,
+ ValidateNested,
+ IsOptional,
+ IsNumber,
+ IsString,
+ IsInt,
+} from "class-validator";
+import { Type } from "class-transformer";
+import { Customer } from "../../customer/base/Customer";
+import { Product } from "../../product/base/Product";
+
+@ObjectType()
+class Order {
+ @ApiProperty({
+ required: true,
+ })
+ @IsDate()
+ @Type(() => Date)
+ @Field(() => Date)
+ createdAt!: Date;
+
+ @ApiProperty({
+ required: false,
+ type: () => Customer,
+ })
+ @ValidateNested()
+ @Type(() => Customer)
+ @IsOptional()
+ customer?: Customer | null;
+
+ @ApiProperty({
+ required: false,
+ type: Number,
+ })
+ @IsNumber()
+ @IsOptional()
+ @Field(() => Number, {
+ nullable: true,
+ })
+ discount!: number | null;
+
+ @ApiProperty({
+ required: true,
+ type: String,
+ })
+ @IsString()
+ @Field(() => String)
+ id!: string;
+
+ @ApiProperty({
+ required: false,
+ type: () => Product,
+ })
+ @ValidateNested()
+ @Type(() => Product)
+ @IsOptional()
+ product?: Product | null;
+
+ @ApiProperty({
+ required: false,
+ type: Number,
+ })
+ @IsInt()
+ @IsOptional()
+ @Field(() => Number, {
+ nullable: true,
+ })
+ quantity!: number | null;
+
+ @ApiProperty({
+ required: false,
+ type: Number,
+ })
+ @IsInt()
+ @IsOptional()
+ @Field(() => Number, {
+ nullable: true,
+ })
+ totalPrice!: number | null;
+
+ @ApiProperty({
+ required: true,
+ })
+ @IsDate()
+ @Type(() => Date)
+ @Field(() => Date)
+ updatedAt!: Date;
+}
+
+export { Order as Order };
diff --git a/apps/titiksha-agrawal/src/order/base/OrderCountArgs.ts b/apps/titiksha-agrawal/src/order/base/OrderCountArgs.ts
new file mode 100644
index 0000000..ef1ddad
--- /dev/null
+++ b/apps/titiksha-agrawal/src/order/base/OrderCountArgs.ts
@@ -0,0 +1,28 @@
+/*
+------------------------------------------------------------------------------
+This code was generated by Amplication.
+
+Changes to this file will be lost if the code is regenerated.
+
+There are other ways to to customize your code, see this doc to learn more
+https://docs.amplication.com/how-to/custom-code
+
+------------------------------------------------------------------------------
+ */
+import { ArgsType, Field } from "@nestjs/graphql";
+import { ApiProperty } from "@nestjs/swagger";
+import { OrderWhereInput } from "./OrderWhereInput";
+import { Type } from "class-transformer";
+
+@ArgsType()
+class OrderCountArgs {
+ @ApiProperty({
+ required: false,
+ type: () => OrderWhereInput,
+ })
+ @Field(() => OrderWhereInput, { nullable: true })
+ @Type(() => OrderWhereInput)
+ where?: OrderWhereInput;
+}
+
+export { OrderCountArgs as OrderCountArgs };
diff --git a/apps/titiksha-agrawal/src/order/base/OrderCreateInput.ts b/apps/titiksha-agrawal/src/order/base/OrderCreateInput.ts
new file mode 100644
index 0000000..35dc32b
--- /dev/null
+++ b/apps/titiksha-agrawal/src/order/base/OrderCreateInput.ts
@@ -0,0 +1,79 @@
+/*
+------------------------------------------------------------------------------
+This code was generated by Amplication.
+
+Changes to this file will be lost if the code is regenerated.
+
+There are other ways to to customize your code, see this doc to learn more
+https://docs.amplication.com/how-to/custom-code
+
+------------------------------------------------------------------------------
+ */
+import { InputType, Field } from "@nestjs/graphql";
+import { ApiProperty } from "@nestjs/swagger";
+import { CustomerWhereUniqueInput } from "../../customer/base/CustomerWhereUniqueInput";
+import { ValidateNested, IsOptional, IsNumber, IsInt } from "class-validator";
+import { Type } from "class-transformer";
+import { ProductWhereUniqueInput } from "../../product/base/ProductWhereUniqueInput";
+
+@InputType()
+class OrderCreateInput {
+ @ApiProperty({
+ required: false,
+ type: () => CustomerWhereUniqueInput,
+ })
+ @ValidateNested()
+ @Type(() => CustomerWhereUniqueInput)
+ @IsOptional()
+ @Field(() => CustomerWhereUniqueInput, {
+ nullable: true,
+ })
+ customer?: CustomerWhereUniqueInput | null;
+
+ @ApiProperty({
+ required: false,
+ type: Number,
+ })
+ @IsNumber()
+ @IsOptional()
+ @Field(() => Number, {
+ nullable: true,
+ })
+ discount?: number | null;
+
+ @ApiProperty({
+ required: false,
+ type: () => ProductWhereUniqueInput,
+ })
+ @ValidateNested()
+ @Type(() => ProductWhereUniqueInput)
+ @IsOptional()
+ @Field(() => ProductWhereUniqueInput, {
+ nullable: true,
+ })
+ product?: ProductWhereUniqueInput | null;
+
+ @ApiProperty({
+ required: false,
+ type: Number,
+ })
+ @IsInt()
+ @IsOptional()
+ @Field(() => Number, {
+ nullable: true,
+ })
+ quantity?: number | null;
+
+ @ApiProperty({
+ required: false,
+ type: Number,
+ })
+ @IsInt()
+ @IsOptional()
+ @Field(() => Number, {
+ nullable: true,
+ })
+ totalPrice?: number | null;
+}
+
+export { OrderCreateInput as OrderCreateInput };
diff --git a/apps/titiksha-agrawal/src/order/base/OrderFindManyArgs.ts b/apps/titiksha-agrawal/src/order/base/OrderFindManyArgs.ts
new file mode 100644
index 0000000..0e13627
--- /dev/null
+++ b/apps/titiksha-agrawal/src/order/base/OrderFindManyArgs.ts
@@ -0,0 +1,62 @@
+/*
+------------------------------------------------------------------------------
+This code was generated by Amplication.
+
+Changes to this file will be lost if the code is regenerated.
+
+There are other ways to to customize your code, see this doc to learn more
+https://docs.amplication.com/how-to/custom-code
+
+------------------------------------------------------------------------------
+ */
+import { ArgsType, Field } from "@nestjs/graphql";
+import { ApiProperty } from "@nestjs/swagger";
+import { OrderWhereInput } from "./OrderWhereInput";
+import { IsOptional, ValidateNested, IsInt } from "class-validator";
+import { Type } from "class-transformer";
+import { OrderOrderByInput } from "./OrderOrderByInput";
+
+@ArgsType()
+class OrderFindManyArgs {
+ @ApiProperty({
+ required: false,
+ type: () => OrderWhereInput,
+ })
+ @IsOptional()
+ @ValidateNested()
+ @Field(() => OrderWhereInput, { nullable: true })
+ @Type(() => OrderWhereInput)
+ where?: OrderWhereInput;
+
+ @ApiProperty({
+ required: false,
+ type: [OrderOrderByInput],
+ })
+ @IsOptional()
+ @ValidateNested({ each: true })
+ @Field(() => [OrderOrderByInput], { nullable: true })
+ @Type(() => OrderOrderByInput)
+ orderBy?: Array;
+
+ @ApiProperty({
+ required: false,
+ type: Number,
+ })
+ @IsOptional()
+ @IsInt()
+ @Field(() => Number, { nullable: true })
+ @Type(() => Number)
+ skip?: number;
+
+ @ApiProperty({
+ required: false,
+ type: Number,
+ })
+ @IsOptional()
+ @IsInt()
+ @Field(() => Number, { nullable: true })
+ @Type(() => Number)
+ take?: number;
+}
+
+export { OrderFindManyArgs as OrderFindManyArgs };
diff --git a/apps/titiksha-agrawal/src/order/base/OrderFindUniqueArgs.ts b/apps/titiksha-agrawal/src/order/base/OrderFindUniqueArgs.ts
new file mode 100644
index 0000000..0b330ab
--- /dev/null
+++ b/apps/titiksha-agrawal/src/order/base/OrderFindUniqueArgs.ts
@@ -0,0 +1,30 @@
+/*
+------------------------------------------------------------------------------
+This code was generated by Amplication.
+
+Changes to this file will be lost if the code is regenerated.
+
+There are other ways to to customize your code, see this doc to learn more
+https://docs.amplication.com/how-to/custom-code
+
+------------------------------------------------------------------------------
+ */
+import { ArgsType, Field } from "@nestjs/graphql";
+import { ApiProperty } from "@nestjs/swagger";
+import { OrderWhereUniqueInput } from "./OrderWhereUniqueInput";
+import { ValidateNested } from "class-validator";
+import { Type } from "class-transformer";
+
+@ArgsType()
+class OrderFindUniqueArgs {
+ @ApiProperty({
+ required: true,
+ type: () => OrderWhereUniqueInput,
+ })
+ @ValidateNested()
+ @Type(() => OrderWhereUniqueInput)
+ @Field(() => OrderWhereUniqueInput, { nullable: false })
+ where!: OrderWhereUniqueInput;
+}
+
+export { OrderFindUniqueArgs as OrderFindUniqueArgs };
diff --git a/apps/titiksha-agrawal/src/order/base/OrderListRelationFilter.ts b/apps/titiksha-agrawal/src/order/base/OrderListRelationFilter.ts
new file mode 100644
index 0000000..0ecb03a
--- /dev/null
+++ b/apps/titiksha-agrawal/src/order/base/OrderListRelationFilter.ts
@@ -0,0 +1,56 @@
+/*
+------------------------------------------------------------------------------
+This code was generated by Amplication.
+
+Changes to this file will be lost if the code is regenerated.
+
+There are other ways to to customize your code, see this doc to learn more
+https://docs.amplication.com/how-to/custom-code
+
+------------------------------------------------------------------------------
+ */
+import { InputType, Field } from "@nestjs/graphql";
+import { ApiProperty } from "@nestjs/swagger";
+import { OrderWhereInput } from "./OrderWhereInput";
+import { ValidateNested, IsOptional } from "class-validator";
+import { Type } from "class-transformer";
+
+@InputType()
+class OrderListRelationFilter {
+ @ApiProperty({
+ required: false,
+ type: () => OrderWhereInput,
+ })
+ @ValidateNested()
+ @Type(() => OrderWhereInput)
+ @IsOptional()
+ @Field(() => OrderWhereInput, {
+ nullable: true,
+ })
+ every?: OrderWhereInput;
+
+ @ApiProperty({
+ required: false,
+ type: () => OrderWhereInput,
+ })
+ @ValidateNested()
+ @Type(() => OrderWhereInput)
+ @IsOptional()
+ @Field(() => OrderWhereInput, {
+ nullable: true,
+ })
+ some?: OrderWhereInput;
+
+ @ApiProperty({
+ required: false,
+ type: () => OrderWhereInput,
+ })
+ @ValidateNested()
+ @Type(() => OrderWhereInput)
+ @IsOptional()
+ @Field(() => OrderWhereInput, {
+ nullable: true,
+ })
+ none?: OrderWhereInput;
+}
+export { OrderListRelationFilter as OrderListRelationFilter };
diff --git a/apps/titiksha-agrawal/src/order/base/OrderOrderByInput.ts b/apps/titiksha-agrawal/src/order/base/OrderOrderByInput.ts
new file mode 100644
index 0000000..9c674b4
--- /dev/null
+++ b/apps/titiksha-agrawal/src/order/base/OrderOrderByInput.ts
@@ -0,0 +1,111 @@
+/*
+------------------------------------------------------------------------------
+This code was generated by Amplication.
+
+Changes to this file will be lost if the code is regenerated.
+
+There are other ways to to customize your code, see this doc to learn more
+https://docs.amplication.com/how-to/custom-code
+
+------------------------------------------------------------------------------
+ */
+import { InputType, Field } from "@nestjs/graphql";
+import { ApiProperty } from "@nestjs/swagger";
+import { IsOptional, IsEnum } from "class-validator";
+import { SortOrder } from "../../util/SortOrder";
+
+@InputType({
+ isAbstract: true,
+ description: undefined,
+})
+class OrderOrderByInput {
+ @ApiProperty({
+ required: false,
+ enum: ["asc", "desc"],
+ })
+ @IsOptional()
+ @IsEnum(SortOrder)
+ @Field(() => SortOrder, {
+ nullable: true,
+ })
+ createdAt?: SortOrder;
+
+ @ApiProperty({
+ required: false,
+ enum: ["asc", "desc"],
+ })
+ @IsOptional()
+ @IsEnum(SortOrder)
+ @Field(() => SortOrder, {
+ nullable: true,
+ })
+ customerId?: SortOrder;
+
+ @ApiProperty({
+ required: false,
+ enum: ["asc", "desc"],
+ })
+ @IsOptional()
+ @IsEnum(SortOrder)
+ @Field(() => SortOrder, {
+ nullable: true,
+ })
+ discount?: SortOrder;
+
+ @ApiProperty({
+ required: false,
+ enum: ["asc", "desc"],
+ })
+ @IsOptional()
+ @IsEnum(SortOrder)
+ @Field(() => SortOrder, {
+ nullable: true,
+ })
+ id?: SortOrder;
+
+ @ApiProperty({
+ required: false,
+ enum: ["asc", "desc"],
+ })
+ @IsOptional()
+ @IsEnum(SortOrder)
+ @Field(() => SortOrder, {
+ nullable: true,
+ })
+ productId?: SortOrder;
+
+ @ApiProperty({
+ required: false,
+ enum: ["asc", "desc"],
+ })
+ @IsOptional()
+ @IsEnum(SortOrder)
+ @Field(() => SortOrder, {
+ nullable: true,
+ })
+ quantity?: SortOrder;
+
+ @ApiProperty({
+ required: false,
+ enum: ["asc", "desc"],
+ })
+ @IsOptional()
+ @IsEnum(SortOrder)
+ @Field(() => SortOrder, {
+ nullable: true,
+ })
+ totalPrice?: SortOrder;
+
+ @ApiProperty({
+ required: false,
+ enum: ["asc", "desc"],
+ })
+ @IsOptional()
+ @IsEnum(SortOrder)
+ @Field(() => SortOrder, {
+ nullable: true,
+ })
+ updatedAt?: SortOrder;
+}
+
+export { OrderOrderByInput as OrderOrderByInput };
diff --git a/apps/titiksha-agrawal/src/order/base/OrderUpdateInput.ts b/apps/titiksha-agrawal/src/order/base/OrderUpdateInput.ts
new file mode 100644
index 0000000..6749f39
--- /dev/null
+++ b/apps/titiksha-agrawal/src/order/base/OrderUpdateInput.ts
@@ -0,0 +1,79 @@
+/*
+------------------------------------------------------------------------------
+This code was generated by Amplication.
+
+Changes to this file will be lost if the code is regenerated.
+
+There are other ways to to customize your code, see this doc to learn more
+https://docs.amplication.com/how-to/custom-code
+
+------------------------------------------------------------------------------
+ */
+import { InputType, Field } from "@nestjs/graphql";
+import { ApiProperty } from "@nestjs/swagger";
+import { CustomerWhereUniqueInput } from "../../customer/base/CustomerWhereUniqueInput";
+import { ValidateNested, IsOptional, IsNumber, IsInt } from "class-validator";
+import { Type } from "class-transformer";
+import { ProductWhereUniqueInput } from "../../product/base/ProductWhereUniqueInput";
+
+@InputType()
+class OrderUpdateInput {
+ @ApiProperty({
+ required: false,
+ type: () => CustomerWhereUniqueInput,
+ })
+ @ValidateNested()
+ @Type(() => CustomerWhereUniqueInput)
+ @IsOptional()
+ @Field(() => CustomerWhereUniqueInput, {
+ nullable: true,
+ })
+ customer?: CustomerWhereUniqueInput | null;
+
+ @ApiProperty({
+ required: false,
+ type: Number,
+ })
+ @IsNumber()
+ @IsOptional()
+ @Field(() => Number, {
+ nullable: true,
+ })
+ discount?: number | null;
+
+ @ApiProperty({
+ required: false,
+ type: () => ProductWhereUniqueInput,
+ })
+ @ValidateNested()
+ @Type(() => ProductWhereUniqueInput)
+ @IsOptional()
+ @Field(() => ProductWhereUniqueInput, {
+ nullable: true,
+ })
+ product?: ProductWhereUniqueInput | null;
+
+ @ApiProperty({
+ required: false,
+ type: Number,
+ })
+ @IsInt()
+ @IsOptional()
+ @Field(() => Number, {
+ nullable: true,
+ })
+ quantity?: number | null;
+
+ @ApiProperty({
+ required: false,
+ type: Number,
+ })
+ @IsInt()
+ @IsOptional()
+ @Field(() => Number, {
+ nullable: true,
+ })
+ totalPrice?: number | null;
+}
+
+export { OrderUpdateInput as OrderUpdateInput };
diff --git a/apps/titiksha-agrawal/src/order/base/OrderWhereInput.ts b/apps/titiksha-agrawal/src/order/base/OrderWhereInput.ts
new file mode 100644
index 0000000..376134b
--- /dev/null
+++ b/apps/titiksha-agrawal/src/order/base/OrderWhereInput.ts
@@ -0,0 +1,93 @@
+/*
+------------------------------------------------------------------------------
+This code was generated by Amplication.
+
+Changes to this file will be lost if the code is regenerated.
+
+There are other ways to to customize your code, see this doc to learn more
+https://docs.amplication.com/how-to/custom-code
+
+------------------------------------------------------------------------------
+ */
+import { InputType, Field } from "@nestjs/graphql";
+import { ApiProperty } from "@nestjs/swagger";
+import { CustomerWhereUniqueInput } from "../../customer/base/CustomerWhereUniqueInput";
+import { ValidateNested, IsOptional } from "class-validator";
+import { Type } from "class-transformer";
+import { FloatNullableFilter } from "../../util/FloatNullableFilter";
+import { StringFilter } from "../../util/StringFilter";
+import { ProductWhereUniqueInput } from "../../product/base/ProductWhereUniqueInput";
+import { IntNullableFilter } from "../../util/IntNullableFilter";
+
+@InputType()
+class OrderWhereInput {
+ @ApiProperty({
+ required: false,
+ type: () => CustomerWhereUniqueInput,
+ })
+ @ValidateNested()
+ @Type(() => CustomerWhereUniqueInput)
+ @IsOptional()
+ @Field(() => CustomerWhereUniqueInput, {
+ nullable: true,
+ })
+ customer?: CustomerWhereUniqueInput;
+
+ @ApiProperty({
+ required: false,
+ type: FloatNullableFilter,
+ })
+ @Type(() => FloatNullableFilter)
+ @IsOptional()
+ @Field(() => FloatNullableFilter, {
+ nullable: true,
+ })
+ discount?: FloatNullableFilter;
+
+ @ApiProperty({
+ required: false,
+ type: StringFilter,
+ })
+ @Type(() => StringFilter)
+ @IsOptional()
+ @Field(() => StringFilter, {
+ nullable: true,
+ })
+ id?: StringFilter;
+
+ @ApiProperty({
+ required: false,
+ type: () => ProductWhereUniqueInput,
+ })
+ @ValidateNested()
+ @Type(() => ProductWhereUniqueInput)
+ @IsOptional()
+ @Field(() => ProductWhereUniqueInput, {
+ nullable: true,
+ })
+ product?: ProductWhereUniqueInput;
+
+ @ApiProperty({
+ required: false,
+ type: IntNullableFilter,
+ })
+ @Type(() => IntNullableFilter)
+ @IsOptional()
+ @Field(() => IntNullableFilter, {
+ nullable: true,
+ })
+ quantity?: IntNullableFilter;
+
+ @ApiProperty({
+ required: false,
+ type: IntNullableFilter,
+ })
+ @Type(() => IntNullableFilter)
+ @IsOptional()
+ @Field(() => IntNullableFilter, {
+ nullable: true,
+ })
+ totalPrice?: IntNullableFilter;
+}
+
+export { OrderWhereInput as OrderWhereInput };
diff --git a/apps/titiksha-agrawal/src/order/base/OrderWhereUniqueInput.ts b/apps/titiksha-agrawal/src/order/base/OrderWhereUniqueInput.ts
new file mode 100644
index 0000000..04690e2
--- /dev/null
+++ b/apps/titiksha-agrawal/src/order/base/OrderWhereUniqueInput.ts
@@ -0,0 +1,27 @@
+/*
+------------------------------------------------------------------------------
+This code was generated by Amplication.
+
+Changes to this file will be lost if the code is regenerated.
+
+There are other ways to to customize your code, see this doc to learn more
+https://docs.amplication.com/how-to/custom-code
+
+------------------------------------------------------------------------------
+ */
+import { InputType, Field } from "@nestjs/graphql";
+import { ApiProperty } from "@nestjs/swagger";
+import { IsString } from "class-validator";
+
+@InputType()
+class OrderWhereUniqueInput {
+ @ApiProperty({
+ required: true,
+ type: String,
+ })
+ @IsString()
+ @Field(() => String)
+ id!: string;
+}
+
+export { OrderWhereUniqueInput as OrderWhereUniqueInput };
diff --git a/apps/titiksha-agrawal/src/order/base/UpdateOrderArgs.ts b/apps/titiksha-agrawal/src/order/base/UpdateOrderArgs.ts
new file mode 100644
index 0000000..8eed9f2
--- /dev/null
+++ b/apps/titiksha-agrawal/src/order/base/UpdateOrderArgs.ts
@@ -0,0 +1,40 @@
+/*
+------------------------------------------------------------------------------
+This code was generated by Amplication.
+
+Changes to this file will be lost if the code is regenerated.
+
+There are other ways to to customize your code, see this doc to learn more
+https://docs.amplication.com/how-to/custom-code
+
+------------------------------------------------------------------------------
+ */
+import { ArgsType, Field } from "@nestjs/graphql";
+import { ApiProperty } from "@nestjs/swagger";
+import { OrderWhereUniqueInput } from "./OrderWhereUniqueInput";
+import { ValidateNested } from "class-validator";
+import { Type } from "class-transformer";
+import { OrderUpdateInput } from "./OrderUpdateInput";
+
+@ArgsType()
+class UpdateOrderArgs {
+ @ApiProperty({
+ required: true,
+ type: () => OrderWhereUniqueInput,
+ })
+ @ValidateNested()
+ @Type(() => OrderWhereUniqueInput)
+ @Field(() => OrderWhereUniqueInput, { nullable: false })
+ where!: OrderWhereUniqueInput;
+
+ @ApiProperty({
+ required: true,
+ type: () => OrderUpdateInput,
+ })
+ @ValidateNested()
+ @Type(() => OrderUpdateInput)
+ @Field(() => OrderUpdateInput, { nullable: false })
+ data!: OrderUpdateInput;
+}
+
+export { UpdateOrderArgs as UpdateOrderArgs };
diff --git a/apps/titiksha-agrawal/src/order/base/order.controller.base.spec.ts b/apps/titiksha-agrawal/src/order/base/order.controller.base.spec.ts
new file mode 100644
index 0000000..4fe8e21
--- /dev/null
+++ b/apps/titiksha-agrawal/src/order/base/order.controller.base.spec.ts
@@ -0,0 +1,202 @@
+import { Test } from "@nestjs/testing";
+import {
+ INestApplication,
+ HttpStatus,
+ ExecutionContext,
+ CallHandler,
+} from "@nestjs/common";
+import request from "supertest";
+import { ACGuard } from "nest-access-control";
+import { DefaultAuthGuard } from "../../auth/defaultAuth.guard";
+import { ACLModule } from "../../auth/acl.module";
+import { AclFilterResponseInterceptor } from "../../interceptors/aclFilterResponse.interceptor";
+import { AclValidateRequestInterceptor } from "../../interceptors/aclValidateRequest.interceptor";
+import { map } from "rxjs";
+import { OrderController } from "../order.controller";
+import { OrderService } from "../order.service";
+
+const nonExistingId = "nonExistingId";
+const existingId = "existingId";
+const CREATE_INPUT = {
+ createdAt: new Date(),
+ discount: 42.42,
+ id: "exampleId",
+ quantity: 42,
+ totalPrice: 42,
+ updatedAt: new Date(),
+};
+const CREATE_RESULT = {
+ createdAt: new Date(),
+ discount: 42.42,
+ id: "exampleId",
+ quantity: 42,
+ totalPrice: 42,
+ updatedAt: new Date(),
+};
+const FIND_MANY_RESULT = [
+ {
+ createdAt: new Date(),
+ discount: 42.42,
+ id: "exampleId",
+ quantity: 42,
+ totalPrice: 42,
+ updatedAt: new Date(),
+ },
+];
+const FIND_ONE_RESULT = {
+ createdAt: new Date(),
+ discount: 42.42,
+ id: "exampleId",
+ quantity: 42,
+ totalPrice: 42,
+ updatedAt: new Date(),
+};
+
+const service = {
+ create() {
+ return CREATE_RESULT;
+ },
+ findMany: () => FIND_MANY_RESULT,
+ findOne: ({ where }: { where: { id: string } }) => {
+ switch (where.id) {
+ case existingId:
+ return FIND_ONE_RESULT;
+ case nonExistingId:
+ return null;
+ }
+ },
+};
+
+const basicAuthGuard = {
+ canActivate: (context: ExecutionContext) => {
+ const argumentHost = context.switchToHttp();
+ const request = argumentHost.getRequest();
+ request.user = {
+ roles: ["user"],
+ };
+ return true;
+ },
+};
+
+const acGuard = {
+ canActivate: () => {
+ return true;
+ },
+};
+
+const aclFilterResponseInterceptor = {
+ intercept: (context: ExecutionContext, next: CallHandler) => {
+ return next.handle().pipe(
+ map((data) => {
+ return data;
+ })
+ );
+ },
+};
+const aclValidateRequestInterceptor = {
+ intercept: (context: ExecutionContext, next: CallHandler) => {
+ return next.handle();
+ },
+};
+
+describe("Order", () => {
+ let app: INestApplication;
+
+ beforeAll(async () => {
+ const moduleRef = await Test.createTestingModule({
+ providers: [
+ {
+ provide: OrderService,
+ useValue: service,
+ },
+ ],
+ controllers: [OrderController],
+ imports: [ACLModule],
+ })
+ .overrideGuard(DefaultAuthGuard)
+ .useValue(basicAuthGuard)
+ .overrideGuard(ACGuard)
+ .useValue(acGuard)
+ .overrideInterceptor(AclFilterResponseInterceptor)
+ .useValue(aclFilterResponseInterceptor)
+ .overrideInterceptor(AclValidateRequestInterceptor)
+ .useValue(aclValidateRequestInterceptor)
+ .compile();
+
+ app = moduleRef.createNestApplication();
+ await app.init();
+ });
+
+ test("POST /orders", async () => {
+ await request(app.getHttpServer())
+ .post("/orders")
+ .send(CREATE_INPUT)
+ .expect(HttpStatus.CREATED)
+ .expect({
+ ...CREATE_RESULT,
+ createdAt: CREATE_RESULT.createdAt.toISOString(),
+ updatedAt: CREATE_RESULT.updatedAt.toISOString(),
+ });
+ });
+
+ test("GET /orders", async () => {
+ await request(app.getHttpServer())
+ .get("/orders")
+ .expect(HttpStatus.OK)
+ .expect([
+ {
+ ...FIND_MANY_RESULT[0],
+ createdAt: FIND_MANY_RESULT[0].createdAt.toISOString(),
+ updatedAt: FIND_MANY_RESULT[0].updatedAt.toISOString(),
+ },
+ ]);
+ });
+
+ test("GET /orders/:id non existing", async () => {
+ await request(app.getHttpServer())
+ .get(`${"/orders"}/${nonExistingId}`)
+ .expect(HttpStatus.NOT_FOUND)
+ .expect({
+ statusCode: HttpStatus.NOT_FOUND,
+ message: `No resource was found for {"${"id"}":"${nonExistingId}"}`,
+ error: "Not Found",
+ });
+ });
+
+ test("GET /orders/:id existing", async () => {
+ await request(app.getHttpServer())
+ .get(`${"/orders"}/${existingId}`)
+ .expect(HttpStatus.OK)
+ .expect({
+ ...FIND_ONE_RESULT,
+ createdAt: FIND_ONE_RESULT.createdAt.toISOString(),
+ updatedAt: FIND_ONE_RESULT.updatedAt.toISOString(),
+ });
+ });
+
+ test("POST /orders existing resource", async () => {
+ const agent = request(app.getHttpServer());
+ await agent
+ .post("/orders")
+ .send(CREATE_INPUT)
+ .expect(HttpStatus.CREATED)
+ .expect({
+ ...CREATE_RESULT,
+ createdAt: CREATE_RESULT.createdAt.toISOString(),
+ updatedAt: CREATE_RESULT.updatedAt.toISOString(),
+ })
+ .then(function () {
+ agent
+ .post("/orders")
+ .send(CREATE_INPUT)
+ .expect(HttpStatus.CONFLICT)
+ .expect({
+ statusCode: HttpStatus.CONFLICT,
+ });
+ });
+ });
+
+ afterAll(async () => {
+ await app.close();
+ });
+});
diff --git a/apps/titiksha-agrawal/src/order/base/order.controller.base.ts b/apps/titiksha-agrawal/src/order/base/order.controller.base.ts
new file mode 100644
index 0000000..01de914
--- /dev/null
+++ b/apps/titiksha-agrawal/src/order/base/order.controller.base.ts
@@ -0,0 +1,243 @@
+/*
+------------------------------------------------------------------------------
+This code was generated by Amplication.
+
+Changes to this file will be lost if the code is regenerated.
+
+There are other ways to to customize your code, see this doc to learn more
+https://docs.amplication.com/how-to/custom-code
+
+------------------------------------------------------------------------------
+ */
+import * as common from "@nestjs/common";
+import * as swagger from "@nestjs/swagger";
+import { isRecordNotFoundError } from "../../prisma.util";
+import * as errors from "../../errors";
+import { Request } from "express";
+import { plainToClass } from "class-transformer";
+import { ApiNestedQuery } from "../../decorators/api-nested-query.decorator";
+import { OrderService } from "../order.service";
+import { OrderCreateInput } from "./OrderCreateInput";
+import { OrderWhereInput } from "./OrderWhereInput";
+import { OrderWhereUniqueInput } from "./OrderWhereUniqueInput";
+import { OrderFindManyArgs } from "./OrderFindManyArgs";
+import { OrderUpdateInput } from "./OrderUpdateInput";
+import { Order } from "./Order";
+
+export class OrderControllerBase {
+ constructor(protected readonly service: OrderService) {}
+ @common.Post()
+ @swagger.ApiCreatedResponse({ type: Order })
+ async create(@common.Body() data: OrderCreateInput): Promise {
+ return await this.service.create({
+ data: {
+ ...data,
+
+ customer: data.customer
+ ? {
+ connect: data.customer,
+ }
+ : undefined,
+
+ product: data.product
+ ? {
+ connect: data.product,
+ }
+ : undefined,
+ },
+ select: {
+ createdAt: true,
+
+ customer: {
+ select: {
+ id: true,
+ },
+ },
+
+ discount: true,
+ id: true,
+
+ product: {
+ select: {
+ id: true,
+ },
+ },
+
+ quantity: true,
+ totalPrice: true,
+ updatedAt: true,
+ },
+ });
+ }
+
+ @common.Get()
+ @swagger.ApiOkResponse({ type: [Order] })
+ @ApiNestedQuery(OrderFindManyArgs)
+ async findMany(@common.Req() request: Request): Promise {
+ const args = plainToClass(OrderFindManyArgs, request.query);
+ return this.service.findMany({
+ ...args,
+ select: {
+ createdAt: true,
+
+ customer: {
+ select: {
+ id: true,
+ },
+ },
+
+ discount: true,
+ id: true,
+
+ product: {
+ select: {
+ id: true,
+ },
+ },
+
+ quantity: true,
+ totalPrice: true,
+ updatedAt: true,
+ },
+ });
+ }
+
+ @common.Get("/:id")
+ @swagger.ApiOkResponse({ type: Order })
+ @swagger.ApiNotFoundResponse({ type: errors.NotFoundException })
+ async findOne(
+ @common.Param() params: OrderWhereUniqueInput
+ ): Promise {
+ const result = await this.service.findOne({
+ where: params,
+ select: {
+ createdAt: true,
+
+ customer: {
+ select: {
+ id: true,
+ },
+ },
+
+ discount: true,
+ id: true,
+
+ product: {
+ select: {
+ id: true,
+ },
+ },
+
+ quantity: true,
+ totalPrice: true,
+ updatedAt: true,
+ },
+ });
+ if (result === null) {
+ throw new errors.NotFoundException(
+ `No resource was found for ${JSON.stringify(params)}`
+ );
+ }
+ return result;
+ }
+
+ @common.Patch("/:id")
+ @swagger.ApiOkResponse({ type: Order })
+ @swagger.ApiNotFoundResponse({ type: errors.NotFoundException })
+ async update(
+ @common.Param() params: OrderWhereUniqueInput,
+ @common.Body() data: OrderUpdateInput
+ ): Promise {
+ try {
+ return await this.service.update({
+ where: params,
+ data: {
+ ...data,
+
+ customer: data.customer
+ ? {
+ connect: data.customer,
+ }
+ : undefined,
+
+ product: data.product
+ ? {
+ connect: data.product,
+ }
+ : undefined,
+ },
+ select: {
+ createdAt: true,
+
+ customer: {
+ select: {
+ id: true,
+ },
+ },
+
+ discount: true,
+ id: true,
+
+ product: {
+ select: {
+ id: true,
+ },
+ },
+
+ quantity: true,
+ totalPrice: true,
+ updatedAt: true,
+ },
+ });
+ } catch (error) {
+ if (isRecordNotFoundError(error)) {
+ throw new errors.NotFoundException(
+ `No resource was found for ${JSON.stringify(params)}`
+ );
+ }
+ throw error;
+ }
+ }
+
+ @common.Delete("/:id")
+ @swagger.ApiOkResponse({ type: Order })
+ @swagger.ApiNotFoundResponse({ type: errors.NotFoundException })
+ async delete(
+ @common.Param() params: OrderWhereUniqueInput
+ ): Promise {
+ try {
+ return await this.service.delete({
+ where: params,
+ select: {
+ createdAt: true,
+
+ customer: {
+ select: {
+ id: true,
+ },
+ },
+
+ discount: true,
+ id: true,
+
+ product: {
+ select: {
+ id: true,
+ },
+ },
+
+ quantity: true,
+ totalPrice: true,
+ updatedAt: true,
+ },
+ });
+ } catch (error) {
+ if (isRecordNotFoundError(error)) {
+ throw new errors.NotFoundException(
+ `No resource was found for ${JSON.stringify(params)}`
+ );
+ }
+ throw error;
+ }
+ }
+}
diff --git a/apps/titiksha-agrawal/src/order/base/order.module.base.ts b/apps/titiksha-agrawal/src/order/base/order.module.base.ts
new file mode 100644
index 0000000..1da1bd9
--- /dev/null
+++ b/apps/titiksha-agrawal/src/order/base/order.module.base.ts
@@ -0,0 +1,18 @@
+/*
+------------------------------------------------------------------------------
+This code was generated by Amplication.
+
+Changes to this file will be lost if the code is regenerated.
+
+There are other ways to to customize your code, see this doc to learn more
+https://docs.amplication.com/how-to/custom-code
+
+------------------------------------------------------------------------------
+ */
+import { Module } from "@nestjs/common";
+
+@Module({
+ imports: [],
+ exports: [],
+})
+export class OrderModuleBase {}
diff --git a/apps/titiksha-agrawal/src/order/base/order.resolver.base.ts b/apps/titiksha-agrawal/src/order/base/order.resolver.base.ts
new file mode 100644
index 0000000..e3cdd30
--- /dev/null
+++ b/apps/titiksha-agrawal/src/order/base/order.resolver.base.ts
@@ -0,0 +1,155 @@
+/*
+------------------------------------------------------------------------------
+This code was generated by Amplication.
+
+Changes to this file will be lost if the code is regenerated.
+
+There are other ways to to customize your code, see this doc to learn more
+https://docs.amplication.com/how-to/custom-code
+
+------------------------------------------------------------------------------
+ */
+import * as graphql from "@nestjs/graphql";
+import { GraphQLError } from "graphql";
+import { isRecordNotFoundError } from "../../prisma.util";
+import { MetaQueryPayload } from "../../util/MetaQueryPayload";
+import { CreateOrderArgs } from "./CreateOrderArgs";
+import { UpdateOrderArgs } from "./UpdateOrderArgs";
+import { DeleteOrderArgs } from "./DeleteOrderArgs";
+import { OrderCountArgs } from "./OrderCountArgs";
+import { OrderFindManyArgs } from "./OrderFindManyArgs";
+import { OrderFindUniqueArgs } from "./OrderFindUniqueArgs";
+import { Order } from "./Order";
+import { Customer } from "../../customer/base/Customer";
+import { Product } from "../../product/base/Product";
+import { OrderService } from "../order.service";
+@graphql.Resolver(() => Order)
+export class OrderResolverBase {
+ constructor(protected readonly service: OrderService) {}
+
+ async _ordersMeta(
+ @graphql.Args() args: OrderCountArgs
+ ): Promise {
+ const result = await this.service.count(args);
+ return {
+ count: result,
+ };
+ }
+
+ @graphql.Query(() => [Order])
+ async orders(@graphql.Args() args: OrderFindManyArgs): Promise {
+ return this.service.findMany(args);
+ }
+
+ @graphql.Query(() => Order, { nullable: true })
+ async order(
+ @graphql.Args() args: OrderFindUniqueArgs
+ ): Promise {
+ const result = await this.service.findOne(args);
+ if (result === null) {
+ return null;
+ }
+ return result;
+ }
+
+ @graphql.Mutation(() => Order)
+ async createOrder(@graphql.Args() args: CreateOrderArgs): Promise {
+ return await this.service.create({
+ ...args,
+ data: {
+ ...args.data,
+
+ customer: args.data.customer
+ ? {
+ connect: args.data.customer,
+ }
+ : undefined,
+
+ product: args.data.product
+ ? {
+ connect: args.data.product,
+ }
+ : undefined,
+ },
+ });
+ }
+
+ @graphql.Mutation(() => Order)
+ async updateOrder(
+ @graphql.Args() args: UpdateOrderArgs
+ ): Promise {
+ try {
+ return await this.service.update({
+ ...args,
+ data: {
+ ...args.data,
+
+ customer: args.data.customer
+ ? {
+ connect: args.data.customer,
+ }
+ : undefined,
+
+ product: args.data.product
+ ? {
+ connect: args.data.product,
+ }
+ : undefined,
+ },
+ });
+ } catch (error) {
+ if (isRecordNotFoundError(error)) {
+ throw new GraphQLError(
+ `No resource was found for ${JSON.stringify(args.where)}`
+ );
+ }
+ throw error;
+ }
+ }
+
+ @graphql.Mutation(() => Order)
+ async deleteOrder(
+ @graphql.Args() args: DeleteOrderArgs
+ ): Promise {
+ try {
+ return await this.service.delete(args);
+ } catch (error) {
+ if (isRecordNotFoundError(error)) {
+ throw new GraphQLError(
+ `No resource was found for ${JSON.stringify(args.where)}`
+ );
+ }
+ throw error;
+ }
+ }
+
+ @graphql.ResolveField(() => Customer, {
+ nullable: true,
+ name: "customer",
+ })
+ async resolveFieldCustomer(
+ @graphql.Parent() parent: Order
+ ): Promise {
+ const result = await this.service.getCustomer(parent.id);
+
+ if (!result) {
+ return null;
+ }
+ return result;
+ }
+
+ @graphql.ResolveField(() => Product, {
+ nullable: true,
+ name: "product",
+ })
+ async resolveFieldProduct(
+ @graphql.Parent() parent: Order
+ ): Promise {
+ const result = await this.service.getProduct(parent.id);
+
+ if (!result) {
+ return null;
+ }
+ return result;
+ }
+}
diff --git a/apps/titiksha-agrawal/src/order/base/order.service.base.ts b/apps/titiksha-agrawal/src/order/base/order.service.base.ts
new file mode 100644
index 0000000..a3a53cc
--- /dev/null
+++ b/apps/titiksha-agrawal/src/order/base/order.service.base.ts
@@ -0,0 +1,65 @@
+/*
+------------------------------------------------------------------------------
+This code was generated by Amplication.
+
+Changes to this file will be lost if the code is regenerated.
+
+There are other ways to to customize your code, see this doc to learn more
+https://docs.amplication.com/how-to/custom-code
+
+------------------------------------------------------------------------------
+ */
+import { PrismaService } from "../../prisma/prisma.service";
+import { Prisma, Order, Customer, Product } from "@prisma/client";
+
+export class OrderServiceBase {
+ constructor(protected readonly prisma: PrismaService) {}
+
+ async count(
+ args: Prisma.SelectSubset
+ ): Promise {
+ return this.prisma.order.count(args);
+ }
+
+ async findMany(
+ args: Prisma.SelectSubset
+ ): Promise {
+ return this.prisma.order.findMany(args);
+ }
+ async findOne(
+ args: Prisma.SelectSubset
+ ): Promise {
+ return this.prisma.order.findUnique(args);
+ }
+ async create(
+ args: Prisma.SelectSubset
+ ): Promise {
+ return this.prisma.order.create(args);
+ }
+ async update(
+ args: Prisma.SelectSubset
+ ): Promise {
+ return this.prisma.order.update(args);
+ }
+ async delete(
+ args: Prisma.SelectSubset
+ ): Promise {
+ return this.prisma.order.delete(args);
+ }
+
+ async getCustomer(parentId: string): Promise {
+ return this.prisma.order
+ .findUnique({
+ where: { id: parentId },
+ })
+ .customer();
+ }
+
+ async getProduct(parentId: string): Promise {
+ return this.prisma.order
+ .findUnique({
+ where: { id: parentId },
+ })
+ .product();
+ }
+}
diff --git a/apps/titiksha-agrawal/src/order/order.controller.ts b/apps/titiksha-agrawal/src/order/order.controller.ts
new file mode 100644
index 0000000..9be8f51
--- /dev/null
+++ b/apps/titiksha-agrawal/src/order/order.controller.ts
@@ -0,0 +1,12 @@
+import * as common from "@nestjs/common";
+import * as swagger from "@nestjs/swagger";
+import { OrderService } from "./order.service";
+import { OrderControllerBase } from "./base/order.controller.base";
+
+@swagger.ApiTags("orders")
+@common.Controller("orders")
+export class OrderController extends OrderControllerBase {
+ constructor(protected readonly service: OrderService) {
+ super(service);
+ }
+}
diff --git a/apps/titiksha-agrawal/src/order/order.module.ts b/apps/titiksha-agrawal/src/order/order.module.ts
new file mode 100644
index 0000000..dc23d79
--- /dev/null
+++ b/apps/titiksha-agrawal/src/order/order.module.ts
@@ -0,0 +1,13 @@
+import { Module } from "@nestjs/common";
+import { OrderModuleBase } from "./base/order.module.base";
+import { OrderService } from "./order.service";
+import { OrderController } from "./order.controller";
+import { OrderResolver } from "./order.resolver";
+
+@Module({
+ imports: [OrderModuleBase],
+ controllers: [OrderController],
+ providers: [OrderService, OrderResolver],
+ exports: [OrderService],
+})
+export class OrderModule {}
diff --git a/apps/titiksha-agrawal/src/order/order.resolver.ts b/apps/titiksha-agrawal/src/order/order.resolver.ts
new file mode 100644
index 0000000..e0f9745
--- /dev/null
+++ b/apps/titiksha-agrawal/src/order/order.resolver.ts
@@ -0,0 +1,11 @@
+import * as graphql from "@nestjs/graphql";
+import { OrderResolverBase } from "./base/order.resolver.base";
+import { Order } from "./base/Order";
+import { OrderService } from "./order.service";
+
+@graphql.Resolver(() => Order)
+export class OrderResolver extends OrderResolverBase {
+ constructor(protected readonly service: OrderService) {
+ super(service);
+ }
+}
diff --git a/apps/titiksha-agrawal/src/order/order.service.ts b/apps/titiksha-agrawal/src/order/order.service.ts
new file mode 100644
index 0000000..1a0b876
--- /dev/null
+++ b/apps/titiksha-agrawal/src/order/order.service.ts
@@ -0,0 +1,10 @@
+import { Injectable } from "@nestjs/common";
+import { PrismaService } from "../prisma/prisma.service";
+import { OrderServiceBase } from "./base/order.service.base";
+
+@Injectable()
+export class OrderService extends OrderServiceBase {
+ constructor(protected readonly prisma: PrismaService) {
+ super(prisma);
+ }
+}
diff --git a/apps/titiksha-agrawal/src/prisma.util.spec.ts b/apps/titiksha-agrawal/src/prisma.util.spec.ts
new file mode 100644
index 0000000..0aa308e
--- /dev/null
+++ b/apps/titiksha-agrawal/src/prisma.util.spec.ts
@@ -0,0 +1,23 @@
+import {
+ isRecordNotFoundError,
+ PRISMA_QUERY_INTERPRETATION_ERROR,
+} from "./prisma.util";
+
+describe("isRecordNotFoundError", () => {
+ test("returns true for record not found error", () => {
+ expect(
+ isRecordNotFoundError(
+ Object.assign(
+ new Error(`Error occurred during query execution:
+ InterpretationError("Error for binding '0': RecordNotFound("Record to update not found.")")`),
+ {
+ code: PRISMA_QUERY_INTERPRETATION_ERROR,
+ }
+ )
+ )
+ ).toBe(true);
+ });
+ test("returns false for any other error", () => {
+ expect(isRecordNotFoundError(new Error())).toBe(false);
+ });
+});
diff --git a/apps/titiksha-agrawal/src/prisma.util.ts b/apps/titiksha-agrawal/src/prisma.util.ts
new file mode 100644
index 0000000..029b98a
--- /dev/null
+++ b/apps/titiksha-agrawal/src/prisma.util.ts
@@ -0,0 +1,29 @@
+export const PRISMA_QUERY_INTERPRETATION_ERROR = "P2016";
+export const PRISMA_RECORD_NOT_FOUND = "RecordNotFound";
+
+export function isRecordNotFoundError(error: any): boolean {
+ return (
+ error instanceof Error &&
+ "code" in error &&
+ error.code === PRISMA_QUERY_INTERPRETATION_ERROR &&
+ error.message.includes(PRISMA_RECORD_NOT_FOUND)
+ );
+}
+
+export async function transformStringFieldUpdateInput<
+ T extends undefined | string | { set?: string }
+>(input: T, transform: (input: string) => Promise): Promise {
+ if (typeof input === "object" && typeof input?.set === "string") {
+ return { set: await transform(input.set) } as T;
+ }
+ if (typeof input === "object") {
+ if (typeof input.set === "string") {
+ return { set: await transform(input.set) } as T;
+ }
+ return input;
+ }
+ if (typeof input === "string") {
+ return (await transform(input)) as T;
+ }
+ return input;
+}
diff --git a/apps/titiksha-agrawal/src/prisma/prisma.module.ts b/apps/titiksha-agrawal/src/prisma/prisma.module.ts
new file mode 100644
index 0000000..1edbf95
--- /dev/null
+++ b/apps/titiksha-agrawal/src/prisma/prisma.module.ts
@@ -0,0 +1,9 @@
+import { Global, Module } from "@nestjs/common";
+import { PrismaService } from "./prisma.service";
+
+@Global()
+@Module({
+ providers: [PrismaService],
+ exports: [PrismaService],
+})
+export class PrismaModule {}
diff --git a/apps/titiksha-agrawal/src/prisma/prisma.service.ts b/apps/titiksha-agrawal/src/prisma/prisma.service.ts
new file mode 100644
index 0000000..79ea4fa
--- /dev/null
+++ b/apps/titiksha-agrawal/src/prisma/prisma.service.ts
@@ -0,0 +1,9 @@
+import { Injectable, OnModuleInit, INestApplication } from "@nestjs/common";
+import { PrismaClient } from "@prisma/client";
+
+@Injectable()
+export class PrismaService extends PrismaClient implements OnModuleInit {
+ async onModuleInit() {
+ await this.$connect();
+ }
+}
diff --git a/apps/titiksha-agrawal/src/product/base/CreateProductArgs.ts b/apps/titiksha-agrawal/src/product/base/CreateProductArgs.ts
new file mode 100644
index 0000000..72d659f
--- /dev/null
+++ b/apps/titiksha-agrawal/src/product/base/CreateProductArgs.ts
@@ -0,0 +1,30 @@
+/*
+------------------------------------------------------------------------------
+This code was generated by Amplication.
+
+Changes to this file will be lost if the code is regenerated.
+
+There are other ways to to customize your code, see this doc to learn more
+https://docs.amplication.com/how-to/custom-code
+
+------------------------------------------------------------------------------
+ */
+import { ArgsType, Field } from "@nestjs/graphql";
+import { ApiProperty } from "@nestjs/swagger";
+import { ProductCreateInput } from "./ProductCreateInput";
+import { ValidateNested } from "class-validator";
+import { Type } from "class-transformer";
+
+@ArgsType()
+class CreateProductArgs {
+ @ApiProperty({
+ required: true,
+ type: () => ProductCreateInput,
+ })
+ @ValidateNested()
+ @Type(() => ProductCreateInput)
+ @Field(() => ProductCreateInput, { nullable: false })
+ data!: ProductCreateInput;
+}
+
+export { CreateProductArgs as CreateProductArgs };
diff --git a/apps/titiksha-agrawal/src/product/base/DeleteProductArgs.ts b/apps/titiksha-agrawal/src/product/base/DeleteProductArgs.ts
new file mode 100644
index 0000000..1bf3544
--- /dev/null
+++ b/apps/titiksha-agrawal/src/product/base/DeleteProductArgs.ts
@@ -0,0 +1,30 @@
+/*
+------------------------------------------------------------------------------
+This code was generated by Amplication.
+
+Changes to this file will be lost if the code is regenerated.
+
+There are other ways to to customize your code, see this doc to learn more
+https://docs.amplication.com/how-to/custom-code
+
+------------------------------------------------------------------------------
+ */
+import { ArgsType, Field } from "@nestjs/graphql";
+import { ApiProperty } from "@nestjs/swagger";
+import { ProductWhereUniqueInput } from "./ProductWhereUniqueInput";
+import { ValidateNested } from "class-validator";
+import { Type } from "class-transformer";
+
+@ArgsType()
+class DeleteProductArgs {
+ @ApiProperty({
+ required: true,
+ type: () => ProductWhereUniqueInput,
+ })
+ @ValidateNested()
+ @Type(() => ProductWhereUniqueInput)
+ @Field(() => ProductWhereUniqueInput, { nullable: false })
+ where!: ProductWhereUniqueInput;
+}
+
+export { DeleteProductArgs as DeleteProductArgs };
diff --git a/apps/titiksha-agrawal/src/product/base/OrderCreateNestedManyWithoutProductsInput.ts b/apps/titiksha-agrawal/src/product/base/OrderCreateNestedManyWithoutProductsInput.ts
new file mode 100644
index 0000000..7045d20
--- /dev/null
+++ b/apps/titiksha-agrawal/src/product/base/OrderCreateNestedManyWithoutProductsInput.ts
@@ -0,0 +1,28 @@
+/*
+------------------------------------------------------------------------------
+This code was generated by Amplication.
+
+Changes to this file will be lost if the code is regenerated.
+
+There are other ways to to customize your code, see this doc to learn more
+https://docs.amplication.com/how-to/custom-code
+
+------------------------------------------------------------------------------
+ */
+import { InputType, Field } from "@nestjs/graphql";
+import { OrderWhereUniqueInput } from "../../order/base/OrderWhereUniqueInput";
+import { ApiProperty } from "@nestjs/swagger";
+
+@InputType()
+class OrderCreateNestedManyWithoutProductsInput {
+ @Field(() => [OrderWhereUniqueInput], {
+ nullable: true,
+ })
+ @ApiProperty({
+ required: false,
+ type: () => [OrderWhereUniqueInput],
+ })
+ connect?: Array;
+}
+
+export { OrderCreateNestedManyWithoutProductsInput as OrderCreateNestedManyWithoutProductsInput };
diff --git a/apps/titiksha-agrawal/src/product/base/OrderUpdateManyWithoutProductsInput.ts b/apps/titiksha-agrawal/src/product/base/OrderUpdateManyWithoutProductsInput.ts
new file mode 100644
index 0000000..b9e6b5c
--- /dev/null
+++ b/apps/titiksha-agrawal/src/product/base/OrderUpdateManyWithoutProductsInput.ts
@@ -0,0 +1,46 @@
+/*
+------------------------------------------------------------------------------
+This code was generated by Amplication.
+
+Changes to this file will be lost if the code is regenerated.
+
+There are other ways to to customize your code, see this doc to learn more
+https://docs.amplication.com/how-to/custom-code
+
+------------------------------------------------------------------------------
+ */
+import { InputType, Field } from "@nestjs/graphql";
+import { OrderWhereUniqueInput } from "../../order/base/OrderWhereUniqueInput";
+import { ApiProperty } from "@nestjs/swagger";
+
+@InputType()
+class OrderUpdateManyWithoutProductsInput {
+ @Field(() => [OrderWhereUniqueInput], {
+ nullable: true,
+ })
+ @ApiProperty({
+ required: false,
+ type: () => [OrderWhereUniqueInput],
+ })
+ connect?: Array;
+
+ @Field(() => [OrderWhereUniqueInput], {
+ nullable: true,
+ })
+ @ApiProperty({
+ required: false,
+ type: () => [OrderWhereUniqueInput],
+ })
+ disconnect?: Array;
+
+ @Field(() => [OrderWhereUniqueInput], {
+ nullable: true,
+ })
+ @ApiProperty({
+ required: false,
+ type: () => [OrderWhereUniqueInput],
+ })
+ set?: Array;
+}
+
+export { OrderUpdateManyWithoutProductsInput as OrderUpdateManyWithoutProductsInput };
diff --git a/apps/titiksha-agrawal/src/product/base/Product.ts b/apps/titiksha-agrawal/src/product/base/Product.ts
new file mode 100644
index 0000000..23d6c6b
--- /dev/null
+++ b/apps/titiksha-agrawal/src/product/base/Product.ts
@@ -0,0 +1,93 @@
+/*
+------------------------------------------------------------------------------
+This code was generated by Amplication.
+
+Changes to this file will be lost if the code is regenerated.
+
+There are other ways to to customize your code, see this doc to learn more
+https://docs.amplication.com/how-to/custom-code
+
+------------------------------------------------------------------------------
+ */
+import { ObjectType, Field } from "@nestjs/graphql";
+import { ApiProperty } from "@nestjs/swagger";
+import {
+ IsDate,
+ IsString,
+ IsOptional,
+ IsNumber,
+ ValidateNested,
+} from "class-validator";
+import { Type } from "class-transformer";
+import { Order } from "../../order/base/Order";
+
+@ObjectType()
+class Product {
+ @ApiProperty({
+ required: true,
+ })
+ @IsDate()
+ @Type(() => Date)
+ @Field(() => Date)
+ createdAt!: Date;
+
+ @ApiProperty({
+ required: false,
+ type: String,
+ })
+ @IsString()
+ @IsOptional()
+ @Field(() => String, {
+ nullable: true,
+ })
+ description!: string | null;
+
+ @ApiProperty({
+ required: true,
+ type: String,
+ })
+ @IsString()
+ @Field(() => String)
+ id!: string;
+
+ @ApiProperty({
+ required: false,
+ type: Number,
+ })
+ @IsNumber()
+ @IsOptional()
+ @Field(() => Number, {
+ nullable: true,
+ })
+ itemPrice!: number | null;
+
+ @ApiProperty({
+ required: false,
+ type: String,
+ })
+ @IsString()
+ @IsOptional()
+ @Field(() => String, {
+ nullable: true,
+ })
+ name!: string | null;
+
+ @ApiProperty({
+ required: false,
+ type: () => [Order],
+ })
+ @ValidateNested()
+ @Type(() => Order)
+ @IsOptional()
+ orders?: Array;
+
+ @ApiProperty({
+ required: true,
+ })
+ @IsDate()
+ @Type(() => Date)
+ @Field(() => Date)
+ updatedAt!: Date;
+}
+
+export { Product as Product };
diff --git a/apps/titiksha-agrawal/src/product/base/ProductCountArgs.ts b/apps/titiksha-agrawal/src/product/base/ProductCountArgs.ts
new file mode 100644
index 0000000..f1bbaf5
--- /dev/null
+++ b/apps/titiksha-agrawal/src/product/base/ProductCountArgs.ts
@@ -0,0 +1,28 @@
+/*
+------------------------------------------------------------------------------
+This code was generated by Amplication.
+
+Changes to this file will be lost if the code is regenerated.
+
+There are other ways to to customize your code, see this doc to learn more
+https://docs.amplication.com/how-to/custom-code
+
+------------------------------------------------------------------------------
+ */
+import { ArgsType, Field } from "@nestjs/graphql";
+import { ApiProperty } from "@nestjs/swagger";
+import { ProductWhereInput } from "./ProductWhereInput";
+import { Type } from "class-transformer";
+
+@ArgsType()
+class ProductCountArgs {
+ @ApiProperty({
+ required: false,
+ type: () => ProductWhereInput,
+ })
+ @Field(() => ProductWhereInput, { nullable: true })
+ @Type(() => ProductWhereInput)
+ where?: ProductWhereInput;
+}
+
+export { ProductCountArgs as ProductCountArgs };
diff --git a/apps/titiksha-agrawal/src/product/base/ProductCreateInput.ts b/apps/titiksha-agrawal/src/product/base/ProductCreateInput.ts
new file mode 100644
index 0000000..9e5ee94
--- /dev/null
+++ b/apps/titiksha-agrawal/src/product/base/ProductCreateInput.ts
@@ -0,0 +1,71 @@
+/*
+------------------------------------------------------------------------------
+This code was generated by Amplication.
+
+Changes to this file will be lost if the code is regenerated.
+
+There are other ways to to customize your code, see this doc to learn more
+https://docs.amplication.com/how-to/custom-code
+
+------------------------------------------------------------------------------
+ */
+import { InputType, Field } from "@nestjs/graphql";
+import { ApiProperty } from "@nestjs/swagger";
+import {
+ IsString,
+ IsOptional,
+ IsNumber,
+ ValidateNested,
+} from "class-validator";
+import { OrderCreateNestedManyWithoutProductsInput } from "./OrderCreateNestedManyWithoutProductsInput";
+import { Type } from "class-transformer";
+
+@InputType()
+class ProductCreateInput {
+ @ApiProperty({
+ required: false,
+ type: String,
+ })
+ @IsString()
+ @IsOptional()
+ @Field(() => String, {
+ nullable: true,
+ })
+ description?: string | null;
+
+ @ApiProperty({
+ required: false,
+ type: Number,
+ })
+ @IsNumber()
+ @IsOptional()
+ @Field(() => Number, {
+ nullable: true,
+ })
+ itemPrice?: number | null;
+
+ @ApiProperty({
+ required: false,
+ type: String,
+ })
+ @IsString()
+ @IsOptional()
+ @Field(() => String, {
+ nullable: true,
+ })
+ name?: string | null;
+
+ @ApiProperty({
+ required: false,
+ type: () => OrderCreateNestedManyWithoutProductsInput,
+ })
+ @ValidateNested()
+ @Type(() => OrderCreateNestedManyWithoutProductsInput)
+ @IsOptional()
+ @Field(() => OrderCreateNestedManyWithoutProductsInput, {
+ nullable: true,
+ })
+ orders?: OrderCreateNestedManyWithoutProductsInput;
+}
+
+export { ProductCreateInput as ProductCreateInput };
diff --git a/apps/titiksha-agrawal/src/product/base/ProductFindManyArgs.ts b/apps/titiksha-agrawal/src/product/base/ProductFindManyArgs.ts
new file mode 100644
index 0000000..dc1610c
--- /dev/null
+++ b/apps/titiksha-agrawal/src/product/base/ProductFindManyArgs.ts
@@ -0,0 +1,62 @@
+/*
+------------------------------------------------------------------------------
+This code was generated by Amplication.
+
+Changes to this file will be lost if the code is regenerated.
+
+There are other ways to to customize your code, see this doc to learn more
+https://docs.amplication.com/how-to/custom-code
+
+------------------------------------------------------------------------------
+ */
+import { ArgsType, Field } from "@nestjs/graphql";
+import { ApiProperty } from "@nestjs/swagger";
+import { ProductWhereInput } from "./ProductWhereInput";
+import { IsOptional, ValidateNested, IsInt } from "class-validator";
+import { Type } from "class-transformer";
+import { ProductOrderByInput } from "./ProductOrderByInput";
+
+@ArgsType()
+class ProductFindManyArgs {
+ @ApiProperty({
+ required: false,
+ type: () => ProductWhereInput,
+ })
+ @IsOptional()
+ @ValidateNested()
+ @Field(() => ProductWhereInput, { nullable: true })
+ @Type(() => ProductWhereInput)
+ where?: ProductWhereInput;
+
+ @ApiProperty({
+ required: false,
+ type: [ProductOrderByInput],
+ })
+ @IsOptional()
+ @ValidateNested({ each: true })
+ @Field(() => [ProductOrderByInput], { nullable: true })
+ @Type(() => ProductOrderByInput)
+ orderBy?: Array;
+
+ @ApiProperty({
+ required: false,
+ type: Number,
+ })
+ @IsOptional()
+ @IsInt()
+ @Field(() => Number, { nullable: true })
+ @Type(() => Number)
+ skip?: number;
+
+ @ApiProperty({
+ required: false,
+ type: Number,
+ })
+ @IsOptional()
+ @IsInt()
+ @Field(() => Number, { nullable: true })
+ @Type(() => Number)
+ take?: number;
+}
+
+export { ProductFindManyArgs as ProductFindManyArgs };
diff --git a/apps/titiksha-agrawal/src/product/base/ProductFindUniqueArgs.ts b/apps/titiksha-agrawal/src/product/base/ProductFindUniqueArgs.ts
new file mode 100644
index 0000000..582af7f
--- /dev/null
+++ b/apps/titiksha-agrawal/src/product/base/ProductFindUniqueArgs.ts
@@ -0,0 +1,30 @@
+/*
+------------------------------------------------------------------------------
+This code was generated by Amplication.
+
+Changes to this file will be lost if the code is regenerated.
+
+There are other ways to to customize your code, see this doc to learn more
+https://docs.amplication.com/how-to/custom-code
+
+------------------------------------------------------------------------------
+ */
+import { ArgsType, Field } from "@nestjs/graphql";
+import { ApiProperty } from "@nestjs/swagger";
+import { ProductWhereUniqueInput } from "./ProductWhereUniqueInput";
+import { ValidateNested } from "class-validator";
+import { Type } from "class-transformer";
+
+@ArgsType()
+class ProductFindUniqueArgs {
+ @ApiProperty({
+ required: true,
+ type: () => ProductWhereUniqueInput,
+ })
+ @ValidateNested()
+ @Type(() => ProductWhereUniqueInput)
+ @Field(() => ProductWhereUniqueInput, { nullable: false })
+ where!: ProductWhereUniqueInput;
+}
+
+export { ProductFindUniqueArgs as ProductFindUniqueArgs };
diff --git a/apps/titiksha-agrawal/src/product/base/ProductListRelationFilter.ts b/apps/titiksha-agrawal/src/product/base/ProductListRelationFilter.ts
new file mode 100644
index 0000000..cce7c64
--- /dev/null
+++ b/apps/titiksha-agrawal/src/product/base/ProductListRelationFilter.ts
@@ -0,0 +1,56 @@
+/*
+------------------------------------------------------------------------------
+This code was generated by Amplication.
+
+Changes to this file will be lost if the code is regenerated.
+
+There are other ways to to customize your code, see this doc to learn more
+https://docs.amplication.com/how-to/custom-code
+
+------------------------------------------------------------------------------
+ */
+import { InputType, Field } from "@nestjs/graphql";
+import { ApiProperty } from "@nestjs/swagger";
+import { ProductWhereInput } from "./ProductWhereInput";
+import { ValidateNested, IsOptional } from "class-validator";
+import { Type } from "class-transformer";
+
+@InputType()
+class ProductListRelationFilter {
+ @ApiProperty({
+ required: false,
+ type: () => ProductWhereInput,
+ })
+ @ValidateNested()
+ @Type(() => ProductWhereInput)
+ @IsOptional()
+ @Field(() => ProductWhereInput, {
+ nullable: true,
+ })
+ every?: ProductWhereInput;
+
+ @ApiProperty({
+ required: false,
+ type: () => ProductWhereInput,
+ })
+ @ValidateNested()
+ @Type(() => ProductWhereInput)
+ @IsOptional()
+ @Field(() => ProductWhereInput, {
+ nullable: true,
+ })
+ some?: ProductWhereInput;
+
+ @ApiProperty({
+ required: false,
+ type: () => ProductWhereInput,
+ })
+ @ValidateNested()
+ @Type(() => ProductWhereInput)
+ @IsOptional()
+ @Field(() => ProductWhereInput, {
+ nullable: true,
+ })
+ none?: ProductWhereInput;
+}
+export { ProductListRelationFilter as ProductListRelationFilter };
diff --git a/apps/titiksha-agrawal/src/product/base/ProductOrderByInput.ts b/apps/titiksha-agrawal/src/product/base/ProductOrderByInput.ts
new file mode 100644
index 0000000..1f0c07c
--- /dev/null
+++ b/apps/titiksha-agrawal/src/product/base/ProductOrderByInput.ts
@@ -0,0 +1,89 @@
+/*
+------------------------------------------------------------------------------
+This code was generated by Amplication.
+
+Changes to this file will be lost if the code is regenerated.
+
+There are other ways to to customize your code, see this doc to learn more
+https://docs.amplication.com/how-to/custom-code
+
+------------------------------------------------------------------------------
+ */
+import { InputType, Field } from "@nestjs/graphql";
+import { ApiProperty } from "@nestjs/swagger";
+import { IsOptional, IsEnum } from "class-validator";
+import { SortOrder } from "../../util/SortOrder";
+
+@InputType({
+ isAbstract: true,
+ description: undefined,
+})
+class ProductOrderByInput {
+ @ApiProperty({
+ required: false,
+ enum: ["asc", "desc"],
+ })
+ @IsOptional()
+ @IsEnum(SortOrder)
+ @Field(() => SortOrder, {
+ nullable: true,
+ })
+ createdAt?: SortOrder;
+
+ @ApiProperty({
+ required: false,
+ enum: ["asc", "desc"],
+ })
+ @IsOptional()
+ @IsEnum(SortOrder)
+ @Field(() => SortOrder, {
+ nullable: true,
+ })
+ description?: SortOrder;
+
+ @ApiProperty({
+ required: false,
+ enum: ["asc", "desc"],
+ })
+ @IsOptional()
+ @IsEnum(SortOrder)
+ @Field(() => SortOrder, {
+ nullable: true,
+ })
+ id?: SortOrder;
+
+ @ApiProperty({
+ required: false,
+ enum: ["asc", "desc"],
+ })
+ @IsOptional()
+ @IsEnum(SortOrder)
+ @Field(() => SortOrder, {
+ nullable: true,
+ })
+ itemPrice?: SortOrder;
+
+ @ApiProperty({
+ required: false,
+ enum: ["asc", "desc"],
+ })
+ @IsOptional()
+ @IsEnum(SortOrder)
+ @Field(() => SortOrder, {
+ nullable: true,
+ })
+ name?: SortOrder;
+
+ @ApiProperty({
+ required: false,
+ enum: ["asc", "desc"],
+ })
+ @IsOptional()
+ @IsEnum(SortOrder)
+ @Field(() => SortOrder, {
+ nullable: true,
+ })
+ updatedAt?: SortOrder;
+}
+
+export { ProductOrderByInput as ProductOrderByInput };
diff --git a/apps/titiksha-agrawal/src/product/base/ProductUpdateInput.ts b/apps/titiksha-agrawal/src/product/base/ProductUpdateInput.ts
new file mode 100644
index 0000000..487240a
--- /dev/null
+++ b/apps/titiksha-agrawal/src/product/base/ProductUpdateInput.ts
@@ -0,0 +1,71 @@
+/*
+------------------------------------------------------------------------------
+This code was generated by Amplication.
+
+Changes to this file will be lost if the code is regenerated.
+
+There are other ways to to customize your code, see this doc to learn more
+https://docs.amplication.com/how-to/custom-code
+
+------------------------------------------------------------------------------
+ */
+import { InputType, Field } from "@nestjs/graphql";
+import { ApiProperty } from "@nestjs/swagger";
+import {
+ IsString,
+ IsOptional,
+ IsNumber,
+ ValidateNested,
+} from "class-validator";
+import { OrderUpdateManyWithoutProductsInput } from "./OrderUpdateManyWithoutProductsInput";
+import { Type } from "class-transformer";
+
+@InputType()
+class ProductUpdateInput {
+ @ApiProperty({
+ required: false,
+ type: String,
+ })
+ @IsString()
+ @IsOptional()
+ @Field(() => String, {
+ nullable: true,
+ })
+ description?: string | null;
+
+ @ApiProperty({
+ required: false,
+ type: Number,
+ })
+ @IsNumber()
+ @IsOptional()
+ @Field(() => Number, {
+ nullable: true,
+ })
+ itemPrice?: number | null;
+
+ @ApiProperty({
+ required: false,
+ type: String,
+ })
+ @IsString()
+ @IsOptional()
+ @Field(() => String, {
+ nullable: true,
+ })
+ name?: string | null;
+
+ @ApiProperty({
+ required: false,
+ type: () => OrderUpdateManyWithoutProductsInput,
+ })
+ @ValidateNested()
+ @Type(() => OrderUpdateManyWithoutProductsInput)
+ @IsOptional()
+ @Field(() => OrderUpdateManyWithoutProductsInput, {
+ nullable: true,
+ })
+ orders?: OrderUpdateManyWithoutProductsInput;
+}
+
+export { ProductUpdateInput as ProductUpdateInput };
diff --git a/apps/titiksha-agrawal/src/product/base/ProductWhereInput.ts b/apps/titiksha-agrawal/src/product/base/ProductWhereInput.ts
new file mode 100644
index 0000000..31806fa
--- /dev/null
+++ b/apps/titiksha-agrawal/src/product/base/ProductWhereInput.ts
@@ -0,0 +1,80 @@
+/*
+------------------------------------------------------------------------------
+This code was generated by Amplication.
+
+Changes to this file will be lost if the code is regenerated.
+
+There are other ways to to customize your code, see this doc to learn more
+https://docs.amplication.com/how-to/custom-code
+
+------------------------------------------------------------------------------
+ */
+import { InputType, Field } from "@nestjs/graphql";
+import { ApiProperty } from "@nestjs/swagger";
+import { StringNullableFilter } from "../../util/StringNullableFilter";
+import { Type } from "class-transformer";
+import { IsOptional, ValidateNested } from "class-validator";
+import { StringFilter } from "../../util/StringFilter";
+import { FloatNullableFilter } from "../../util/FloatNullableFilter";
+import { OrderListRelationFilter } from "../../order/base/OrderListRelationFilter";
+
+@InputType()
+class ProductWhereInput {
+ @ApiProperty({
+ required: false,
+ type: StringNullableFilter,
+ })
+ @Type(() => StringNullableFilter)
+ @IsOptional()
+ @Field(() => StringNullableFilter, {
+ nullable: true,
+ })
+ description?: StringNullableFilter;
+
+ @ApiProperty({
+ required: false,
+ type: StringFilter,
+ })
+ @Type(() => StringFilter)
+ @IsOptional()
+ @Field(() => StringFilter, {
+ nullable: true,
+ })
+ id?: StringFilter;
+
+ @ApiProperty({
+ required: false,
+ type: FloatNullableFilter,
+ })
+ @Type(() => FloatNullableFilter)
+ @IsOptional()
+ @Field(() => FloatNullableFilter, {
+ nullable: true,
+ })
+ itemPrice?: FloatNullableFilter;
+
+ @ApiProperty({
+ required: false,
+ type: StringNullableFilter,
+ })
+ @Type(() => StringNullableFilter)
+ @IsOptional()
+ @Field(() => StringNullableFilter, {
+ nullable: true,
+ })
+ name?: StringNullableFilter;
+
+ @ApiProperty({
+ required: false,
+ type: () => OrderListRelationFilter,
+ })
+ @ValidateNested()
+ @Type(() => OrderListRelationFilter)
+ @IsOptional()
+ @Field(() => OrderListRelationFilter, {
+ nullable: true,
+ })
+ orders?: OrderListRelationFilter;
+}
+
+export { ProductWhereInput as ProductWhereInput };
diff --git a/apps/titiksha-agrawal/src/product/base/ProductWhereUniqueInput.ts b/apps/titiksha-agrawal/src/product/base/ProductWhereUniqueInput.ts
new file mode 100644
index 0000000..b48170e
--- /dev/null
+++ b/apps/titiksha-agrawal/src/product/base/ProductWhereUniqueInput.ts
@@ -0,0 +1,27 @@
+/*
+------------------------------------------------------------------------------
+This code was generated by Amplication.
+
+Changes to this file will be lost if the code is regenerated.
+
+There are other ways to to customize your code, see this doc to learn more
+https://docs.amplication.com/how-to/custom-code
+
+------------------------------------------------------------------------------
+ */
+import { InputType, Field } from "@nestjs/graphql";
+import { ApiProperty } from "@nestjs/swagger";
+import { IsString } from "class-validator";
+
+@InputType()
+class ProductWhereUniqueInput {
+ @ApiProperty({
+ required: true,
+ type: String,
+ })
+ @IsString()
+ @Field(() => String)
+ id!: string;
+}
+
+export { ProductWhereUniqueInput as ProductWhereUniqueInput };
diff --git a/apps/titiksha-agrawal/src/product/base/UpdateProductArgs.ts b/apps/titiksha-agrawal/src/product/base/UpdateProductArgs.ts
new file mode 100644
index 0000000..8ec7df8
--- /dev/null
+++ b/apps/titiksha-agrawal/src/product/base/UpdateProductArgs.ts
@@ -0,0 +1,40 @@
+/*
+------------------------------------------------------------------------------
+This code was generated by Amplication.
+
+Changes to this file will be lost if the code is regenerated.
+
+There are other ways to to customize your code, see this doc to learn more
+https://docs.amplication.com/how-to/custom-code
+
+------------------------------------------------------------------------------
+ */
+import { ArgsType, Field } from "@nestjs/graphql";
+import { ApiProperty } from "@nestjs/swagger";
+import { ProductWhereUniqueInput } from "./ProductWhereUniqueInput";
+import { ValidateNested } from "class-validator";
+import { Type } from "class-transformer";
+import { ProductUpdateInput } from "./ProductUpdateInput";
+
+@ArgsType()
+class UpdateProductArgs {
+ @ApiProperty({
+ required: true,
+ type: () => ProductWhereUniqueInput,
+ })
+ @ValidateNested()
+ @Type(() => ProductWhereUniqueInput)
+ @Field(() => ProductWhereUniqueInput, { nullable: false })
+ where!: ProductWhereUniqueInput;
+
+ @ApiProperty({
+ required: true,
+ type: () => ProductUpdateInput,
+ })
+ @ValidateNested()
+ @Type(() => ProductUpdateInput)
+ @Field(() => ProductUpdateInput, { nullable: false })
+ data!: ProductUpdateInput;
+}
+
+export { UpdateProductArgs as UpdateProductArgs };
diff --git a/apps/titiksha-agrawal/src/product/base/product.controller.base.spec.ts b/apps/titiksha-agrawal/src/product/base/product.controller.base.spec.ts
new file mode 100644
index 0000000..d8bcb6b
--- /dev/null
+++ b/apps/titiksha-agrawal/src/product/base/product.controller.base.spec.ts
@@ -0,0 +1,202 @@
+import { Test } from "@nestjs/testing";
+import {
+ INestApplication,
+ HttpStatus,
+ ExecutionContext,
+ CallHandler,
+} from "@nestjs/common";
+import request from "supertest";
+import { ACGuard } from "nest-access-control";
+import { DefaultAuthGuard } from "../../auth/defaultAuth.guard";
+import { ACLModule } from "../../auth/acl.module";
+import { AclFilterResponseInterceptor } from "../../interceptors/aclFilterResponse.interceptor";
+import { AclValidateRequestInterceptor } from "../../interceptors/aclValidateRequest.interceptor";
+import { map } from "rxjs";
+import { ProductController } from "../product.controller";
+import { ProductService } from "../product.service";
+
+const nonExistingId = "nonExistingId";
+const existingId = "existingId";
+const CREATE_INPUT = {
+ createdAt: new Date(),
+ description: "exampleDescription",
+ id: "exampleId",
+ itemPrice: 42.42,
+ name: "exampleName",
+ updatedAt: new Date(),
+};
+const CREATE_RESULT = {
+ createdAt: new Date(),
+ description: "exampleDescription",
+ id: "exampleId",
+ itemPrice: 42.42,
+ name: "exampleName",
+ updatedAt: new Date(),
+};
+const FIND_MANY_RESULT = [
+ {
+ createdAt: new Date(),
+ description: "exampleDescription",
+ id: "exampleId",
+ itemPrice: 42.42,
+ name: "exampleName",
+ updatedAt: new Date(),
+ },
+];
+const FIND_ONE_RESULT = {
+ createdAt: new Date(),
+ description: "exampleDescription",
+ id: "exampleId",
+ itemPrice: 42.42,
+ name: "exampleName",
+ updatedAt: new Date(),
+};
+
+const service = {
+ create() {
+ return CREATE_RESULT;
+ },
+ findMany: () => FIND_MANY_RESULT,
+ findOne: ({ where }: { where: { id: string } }) => {
+ switch (where.id) {
+ case existingId:
+ return FIND_ONE_RESULT;
+ case nonExistingId:
+ return null;
+ }
+ },
+};
+
+const basicAuthGuard = {
+ canActivate: (context: ExecutionContext) => {
+ const argumentHost = context.switchToHttp();
+ const request = argumentHost.getRequest();
+ request.user = {
+ roles: ["user"],
+ };
+ return true;
+ },
+};
+
+const acGuard = {
+ canActivate: () => {
+ return true;
+ },
+};
+
+const aclFilterResponseInterceptor = {
+ intercept: (context: ExecutionContext, next: CallHandler) => {
+ return next.handle().pipe(
+ map((data) => {
+ return data;
+ })
+ );
+ },
+};
+const aclValidateRequestInterceptor = {
+ intercept: (context: ExecutionContext, next: CallHandler) => {
+ return next.handle();
+ },
+};
+
+describe("Product", () => {
+ let app: INestApplication;
+
+ beforeAll(async () => {
+ const moduleRef = await Test.createTestingModule({
+ providers: [
+ {
+ provide: ProductService,
+ useValue: service,
+ },
+ ],
+ controllers: [ProductController],
+ imports: [ACLModule],
+ })
+ .overrideGuard(DefaultAuthGuard)
+ .useValue(basicAuthGuard)
+ .overrideGuard(ACGuard)
+ .useValue(acGuard)
+ .overrideInterceptor(AclFilterResponseInterceptor)
+ .useValue(aclFilterResponseInterceptor)
+ .overrideInterceptor(AclValidateRequestInterceptor)
+ .useValue(aclValidateRequestInterceptor)
+ .compile();
+
+ app = moduleRef.createNestApplication();
+ await app.init();
+ });
+
+ test("POST /products", async () => {
+ await request(app.getHttpServer())
+ .post("/products")
+ .send(CREATE_INPUT)
+ .expect(HttpStatus.CREATED)
+ .expect({
+ ...CREATE_RESULT,
+ createdAt: CREATE_RESULT.createdAt.toISOString(),
+ updatedAt: CREATE_RESULT.updatedAt.toISOString(),
+ });
+ });
+
+ test("GET /products", async () => {
+ await request(app.getHttpServer())
+ .get("/products")
+ .expect(HttpStatus.OK)
+ .expect([
+ {
+ ...FIND_MANY_RESULT[0],
+ createdAt: FIND_MANY_RESULT[0].createdAt.toISOString(),
+ updatedAt: FIND_MANY_RESULT[0].updatedAt.toISOString(),
+ },
+ ]);
+ });
+
+ test("GET /products/:id non existing", async () => {
+ await request(app.getHttpServer())
+ .get(`${"/products"}/${nonExistingId}`)
+ .expect(HttpStatus.NOT_FOUND)
+ .expect({
+ statusCode: HttpStatus.NOT_FOUND,
+ message: `No resource was found for {"${"id"}":"${nonExistingId}"}`,
+ error: "Not Found",
+ });
+ });
+
+ test("GET /products/:id existing", async () => {
+ await request(app.getHttpServer())
+ .get(`${"/products"}/${existingId}`)
+ .expect(HttpStatus.OK)
+ .expect({
+ ...FIND_ONE_RESULT,
+ createdAt: FIND_ONE_RESULT.createdAt.toISOString(),
+ updatedAt: FIND_ONE_RESULT.updatedAt.toISOString(),
+ });
+ });
+
+ test("POST /products existing resource", async () => {
+ const agent = request(app.getHttpServer());
+ await agent
+ .post("/products")
+ .send(CREATE_INPUT)
+ .expect(HttpStatus.CREATED)
+ .expect({
+ ...CREATE_RESULT,
+ createdAt: CREATE_RESULT.createdAt.toISOString(),
+ updatedAt: CREATE_RESULT.updatedAt.toISOString(),
+ })
+ .then(function () {
+ agent
+ .post("/products")
+ .send(CREATE_INPUT)
+ .expect(HttpStatus.CONFLICT)
+ .expect({
+ statusCode: HttpStatus.CONFLICT,
+ });
+ });
+ });
+
+ afterAll(async () => {
+ await app.close();
+ });
+});
diff --git a/apps/titiksha-agrawal/src/product/base/product.controller.base.ts b/apps/titiksha-agrawal/src/product/base/product.controller.base.ts
new file mode 100644
index 0000000..9851c4c
--- /dev/null
+++ b/apps/titiksha-agrawal/src/product/base/product.controller.base.ts
@@ -0,0 +1,239 @@
+/*
+------------------------------------------------------------------------------
+This code was generated by Amplication.
+
+Changes to this file will be lost if the code is regenerated.
+
+There are other ways to to customize your code, see this doc to learn more
+https://docs.amplication.com/how-to/custom-code
+
+------------------------------------------------------------------------------
+ */
+import * as common from "@nestjs/common";
+import * as swagger from "@nestjs/swagger";
+import { isRecordNotFoundError } from "../../prisma.util";
+import * as errors from "../../errors";
+import { Request } from "express";
+import { plainToClass } from "class-transformer";
+import { ApiNestedQuery } from "../../decorators/api-nested-query.decorator";
+import { ProductService } from "../product.service";
+import { ProductCreateInput } from "./ProductCreateInput";
+import { ProductWhereInput } from "./ProductWhereInput";
+import { ProductWhereUniqueInput } from "./ProductWhereUniqueInput";
+import { ProductFindManyArgs } from "./ProductFindManyArgs";
+import { ProductUpdateInput } from "./ProductUpdateInput";
+import { Product } from "./Product";
+import { OrderFindManyArgs } from "../../order/base/OrderFindManyArgs";
+import { Order } from "../../order/base/Order";
+import { OrderWhereUniqueInput } from "../../order/base/OrderWhereUniqueInput";
+
+export class ProductControllerBase {
+ constructor(protected readonly service: ProductService) {}
+ @common.Post()
+ @swagger.ApiCreatedResponse({ type: Product })
+ async create(@common.Body() data: ProductCreateInput): Promise {
+ return await this.service.create({
+ data: data,
+ select: {
+ createdAt: true,
+ description: true,
+ id: true,
+ itemPrice: true,
+ name: true,
+ updatedAt: true,
+ },
+ });
+ }
+
+ @common.Get()
+ @swagger.ApiOkResponse({ type: [Product] })
+ @ApiNestedQuery(ProductFindManyArgs)
+ async findMany(@common.Req() request: Request): Promise {
+ const args = plainToClass(ProductFindManyArgs, request.query);
+ return this.service.findMany({
+ ...args,
+ select: {
+ createdAt: true,
+ description: true,
+ id: true,
+ itemPrice: true,
+ name: true,
+ updatedAt: true,
+ },
+ });
+ }
+
+ @common.Get("/:id")
+ @swagger.ApiOkResponse({ type: Product })
+ @swagger.ApiNotFoundResponse({ type: errors.NotFoundException })
+ async findOne(
+ @common.Param() params: ProductWhereUniqueInput
+ ): Promise {
+ const result = await this.service.findOne({
+ where: params,
+ select: {
+ createdAt: true,
+ description: true,
+ id: true,
+ itemPrice: true,
+ name: true,
+ updatedAt: true,
+ },
+ });
+ if (result === null) {
+ throw new errors.NotFoundException(
+ `No resource was found for ${JSON.stringify(params)}`
+ );
+ }
+ return result;
+ }
+
+ @common.Patch("/:id")
+ @swagger.ApiOkResponse({ type: Product })
+ @swagger.ApiNotFoundResponse({ type: errors.NotFoundException })
+ async update(
+ @common.Param() params: ProductWhereUniqueInput,
+ @common.Body() data: ProductUpdateInput
+ ): Promise {
+ try {
+ return await this.service.update({
+ where: params,
+ data: data,
+ select: {
+ createdAt: true,
+ description: true,
+ id: true,
+ itemPrice: true,
+ name: true,
+ updatedAt: true,
+ },
+ });
+ } catch (error) {
+ if (isRecordNotFoundError(error)) {
+ throw new errors.NotFoundException(
+ `No resource was found for ${JSON.stringify(params)}`
+ );
+ }
+ throw error;
+ }
+ }
+
+ @common.Delete("/:id")
+ @swagger.ApiOkResponse({ type: Product })
+ @swagger.ApiNotFoundResponse({ type: errors.NotFoundException })
+ async delete(
+ @common.Param() params: ProductWhereUniqueInput
+ ): Promise {
+ try {
+ return await this.service.delete({
+ where: params,
+ select: {
+ createdAt: true,
+ description: true,
+ id: true,
+ itemPrice: true,
+ name: true,
+ updatedAt: true,
+ },
+ });
+ } catch (error) {
+ if (isRecordNotFoundError(error)) {
+ throw new errors.NotFoundException(
+ `No resource was found for ${JSON.stringify(params)}`
+ );
+ }
+ throw error;
+ }
+ }
+
+ @common.Get("/:id/orders")
+ @ApiNestedQuery(OrderFindManyArgs)
+ async findManyOrders(
+ @common.Req() request: Request,
+ @common.Param() params: ProductWhereUniqueInput
+ ): Promise {
+ const query = plainToClass(OrderFindManyArgs, request.query);
+ const results = await this.service.findOrders(params.id, {
+ ...query,
+ select: {
+ createdAt: true,
+
+ customer: {
+ select: {
+ id: true,
+ },
+ },
+
+ discount: true,
+ id: true,
+
+ product: {
+ select: {
+ id: true,
+ },
+ },
+
+ quantity: true,
+ totalPrice: true,
+ updatedAt: true,
+ },
+ });
+ if (results === null) {
+ throw new errors.NotFoundException(
+ `No resource was found for ${JSON.stringify(params)}`
+ );
+ }
+ return results;
+ }
+
+ @common.Post("/:id/orders")
+ async connectOrders(
+ @common.Param() params: ProductWhereUniqueInput,
+ @common.Body() body: OrderWhereUniqueInput[]
+ ): Promise {
+ const data = {
+ orders: {
+ connect: body,
+ },
+ };
+ await this.service.update({
+ where: params,
+ data,
+ select: { id: true },
+ });
+ }
+
+ @common.Patch("/:id/orders")
+ async updateOrders(
+ @common.Param() params: ProductWhereUniqueInput,
+ @common.Body() body: OrderWhereUniqueInput[]
+ ): Promise {
+ const data = {
+ orders: {
+ set: body,
+ },
+ };
+ await this.service.update({
+ where: params,
+ data,
+ select: { id: true },
+ });
+ }
+
+ @common.Delete("/:id/orders")
+ async disconnectOrders(
+ @common.Param() params: ProductWhereUniqueInput,
+ @common.Body() body: OrderWhereUniqueInput[]
+ ): Promise {
+ const data = {
+ orders: {
+ disconnect: body,
+ },
+ };
+ await this.service.update({
+ where: params,
+ data,
+ select: { id: true },
+ });
+ }
+}
diff --git a/apps/titiksha-agrawal/src/product/base/product.module.base.ts b/apps/titiksha-agrawal/src/product/base/product.module.base.ts
new file mode 100644
index 0000000..8e5d5a4
--- /dev/null
+++ b/apps/titiksha-agrawal/src/product/base/product.module.base.ts
@@ -0,0 +1,18 @@
+/*
+------------------------------------------------------------------------------
+This code was generated by Amplication.
+
+Changes to this file will be lost if the code is regenerated.
+
+There are other ways to to customize your code, see this doc to learn more
+https://docs.amplication.com/how-to/custom-code
+
+------------------------------------------------------------------------------
+ */
+import { Module } from "@nestjs/common";
+
+@Module({
+ imports: [],
+ exports: [],
+})
+export class ProductModuleBase {}
diff --git a/apps/titiksha-agrawal/src/product/base/product.resolver.base.ts b/apps/titiksha-agrawal/src/product/base/product.resolver.base.ts
new file mode 100644
index 0000000..6aeb33f
--- /dev/null
+++ b/apps/titiksha-agrawal/src/product/base/product.resolver.base.ts
@@ -0,0 +1,115 @@
+/*
+------------------------------------------------------------------------------
+This code was generated by Amplication.
+
+Changes to this file will be lost if the code is regenerated.
+
+There are other ways to to customize your code, see this doc to learn more
+https://docs.amplication.com/how-to/custom-code
+
+------------------------------------------------------------------------------
+ */
+import * as graphql from "@nestjs/graphql";
+import { GraphQLError } from "graphql";
+import { isRecordNotFoundError } from "../../prisma.util";
+import { MetaQueryPayload } from "../../util/MetaQueryPayload";
+import { CreateProductArgs } from "./CreateProductArgs";
+import { UpdateProductArgs } from "./UpdateProductArgs";
+import { DeleteProductArgs } from "./DeleteProductArgs";
+import { ProductCountArgs } from "./ProductCountArgs";
+import { ProductFindManyArgs } from "./ProductFindManyArgs";
+import { ProductFindUniqueArgs } from "./ProductFindUniqueArgs";
+import { Product } from "./Product";
+import { OrderFindManyArgs } from "../../order/base/OrderFindManyArgs";
+import { Order } from "../../order/base/Order";
+import { ProductService } from "../product.service";
+@graphql.Resolver(() => Product)
+export class ProductResolverBase {
+ constructor(protected readonly service: ProductService) {}
+
+ async _productsMeta(
+ @graphql.Args() args: ProductCountArgs
+ ): Promise {
+ const result = await this.service.count(args);
+ return {
+ count: result,
+ };
+ }
+
+ @graphql.Query(() => [Product])
+ async products(
+ @graphql.Args() args: ProductFindManyArgs
+ ): Promise {
+ return this.service.findMany(args);
+ }
+
+ @graphql.Query(() => Product, { nullable: true })
+ async product(
+ @graphql.Args() args: ProductFindUniqueArgs
+ ): Promise {
+ const result = await this.service.findOne(args);
+ if (result === null) {
+ return null;
+ }
+ return result;
+ }
+
+ @graphql.Mutation(() => Product)
+ async createProduct(
+ @graphql.Args() args: CreateProductArgs
+ ): Promise {
+ return await this.service.create({
+ ...args,
+ data: args.data,
+ });
+ }
+
+ @graphql.Mutation(() => Product)
+ async updateProduct(
+ @graphql.Args() args: UpdateProductArgs
+ ): Promise {
+ try {
+ return await this.service.update({
+ ...args,
+ data: args.data,
+ });
+ } catch (error) {
+ if (isRecordNotFoundError(error)) {
+ throw new GraphQLError(
+ `No resource was found for ${JSON.stringify(args.where)}`
+ );
+ }
+ throw error;
+ }
+ }
+
+ @graphql.Mutation(() => Product)
+ async deleteProduct(
+ @graphql.Args() args: DeleteProductArgs
+ ): Promise {
+ try {
+ return await this.service.delete(args);
+ } catch (error) {
+ if (isRecordNotFoundError(error)) {
+ throw new GraphQLError(
+ `No resource was found for ${JSON.stringify(args.where)}`
+ );
+ }
+ throw error;
+ }
+ }
+
+ @graphql.ResolveField(() => [Order], { name: "orders" })
+ async resolveFieldOrders(
+ @graphql.Parent() parent: Product,
+ @graphql.Args() args: OrderFindManyArgs
+ ): Promise {
+ const results = await this.service.findOrders(parent.id, args);
+
+ if (!results) {
+ return [];
+ }
+
+ return results;
+ }
+}
diff --git a/apps/titiksha-agrawal/src/product/base/product.service.base.ts b/apps/titiksha-agrawal/src/product/base/product.service.base.ts
new file mode 100644
index 0000000..582eed0
--- /dev/null
+++ b/apps/titiksha-agrawal/src/product/base/product.service.base.ts
@@ -0,0 +1,60 @@
+/*
+------------------------------------------------------------------------------
+This code was generated by Amplication.
+
+Changes to this file will be lost if the code is regenerated.
+
+There are other ways to to customize your code, see this doc to learn more
+https://docs.amplication.com/how-to/custom-code
+
+------------------------------------------------------------------------------
+ */
+import { PrismaService } from "../../prisma/prisma.service";
+import { Prisma, Product, Order } from "@prisma/client";
+
+export class ProductServiceBase {
+ constructor(protected readonly prisma: PrismaService) {}
+
+ async count(
+ args: Prisma.SelectSubset
+ ): Promise {
+ return this.prisma.product.count(args);
+ }
+
+ async findMany(
+ args: Prisma.SelectSubset
+ ): Promise {
+ return this.prisma.product.findMany(args);
+ }
+ async findOne(
+ args: Prisma.SelectSubset
+ ): Promise {
+ return this.prisma.product.findUnique(args);
+ }
+ async create(
+ args: Prisma.SelectSubset
+ ): Promise {
+ return this.prisma.product.create(args);
+ }
+ async update(
+ args: Prisma.SelectSubset
+ ): Promise {
+ return this.prisma.product.update(args);
+ }
+ async delete(
+ args: Prisma.SelectSubset
+ ): Promise {
+ return this.prisma.product.delete(args);
+ }
+
+ async findOrders(
+ parentId: string,
+ args: Prisma.OrderFindManyArgs
+ ): Promise {
+ return this.prisma.product
+ .findUniqueOrThrow({
+ where: { id: parentId },
+ })
+ .orders(args);
+ }
+}
diff --git a/apps/titiksha-agrawal/src/product/product.controller.ts b/apps/titiksha-agrawal/src/product/product.controller.ts
new file mode 100644
index 0000000..26146c8
--- /dev/null
+++ b/apps/titiksha-agrawal/src/product/product.controller.ts
@@ -0,0 +1,12 @@
+import * as common from "@nestjs/common";
+import * as swagger from "@nestjs/swagger";
+import { ProductService } from "./product.service";
+import { ProductControllerBase } from "./base/product.controller.base";
+
+@swagger.ApiTags("products")
+@common.Controller("products")
+export class ProductController extends ProductControllerBase {
+ constructor(protected readonly service: ProductService) {
+ super(service);
+ }
+}
diff --git a/apps/titiksha-agrawal/src/product/product.module.ts b/apps/titiksha-agrawal/src/product/product.module.ts
new file mode 100644
index 0000000..2fa2eec
--- /dev/null
+++ b/apps/titiksha-agrawal/src/product/product.module.ts
@@ -0,0 +1,13 @@
+import { Module } from "@nestjs/common";
+import { ProductModuleBase } from "./base/product.module.base";
+import { ProductService } from "./product.service";
+import { ProductController } from "./product.controller";
+import { ProductResolver } from "./product.resolver";
+
+@Module({
+ imports: [ProductModuleBase],
+ controllers: [ProductController],
+ providers: [ProductService, ProductResolver],
+ exports: [ProductService],
+})
+export class ProductModule {}
diff --git a/apps/titiksha-agrawal/src/product/product.resolver.ts b/apps/titiksha-agrawal/src/product/product.resolver.ts
new file mode 100644
index 0000000..ee69784
--- /dev/null
+++ b/apps/titiksha-agrawal/src/product/product.resolver.ts
@@ -0,0 +1,11 @@
+import * as graphql from "@nestjs/graphql";
+import { ProductResolverBase } from "./base/product.resolver.base";
+import { Product } from "./base/Product";
+import { ProductService } from "./product.service";
+
+@graphql.Resolver(() => Product)
+export class ProductResolver extends ProductResolverBase {
+ constructor(protected readonly service: ProductService) {
+ super(service);
+ }
+}
diff --git a/apps/titiksha-agrawal/src/product/product.service.ts b/apps/titiksha-agrawal/src/product/product.service.ts
new file mode 100644
index 0000000..9be8d4b
--- /dev/null
+++ b/apps/titiksha-agrawal/src/product/product.service.ts
@@ -0,0 +1,10 @@
+import { Injectable } from "@nestjs/common";
+import { PrismaService } from "../prisma/prisma.service";
+import { ProductServiceBase } from "./base/product.service.base";
+
+@Injectable()
+export class ProductService extends ProductServiceBase {
+ constructor(protected readonly prisma: PrismaService) {
+ super(prisma);
+ }
+}
diff --git a/apps/titiksha-agrawal/src/providers/secrets/base/secretsManager.service.base.spec.ts b/apps/titiksha-agrawal/src/providers/secrets/base/secretsManager.service.base.spec.ts
new file mode 100644
index 0000000..beb2607
--- /dev/null
+++ b/apps/titiksha-agrawal/src/providers/secrets/base/secretsManager.service.base.spec.ts
@@ -0,0 +1,39 @@
+import { ConfigService } from "@nestjs/config";
+import { mock } from "jest-mock-extended";
+import { SecretsManagerServiceBase } from "./secretsManager.service.base";
+
+describe("Testing the secrets manager base class", () => {
+ const SECRET_KEY = "SECRET_KEY";
+ const SECRET_VALUE = "SECRET_VALUE";
+ const configService = mock();
+ const secretsManagerServiceBase = new SecretsManagerServiceBase(
+ configService
+ );
+ beforeEach(() => {
+ configService.get.mockClear();
+ });
+ it("should return value from env", async () => {
+ //ARRANGE
+ configService.get.mockReturnValue(SECRET_VALUE);
+ //ACT
+ const result = await secretsManagerServiceBase.getSecret(SECRET_KEY);
+ //ASSERT
+ expect(result).toBe(SECRET_VALUE);
+ });
+ it("should return null for unknown keys", async () => {
+ //ARRANGE
+ configService.get.mockReturnValue(undefined);
+ //ACT
+ const result = await secretsManagerServiceBase.getSecret(SECRET_KEY);
+ //ASSERT
+ expect(result).toBeNull();
+ });
+ it("should throw error if dont get key", () => {
+ return expect(secretsManagerServiceBase.getSecret("")).rejects.toThrow();
+ });
+ it("should throw an exception if getting null key", () => {
+ return expect(
+ secretsManagerServiceBase.getSecret(null as unknown as string)
+ ).rejects.toThrow();
+ });
+});
diff --git a/apps/titiksha-agrawal/src/providers/secrets/base/secretsManager.service.base.ts b/apps/titiksha-agrawal/src/providers/secrets/base/secretsManager.service.base.ts
new file mode 100644
index 0000000..18a340b
--- /dev/null
+++ b/apps/titiksha-agrawal/src/providers/secrets/base/secretsManager.service.base.ts
@@ -0,0 +1,19 @@
+import { ConfigService } from "@nestjs/config";
+
+export interface ISecretsManager {
+ getSecret: (key: string) => Promise;
+}
+
+export class SecretsManagerServiceBase implements ISecretsManager {
+ constructor(protected readonly configService: ConfigService) {}
+ async getSecret(key: string): Promise {
+ if (!key) {
+ throw new Error("Didn't got the key");
+ }
+ const value = this.configService.get(key);
+ if (value) {
+ return value;
+ }
+ return null;
+ }
+}
diff --git a/apps/titiksha-agrawal/src/providers/secrets/secretsManager.module.ts b/apps/titiksha-agrawal/src/providers/secrets/secretsManager.module.ts
new file mode 100644
index 0000000..3a621e4
--- /dev/null
+++ b/apps/titiksha-agrawal/src/providers/secrets/secretsManager.module.ts
@@ -0,0 +1,8 @@
+import { Module } from "@nestjs/common";
+import { SecretsManagerService } from "./secretsManager.service";
+
+@Module({
+ providers: [SecretsManagerService],
+ exports: [SecretsManagerService],
+})
+export class SecretsManagerModule {}
diff --git a/apps/titiksha-agrawal/src/providers/secrets/secretsManager.service.ts b/apps/titiksha-agrawal/src/providers/secrets/secretsManager.service.ts
new file mode 100644
index 0000000..89907c3
--- /dev/null
+++ b/apps/titiksha-agrawal/src/providers/secrets/secretsManager.service.ts
@@ -0,0 +1,10 @@
+import { Injectable } from "@nestjs/common";
+import { ConfigService } from "@nestjs/config";
+import { SecretsManagerServiceBase } from "./base/secretsManager.service.base";
+
+@Injectable()
+export class SecretsManagerService extends SecretsManagerServiceBase {
+ constructor(protected readonly configService: ConfigService) {
+ super(configService);
+ }
+}
diff --git a/apps/titiksha-agrawal/src/serveStaticOptions.service.ts b/apps/titiksha-agrawal/src/serveStaticOptions.service.ts
new file mode 100644
index 0000000..390248b
--- /dev/null
+++ b/apps/titiksha-agrawal/src/serveStaticOptions.service.ts
@@ -0,0 +1,39 @@
+import * as path from "path";
+import { Injectable, Logger } from "@nestjs/common";
+import { ConfigService } from "@nestjs/config";
+import {
+ ServeStaticModuleOptions,
+ ServeStaticModuleOptionsFactory,
+} from "@nestjs/serve-static";
+
+const SERVE_STATIC_ROOT_PATH_VAR = "SERVE_STATIC_ROOT_PATH";
+const DEFAULT_STATIC_MODULE_OPTIONS_LIST: ServeStaticModuleOptions[] = [
+ {
+ serveRoot: "/swagger",
+ rootPath: path.join(__dirname, "swagger"),
+ },
+];
+
+@Injectable()
+export class ServeStaticOptionsService
+ implements ServeStaticModuleOptionsFactory
+{
+ private readonly logger = new Logger(ServeStaticOptionsService.name);
+
+ constructor(private readonly configService: ConfigService) {}
+
+ createLoggerOptions(): ServeStaticModuleOptions[] {
+ const serveStaticRootPath = this.configService.get(
+ SERVE_STATIC_ROOT_PATH_VAR
+ );
+ if (serveStaticRootPath) {
+ const resolvedPath = path.resolve(serveStaticRootPath);
+ this.logger.log(`Serving static files from ${resolvedPath}`);
+ return [
+ ...DEFAULT_STATIC_MODULE_OPTIONS_LIST,
+ { rootPath: resolvedPath, exclude: ["/api*", "/graphql"] },
+ ];
+ }
+ return DEFAULT_STATIC_MODULE_OPTIONS_LIST;
+ }
+}
diff --git a/apps/titiksha-agrawal/src/swagger.ts b/apps/titiksha-agrawal/src/swagger.ts
new file mode 100644
index 0000000..2f53de1
--- /dev/null
+++ b/apps/titiksha-agrawal/src/swagger.ts
@@ -0,0 +1,20 @@
+import { DocumentBuilder, SwaggerCustomOptions } from "@nestjs/swagger";
+
+export const swaggerPath = "api";
+
+export const swaggerDocumentOptions = new DocumentBuilder()
+ .setTitle("TitikshaAgrawal")
+ .setDescription(
+ 'Sample service for e-commerce\n\n## Congratulations! Your service resource is ready.\n \nPlease note that all endpoints are secured with JWT Bearer authentication.\nBy default, your service resource comes with one user with the username "admin" and password "admin".\nLearn more in [our docs](https://docs.amplication.com)'
+ )
+ .addBearerAuth()
+ .build();
+
+export const swaggerSetupOptions: SwaggerCustomOptions = {
+ swaggerOptions: {
+ persistAuthorization: true,
+ },
+ customCssUrl: "../swagger/swagger.css",
+ customfavIcon: "../swagger/favicon.png",
+ customSiteTitle: "TitikshaAgrawal",
+};
diff --git a/apps/titiksha-agrawal/src/swagger/favicon.png b/apps/titiksha-agrawal/src/swagger/favicon.png
new file mode 100644
index 0000000..a79882d
Binary files /dev/null and b/apps/titiksha-agrawal/src/swagger/favicon.png differ
diff --git a/apps/titiksha-agrawal/src/swagger/logo-amplication-white.svg b/apps/titiksha-agrawal/src/swagger/logo-amplication-white.svg
new file mode 100644
index 0000000..0054cd4
--- /dev/null
+++ b/apps/titiksha-agrawal/src/swagger/logo-amplication-white.svg
@@ -0,0 +1,15 @@
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
diff --git a/apps/titiksha-agrawal/src/swagger/swagger.css b/apps/titiksha-agrawal/src/swagger/swagger.css
new file mode 100644
index 0000000..b7c4037
--- /dev/null
+++ b/apps/titiksha-agrawal/src/swagger/swagger.css
@@ -0,0 +1,321 @@
+html,
+body {
+ background-color: #f4f4f7;
+}
+
+body {
+ margin: auto;
+ line-height: 1.6;
+ font-family: "Poppins", -apple-system, BlinkMacSystemFont, "Segoe UI",
+ "Roboto", "Oxygen", "Ubuntu", "Cantarell", "Fira Sans", "Droid Sans",
+ "Helvetica Neue", sans-serif;
+ color: #121242;
+}
+
+.swagger-ui {
+ font-family: "Poppins", -apple-system, BlinkMacSystemFont, "Segoe UI",
+ "Roboto", "Oxygen", "Ubuntu", "Cantarell", "Fira Sans", "Droid Sans",
+ "Helvetica Neue", sans-serif;
+}
+
+.swagger-ui button,
+.swagger-ui input,
+.swagger-ui optgroup,
+.swagger-ui select,
+.swagger-ui textarea,
+.swagger-ui .parameter__name,
+.swagger-ui .parameters-col_name > *,
+.swagger-ui label {
+ font-family: "Poppins", -apple-system, BlinkMacSystemFont, "Segoe UI",
+ "Roboto", "Oxygen", "Ubuntu", "Cantarell", "Fira Sans", "Droid Sans",
+ "Helvetica Neue", sans-serif;
+ font-weight: normal;
+ font-size: 12px;
+ outline: none;
+}
+
+.swagger-ui textarea {
+ border: 1px solid #d0d0d9;
+ min-height: 100px;
+}
+
+.swagger-ui input[type="email"],
+.swagger-ui input[type="file"],
+.swagger-ui input[type="password"],
+.swagger-ui input[type="search"],
+.swagger-ui input[type="text"],
+.swagger-ui textarea {
+ border-radius: 3px;
+}
+
+.swagger-ui input[disabled],
+.swagger-ui select[disabled],
+.swagger-ui textarea[disabled] {
+ background: #f4f4f7;
+ color: #b8b8c6;
+}
+
+.swagger-ui .btn {
+ font-family: "Poppins", -apple-system, BlinkMacSystemFont, "Segoe UI",
+ "Roboto", "Oxygen", "Ubuntu", "Cantarell", "Fira Sans", "Droid Sans",
+ "Helvetica Neue", sans-serif;
+ font-weight: 500;
+ box-shadow: none;
+ border: 1px solid #d0d0d9;
+ height: 28px;
+ border-radius: 14px;
+ background-color: #fff;
+ color: #7950ed;
+}
+
+.swagger-ui .btn:hover {
+ box-shadow: none;
+}
+
+/* topbar */
+
+.swagger-ui .topbar {
+ background-color: #7950ed;
+ height: 80px;
+ padding: 0;
+ display: flex;
+ flex-direction: row;
+ align-items: center;
+ justify-content: flex-start;
+}
+
+.swagger-ui .topbar-wrapper a {
+ display: block;
+ width: 206px;
+ height: 35px;
+ background-image: url("logo-amplication-white.svg");
+ background-repeat: no-repeat;
+ background-size: contain;
+}
+
+.swagger-ui .topbar-wrapper svg,
+.swagger-ui .topbar-wrapper img {
+ display: none;
+}
+
+/* title */
+.swagger-ui .info {
+ margin: 0;
+}
+
+.swagger-ui .info .title {
+ font-family: "Poppins", -apple-system, BlinkMacSystemFont, "Segoe UI",
+ "Roboto", "Oxygen", "Ubuntu", "Cantarell", "Fira Sans", "Droid Sans",
+ "Helvetica Neue", sans-serif;
+ font-size: 32px;
+ font-weight: 600;
+}
+
+.swagger-ui .information-container {
+ padding-top: 50px;
+ padding-bottom: 20px;
+ position: relative;
+}
+
+.swagger-ui .info .title small.version-stamp {
+ display: none;
+}
+
+.swagger-ui .info .title small {
+ background-color: #a787ff;
+}
+
+.swagger-ui .info .description p {
+ max-width: 1000px;
+ margin: 0;
+}
+
+.swagger-ui .info .description p,
+.swagger-ui .info .description a {
+ font-size: 1rem;
+}
+
+.swagger-ui .information-container section {
+ position: relative;
+}
+
+.swagger-ui .scheme-container {
+ box-shadow: none;
+ background-color: transparent;
+ position: relative;
+ margin: 0;
+ margin-top: 20px;
+ margin-bottom: 20px;
+ padding: 0;
+}
+
+.swagger-ui .scheme-container .auth-wrapper {
+ justify-content: flex-start;
+}
+
+.swagger-ui .btn.authorize {
+ box-shadow: none;
+ border: 1px solid #d0d0d9;
+ height: 40px;
+ border-radius: 20px;
+ background-color: #fff;
+ color: #7950ed;
+}
+
+.swagger-ui .btn.authorize svg {
+ fill: #7950ed;
+}
+
+/* content */
+
+.swagger-ui .opblock-tag {
+ font-family: "Poppins", -apple-system, BlinkMacSystemFont, "Segoe UI",
+ "Roboto", "Oxygen", "Ubuntu", "Cantarell", "Fira Sans", "Droid Sans",
+ "Helvetica Neue", sans-serif;
+ font-size: 28px;
+ font-weight: 600;
+}
+
+.swagger-ui .opblock.is-open .opblock-summary {
+ border-color: #e7e7ec !important;
+ border-bottom: none;
+}
+
+.swagger-ui .opblock .opblock-section-header {
+ background-color: #fff;
+ border: none;
+ border-top: 1px solid #e7e7ec;
+ border-bottom: 1px solid #e7e7ec;
+ box-shadow: none;
+}
+
+.swagger-ui .opblock .tab-header .tab-item.active h4 span:after {
+ display: none;
+}
+
+.swagger-ui .opblock.opblock-post {
+ border: 1px solid #e7e7ec;
+ background: #f9f9fa;
+ box-shadow: none;
+ color: #fff;
+}
+
+.swagger-ui .opblock.opblock-post:hover,
+.swagger-ui .opblock.opblock-post.is-open {
+ border-color: #31c587;
+}
+
+.swagger-ui .opblock.opblock-post .opblock-summary-method {
+ background-color: #31c587;
+}
+
+.swagger-ui .opblock.opblock-get {
+ border: 1px solid #e7e7ec;
+ background: #f9f9fa;
+ box-shadow: none;
+}
+.swagger-ui .opblock.opblock-get:hover,
+.swagger-ui .opblock.opblock-get.is-open {
+ border-color: #20a4f3;
+}
+.swagger-ui .opblock.opblock-get .opblock-summary-method {
+ background-color: #20a4f3;
+}
+
+.swagger-ui .opblock.opblock-delete {
+ border: 1px solid #e7e7ec;
+ background: #f9f9fa;
+ box-shadow: none;
+}
+.swagger-ui .opblock.opblock-delete:hover,
+.swagger-ui .opblock.opblock-delete.is-open {
+ border-color: #e93c51;
+}
+.swagger-ui .opblock.opblock-delete .opblock-summary-method {
+ background-color: #e93c51;
+}
+
+.swagger-ui .opblock.opblock-patch {
+ border: 1px solid #e7e7ec;
+ background: #f9f9fa;
+ box-shadow: none;
+}
+.swagger-ui .opblock.opblock-patch:hover,
+.swagger-ui .opblock.opblock-patch.is-open {
+ border-color: #41cadd;
+}
+.swagger-ui .opblock.opblock-patch .opblock-summary-method {
+ background-color: #41cadd;
+}
+
+.swagger-ui .opblock-body pre {
+ background-color: #121242 !important;
+}
+
+.swagger-ui select,
+.swagger-ui .response-control-media-type--accept-controller select {
+ border: 1px solid #d0d0d9;
+ box-shadow: none;
+ outline: none;
+}
+
+/* models */
+
+.swagger-ui section.models {
+ background-color: #fff;
+ border: 1px solid #e7e7ec;
+}
+
+.swagger-ui section.models.is-open h4 {
+ border-bottom: 1px solid #e7e7ec;
+}
+
+.swagger-ui section.models .model-container,
+.swagger-ui section.models .model-container:hover {
+ background-color: #f4f4f7;
+ color: #121242;
+}
+
+.swagger-ui .model-title {
+ font-family: "Poppins", -apple-system, BlinkMacSystemFont, "Segoe UI",
+ "Roboto", "Oxygen", "Ubuntu", "Cantarell", "Fira Sans", "Droid Sans",
+ "Helvetica Neue", sans-serif;
+ font-weight: normal;
+ font-size: 15px;
+ color: #121242;
+}
+
+/* modal */
+
+.swagger-ui .dialog-ux .modal-ux-header h3,
+.swagger-ui .dialog-ux .modal-ux-content h4,
+.swagger-ui .dialog-ux .modal-ux-content h4 code {
+ font-family: "Poppins", -apple-system, BlinkMacSystemFont, "Segoe UI",
+ "Roboto", "Oxygen", "Ubuntu", "Cantarell", "Fira Sans", "Droid Sans",
+ "Helvetica Neue", sans-serif;
+ font-weight: normal;
+ font-size: 15px;
+ color: #121242;
+}
+
+.swagger-ui .dialog-ux .modal-ux-content .btn.authorize {
+ height: 28px;
+ border-radius: 14px;
+}
+
+.swagger-ui .auth-btn-wrapper {
+ display: flex;
+ flex-direction: row-reverse;
+ align-items: center;
+ justify-content: flex-start;
+}
+
+.swagger-ui .auth-btn-wrapper .btn-done {
+ border: none;
+ color: #121242;
+ margin-right: 0;
+}
+
+.swagger-ui .authorization__btn {
+ fill: #414168;
+}
diff --git a/apps/titiksha-agrawal/src/tests/health/health.service.spec.ts b/apps/titiksha-agrawal/src/tests/health/health.service.spec.ts
new file mode 100644
index 0000000..4b191f1
--- /dev/null
+++ b/apps/titiksha-agrawal/src/tests/health/health.service.spec.ts
@@ -0,0 +1,36 @@
+import { mock } from "jest-mock-extended";
+import { PrismaService } from "../../prisma/prisma.service";
+import { HealthServiceBase } from "../../health/base/health.service.base";
+
+describe("Testing the HealthServiceBase", () => {
+ //ARRANGE
+ let prismaService: PrismaService;
+ let healthServiceBase: HealthServiceBase;
+
+ describe("Testing the isDbReady function in HealthServiceBase class", () => {
+ beforeEach(() => {
+ prismaService = mock();
+ healthServiceBase = new HealthServiceBase(prismaService);
+ });
+ it("should return true if allow connection to db", async () => {
+ //ARRANGE
+ (prismaService.$queryRaw as jest.Mock).mockReturnValue(
+ Promise.resolve(true)
+ );
+ //ACT
+ const response = await healthServiceBase.isDbReady();
+ //ASSERT
+ expect(response).toBe(true);
+ });
+ it("should return false if db is not available", async () => {
+ //ARRANGE
+ (prismaService.$queryRaw as jest.Mock).mockReturnValue(
+ Promise.reject(false)
+ );
+ //ACT
+ const response = await healthServiceBase.isDbReady();
+ //ASSERT
+ expect(response).toBe(false);
+ });
+ });
+});
diff --git a/apps/titiksha-agrawal/src/types.ts b/apps/titiksha-agrawal/src/types.ts
new file mode 100644
index 0000000..f762a5d
--- /dev/null
+++ b/apps/titiksha-agrawal/src/types.ts
@@ -0,0 +1,3 @@
+import type { JsonValue } from "type-fest";
+
+export type InputJsonValue = Omit;
diff --git a/apps/titiksha-agrawal/src/util/BooleanFilter.ts b/apps/titiksha-agrawal/src/util/BooleanFilter.ts
new file mode 100644
index 0000000..75f4e34
--- /dev/null
+++ b/apps/titiksha-agrawal/src/util/BooleanFilter.ts
@@ -0,0 +1,32 @@
+import { Field, InputType } from "@nestjs/graphql";
+import { ApiProperty } from "@nestjs/swagger";
+import { IsOptional } from "class-validator";
+import { Type } from "class-transformer";
+
+@InputType({
+ isAbstract: true,
+ description: undefined,
+})
+export class BooleanFilter {
+ @ApiProperty({
+ required: false,
+ type: Boolean,
+ })
+ @IsOptional()
+ @Field(() => Boolean, {
+ nullable: true,
+ })
+ @Type(() => Boolean)
+ equals?: boolean;
+
+ @ApiProperty({
+ required: false,
+ type: Boolean,
+ })
+ @IsOptional()
+ @Field(() => Boolean, {
+ nullable: true,
+ })
+ @Type(() => Boolean)
+ not?: boolean;
+}
diff --git a/apps/titiksha-agrawal/src/util/BooleanNullableFilter.ts b/apps/titiksha-agrawal/src/util/BooleanNullableFilter.ts
new file mode 100644
index 0000000..9f48ac1
--- /dev/null
+++ b/apps/titiksha-agrawal/src/util/BooleanNullableFilter.ts
@@ -0,0 +1,31 @@
+import { Field, InputType } from "@nestjs/graphql";
+import { ApiProperty } from "@nestjs/swagger";
+import { IsOptional } from "class-validator";
+import { Type } from "class-transformer";
+@InputType({
+ isAbstract: true,
+ description: undefined,
+})
+export class BooleanNullableFilter {
+ @ApiProperty({
+ required: false,
+ type: Boolean,
+ })
+ @IsOptional()
+ @Field(() => Boolean, {
+ nullable: true,
+ })
+ @Type(() => Boolean)
+ equals?: boolean | null;
+
+ @ApiProperty({
+ required: false,
+ type: Boolean,
+ })
+ @IsOptional()
+ @Field(() => Boolean, {
+ nullable: true,
+ })
+ @Type(() => Boolean)
+ not?: boolean | null;
+}
diff --git a/apps/titiksha-agrawal/src/util/DateTimeFilter.ts b/apps/titiksha-agrawal/src/util/DateTimeFilter.ts
new file mode 100644
index 0000000..d2b6dfb
--- /dev/null
+++ b/apps/titiksha-agrawal/src/util/DateTimeFilter.ts
@@ -0,0 +1,97 @@
+import { Field, InputType } from "@nestjs/graphql";
+import { ApiProperty } from "@nestjs/swagger";
+import { IsOptional } from "class-validator";
+import { Type } from "class-transformer";
+@InputType({
+ isAbstract: true,
+ description: undefined,
+})
+export class DateTimeFilter {
+ @ApiProperty({
+ required: false,
+ type: Date,
+ })
+ @IsOptional()
+ @Field(() => Date, {
+ nullable: true,
+ })
+ @Type(() => Date)
+ equals?: Date;
+
+ @ApiProperty({
+ required: false,
+ type: Date,
+ })
+ @IsOptional()
+ @Field(() => Date, {
+ nullable: true,
+ })
+ @Type(() => Date)
+ not?: Date;
+
+ @ApiProperty({
+ required: false,
+ type: [Date],
+ })
+ @IsOptional()
+ @Field(() => [Date], {
+ nullable: true,
+ })
+ @Type(() => Date)
+ in?: Date[];
+
+ @ApiProperty({
+ required: false,
+ type: [Date],
+ })
+ @IsOptional()
+ @Field(() => [Date], {
+ nullable: true,
+ })
+ @Type(() => Date)
+ notIn?: Date[];
+
+ @ApiProperty({
+ required: false,
+ type: Date,
+ })
+ @IsOptional()
+ @Field(() => Date, {
+ nullable: true,
+ })
+ @Type(() => Date)
+ lt?: Date;
+
+ @ApiProperty({
+ required: false,
+ type: Date,
+ })
+ @IsOptional()
+ @Field(() => Date, {
+ nullable: true,
+ })
+ @Type(() => Date)
+ lte?: Date;
+
+ @ApiProperty({
+ required: false,
+ type: Date,
+ })
+ @IsOptional()
+ @Field(() => Date, {
+ nullable: true,
+ })
+ @Type(() => Date)
+ gt?: Date;
+
+ @ApiProperty({
+ required: false,
+ type: Date,
+ })
+ @IsOptional()
+ @Field(() => Date, {
+ nullable: true,
+ })
+ @Type(() => Date)
+ gte?: Date;
+}
diff --git a/apps/titiksha-agrawal/src/util/DateTimeNullableFilter.ts b/apps/titiksha-agrawal/src/util/DateTimeNullableFilter.ts
new file mode 100644
index 0000000..ccc00a5
--- /dev/null
+++ b/apps/titiksha-agrawal/src/util/DateTimeNullableFilter.ts
@@ -0,0 +1,97 @@
+import { Field, InputType } from "@nestjs/graphql";
+import { ApiProperty } from "@nestjs/swagger";
+import { IsOptional } from "class-validator";
+import { Type } from "class-transformer";
+@InputType({
+ isAbstract: true,
+ description: undefined,
+})
+export class DateTimeNullableFilter {
+ @ApiProperty({
+ required: false,
+ type: Date,
+ })
+ @IsOptional()
+ @Field(() => Date, {
+ nullable: true,
+ })
+ @Type(() => Date)
+ equals?: Date | null;
+
+ @ApiProperty({
+ required: false,
+ type: [Date],
+ })
+ @IsOptional()
+ @Field(() => [Date], {
+ nullable: true,
+ })
+ @Type(() => Date)
+ in?: Date[] | null;
+
+ @ApiProperty({
+ required: false,
+ type: [Date],
+ })
+ @IsOptional()
+ @Field(() => [Date], {
+ nullable: true,
+ })
+ @Type(() => Date)
+ notIn?: Date[] | null;
+
+ @ApiProperty({
+ required: false,
+ type: Date,
+ })
+ @IsOptional()
+ @Field(() => Date, {
+ nullable: true,
+ })
+ @Type(() => Date)
+ lt?: Date;
+
+ @ApiProperty({
+ required: false,
+ type: Date,
+ })
+ @IsOptional()
+ @Field(() => Date, {
+ nullable: true,
+ })
+ @Type(() => Date)
+ lte?: Date;
+
+ @ApiProperty({
+ required: false,
+ type: Date,
+ })
+ @IsOptional()
+ @Field(() => Date, {
+ nullable: true,
+ })
+ @Type(() => Date)
+ gt?: Date;
+
+ @ApiProperty({
+ required: false,
+ type: Date,
+ })
+ @IsOptional()
+ @Field(() => Date, {
+ nullable: true,
+ })
+ @Type(() => Date)
+ gte?: Date;
+
+ @ApiProperty({
+ required: false,
+ type: Date,
+ })
+ @IsOptional()
+ @Field(() => Date, {
+ nullable: true,
+ })
+ @Type(() => Date)
+ not?: Date;
+}
diff --git a/apps/titiksha-agrawal/src/util/FloatFilter.ts b/apps/titiksha-agrawal/src/util/FloatFilter.ts
new file mode 100644
index 0000000..a3266d2
--- /dev/null
+++ b/apps/titiksha-agrawal/src/util/FloatFilter.ts
@@ -0,0 +1,98 @@
+import { Field, InputType, Float } from "@nestjs/graphql";
+import { ApiProperty } from "@nestjs/swagger";
+import { IsOptional } from "class-validator";
+import { Type } from "class-transformer";
+
+@InputType({
+ isAbstract: true,
+ description: undefined,
+})
+export class FloatFilter {
+ @ApiProperty({
+ required: false,
+ type: Number,
+ })
+ @IsOptional()
+ @Field(() => Float, {
+ nullable: true,
+ })
+ @Type(() => Number)
+ equals?: number;
+
+ @ApiProperty({
+ required: false,
+ type: Number,
+ })
+ @IsOptional()
+ @Field(() => [Float], {
+ nullable: true,
+ })
+ @Type(() => Number)
+ in?: number[];
+
+ @ApiProperty({
+ required: false,
+ type: [Number],
+ })
+ @IsOptional()
+ @Field(() => [Float], {
+ nullable: true,
+ })
+ @Type(() => Number)
+ notIn?: number[];
+
+ @ApiProperty({
+ required: false,
+ type: Number,
+ })
+ @IsOptional()
+ @Field(() => Float, {
+ nullable: true,
+ })
+ @Type(() => Number)
+ lt?: number;
+
+ @ApiProperty({
+ required: false,
+ type: Number,
+ })
+ @IsOptional()
+ @Field(() => Float, {
+ nullable: true,
+ })
+ @Type(() => Number)
+ lte?: number;
+
+ @ApiProperty({
+ required: false,
+ type: Number,
+ })
+ @IsOptional()
+ @Field(() => Float, {
+ nullable: true,
+ })
+ @Type(() => Number)
+ gt?: number;
+
+ @ApiProperty({
+ required: false,
+ type: Number,
+ })
+ @IsOptional()
+ @Field(() => Float, {
+ nullable: true,
+ })
+ @Type(() => Number)
+ gte?: number;
+
+ @ApiProperty({
+ required: false,
+ type: Number,
+ })
+ @IsOptional()
+ @Field(() => Float, {
+ nullable: true,
+ })
+ @Type(() => Number)
+ not?: number;
+}
diff --git a/apps/titiksha-agrawal/src/util/FloatNullableFilter.ts b/apps/titiksha-agrawal/src/util/FloatNullableFilter.ts
new file mode 100644
index 0000000..feb0fc5
--- /dev/null
+++ b/apps/titiksha-agrawal/src/util/FloatNullableFilter.ts
@@ -0,0 +1,98 @@
+import { Field, InputType, Float } from "@nestjs/graphql";
+import { ApiProperty } from "@nestjs/swagger";
+import { IsOptional } from "class-validator";
+import { Type } from "class-transformer";
+
+@InputType({
+ isAbstract: true,
+ description: undefined,
+})
+export class FloatNullableFilter {
+ @ApiProperty({
+ required: false,
+ type: Number,
+ })
+ @IsOptional()
+ @Field(() => Float, {
+ nullable: true,
+ })
+ @Type(() => Number)
+ equals?: number | null;
+
+ @ApiProperty({
+ required: false,
+ type: [Number],
+ })
+ @IsOptional()
+ @Field(() => [Float], {
+ nullable: true,
+ })
+ @Type(() => Number)
+ in?: number[] | null;
+
+ @ApiProperty({
+ required: false,
+ type: [Number],
+ })
+ @IsOptional()
+ @Field(() => [Float], {
+ nullable: true,
+ })
+ @Type(() => Number)
+ notIn?: number[] | null;
+
+ @ApiProperty({
+ required: false,
+ type: Number,
+ })
+ @IsOptional()
+ @Field(() => Float, {
+ nullable: true,
+ })
+ @Type(() => Number)
+ lt?: number;
+
+ @ApiProperty({
+ required: false,
+ type: Number,
+ })
+ @IsOptional()
+ @Field(() => Float, {
+ nullable: true,
+ })
+ @Type(() => Number)
+ lte?: number;
+
+ @ApiProperty({
+ required: false,
+ type: Number,
+ })
+ @IsOptional()
+ @Field(() => Float, {
+ nullable: true,
+ })
+ @Type(() => Number)
+ gt?: number;
+
+ @ApiProperty({
+ required: false,
+ type: Number,
+ })
+ @IsOptional()
+ @Field(() => Float, {
+ nullable: true,
+ })
+ @Type(() => Number)
+ gte?: number;
+
+ @ApiProperty({
+ required: false,
+ type: Number,
+ })
+ @IsOptional()
+ @Field(() => Float, {
+ nullable: true,
+ })
+ @Type(() => Number)
+ not?: number;
+}
diff --git a/apps/titiksha-agrawal/src/util/IntFilter.ts b/apps/titiksha-agrawal/src/util/IntFilter.ts
new file mode 100644
index 0000000..f6880e7
--- /dev/null
+++ b/apps/titiksha-agrawal/src/util/IntFilter.ts
@@ -0,0 +1,98 @@
+import { Field, InputType, Int } from "@nestjs/graphql";
+import { ApiProperty } from "@nestjs/swagger";
+import { IsOptional } from "class-validator";
+import { Type } from "class-transformer";
+
+@InputType({
+ isAbstract: true,
+ description: undefined,
+})
+export class IntFilter {
+ @ApiProperty({
+ required: false,
+ type: Number,
+ })
+ @IsOptional()
+ @Field(() => Int, {
+ nullable: true,
+ })
+ @Type(() => Number)
+ equals?: number;
+
+ @ApiProperty({
+ required: false,
+ type: [Number],
+ })
+ @IsOptional()
+ @Field(() => [Int], {
+ nullable: true,
+ })
+ @Type(() => Number)
+ in?: number[];
+
+ @ApiProperty({
+ required: false,
+ type: [Number],
+ })
+ @IsOptional()
+ @Field(() => [Int], {
+ nullable: true,
+ })
+ @Type(() => Number)
+ notIn?: number[];
+
+ @ApiProperty({
+ required: false,
+ type: Number,
+ })
+ @IsOptional()
+ @Field(() => Int, {
+ nullable: true,
+ })
+ @Type(() => Number)
+ lt?: number;
+
+ @ApiProperty({
+ required: false,
+ type: Number,
+ })
+ @IsOptional()
+ @Field(() => Int, {
+ nullable: true,
+ })
+ @Type(() => Number)
+ lte?: number;
+
+ @ApiProperty({
+ required: false,
+ type: Number,
+ })
+ @IsOptional()
+ @Field(() => Int, {
+ nullable: true,
+ })
+ @Type(() => Number)
+ gt?: number;
+
+ @ApiProperty({
+ required: false,
+ type: Number,
+ })
+ @IsOptional()
+ @Field(() => Int, {
+ nullable: true,
+ })
+ @Type(() => Number)
+ gte?: number;
+
+ @ApiProperty({
+ required: false,
+ type: Number,
+ })
+ @IsOptional()
+ @Field(() => Int, {
+ nullable: true,
+ })
+ @Type(() => Number)
+ not?: number;
+}
diff --git a/apps/titiksha-agrawal/src/util/IntNullableFilter.ts b/apps/titiksha-agrawal/src/util/IntNullableFilter.ts
new file mode 100644
index 0000000..e3b71a3
--- /dev/null
+++ b/apps/titiksha-agrawal/src/util/IntNullableFilter.ts
@@ -0,0 +1,98 @@
+import { Field, InputType, Int } from "@nestjs/graphql";
+import { ApiProperty } from "@nestjs/swagger";
+import { IsOptional } from "class-validator";
+import { Type } from "class-transformer";
+
+@InputType({
+ isAbstract: true,
+ description: undefined,
+})
+export class IntNullableFilter {
+ @ApiProperty({
+ required: false,
+ type: Number,
+ })
+ @IsOptional()
+ @Field(() => Int, {
+ nullable: true,
+ })
+ @Type(() => Number)
+ equals?: number | null;
+
+ @ApiProperty({
+ required: false,
+ type: [Number],
+ })
+ @IsOptional()
+ @Field(() => [Int], {
+ nullable: true,
+ })
+ @Type(() => Number)
+ in?: number[] | null;
+
+ @ApiProperty({
+ required: false,
+ type: [Number],
+ })
+ @IsOptional()
+ @Field(() => [Int], {
+ nullable: true,
+ })
+ @Type(() => Number)
+ notIn?: number[] | null;
+
+ @ApiProperty({
+ required: false,
+ type: Number,
+ })
+ @IsOptional()
+ @Field(() => Int, {
+ nullable: true,
+ })
+ @Type(() => Number)
+ lt?: number;
+
+ @ApiProperty({
+ required: false,
+ type: Number,
+ })
+ @IsOptional()
+ @Field(() => Int, {
+ nullable: true,
+ })
+ @Type(() => Number)
+ lte?: number;
+
+ @ApiProperty({
+ required: false,
+ type: Number,
+ })
+ @IsOptional()
+ @Field(() => Int, {
+ nullable: true,
+ })
+ @Type(() => Number)
+ gt?: number;
+
+ @ApiProperty({
+ required: false,
+ type: Number,
+ })
+ @IsOptional()
+ @Field(() => Int, {
+ nullable: true,
+ })
+ @Type(() => Number)
+ gte?: number;
+
+ @ApiProperty({
+ required: false,
+ type: Number,
+ })
+ @IsOptional()
+ @Field(() => Int, {
+ nullable: true,
+ })
+ @Type(() => Number)
+ not?: number;
+}
diff --git a/apps/titiksha-agrawal/src/util/JsonFilter.ts b/apps/titiksha-agrawal/src/util/JsonFilter.ts
new file mode 100644
index 0000000..7040b74
--- /dev/null
+++ b/apps/titiksha-agrawal/src/util/JsonFilter.ts
@@ -0,0 +1,31 @@
+import { Field, InputType } from "@nestjs/graphql";
+import { ApiProperty } from "@nestjs/swagger";
+import { IsOptional } from "class-validator";
+import { GraphQLJSONObject } from "graphql-type-json";
+import { InputJsonValue } from "../types";
+
+@InputType({
+ isAbstract: true,
+ description: undefined,
+})
+export class JsonFilter {
+ @ApiProperty({
+ required: false,
+ type: GraphQLJSONObject,
+ })
+ @IsOptional()
+ @Field(() => GraphQLJSONObject, {
+ nullable: true,
+ })
+ equals?: InputJsonValue;
+
+ @ApiProperty({
+ required: false,
+ type: GraphQLJSONObject,
+ })
+ @IsOptional()
+ @Field(() => GraphQLJSONObject, {
+ nullable: true,
+ })
+ not?: InputJsonValue;
+}
diff --git a/apps/titiksha-agrawal/src/util/JsonNullableFilter.ts b/apps/titiksha-agrawal/src/util/JsonNullableFilter.ts
new file mode 100644
index 0000000..3381d52
--- /dev/null
+++ b/apps/titiksha-agrawal/src/util/JsonNullableFilter.ts
@@ -0,0 +1,31 @@
+import type { JsonValue } from "type-fest";
+import { Field, InputType } from "@nestjs/graphql";
+import { ApiProperty } from "@nestjs/swagger";
+import { IsOptional } from "class-validator";
+import { GraphQLJSONObject } from "graphql-type-json";
+
+@InputType({
+ isAbstract: true,
+ description: undefined,
+})
+export class JsonNullableFilter {
+ @ApiProperty({
+ required: false,
+ type: GraphQLJSONObject,
+ })
+ @IsOptional()
+ @Field(() => GraphQLJSONObject, {
+ nullable: true,
+ })
+ equals?: JsonValue;
+
+ @ApiProperty({
+ required: false,
+ type: GraphQLJSONObject,
+ })
+ @IsOptional()
+ @Field(() => GraphQLJSONObject, {
+ nullable: true,
+ })
+ not?: JsonValue;
+}
diff --git a/apps/titiksha-agrawal/src/util/MetaQueryPayload.ts b/apps/titiksha-agrawal/src/util/MetaQueryPayload.ts
new file mode 100644
index 0000000..fc30531
--- /dev/null
+++ b/apps/titiksha-agrawal/src/util/MetaQueryPayload.ts
@@ -0,0 +1,13 @@
+import { ObjectType, Field } from "@nestjs/graphql";
+import { ApiProperty } from "@nestjs/swagger";
+
+@ObjectType()
+class MetaQueryPayload {
+ @ApiProperty({
+ required: true,
+ type: [Number],
+ })
+ @Field(() => Number)
+ count!: number;
+}
+export { MetaQueryPayload };
diff --git a/apps/titiksha-agrawal/src/util/QueryMode.ts b/apps/titiksha-agrawal/src/util/QueryMode.ts
new file mode 100644
index 0000000..f9b1653
--- /dev/null
+++ b/apps/titiksha-agrawal/src/util/QueryMode.ts
@@ -0,0 +1,10 @@
+import { registerEnumType } from "@nestjs/graphql";
+
+export enum QueryMode {
+ Default = "default",
+ Insensitive = "insensitive",
+}
+registerEnumType(QueryMode, {
+ name: "QueryMode",
+ description: undefined,
+});
diff --git a/apps/titiksha-agrawal/src/util/SortOrder.ts b/apps/titiksha-agrawal/src/util/SortOrder.ts
new file mode 100644
index 0000000..d4108e6
--- /dev/null
+++ b/apps/titiksha-agrawal/src/util/SortOrder.ts
@@ -0,0 +1,10 @@
+import { registerEnumType } from "@nestjs/graphql";
+
+export enum SortOrder {
+ Asc = "asc",
+ Desc = "desc",
+}
+registerEnumType(SortOrder, {
+ name: "SortOrder",
+ description: undefined,
+});
diff --git a/apps/titiksha-agrawal/src/util/StringFilter.ts b/apps/titiksha-agrawal/src/util/StringFilter.ts
new file mode 100644
index 0000000..80b573d
--- /dev/null
+++ b/apps/titiksha-agrawal/src/util/StringFilter.ts
@@ -0,0 +1,141 @@
+import { Field, InputType } from "@nestjs/graphql";
+import { QueryMode } from "./QueryMode";
+import { ApiProperty } from "@nestjs/swagger";
+import { IsOptional } from "class-validator";
+import { Type } from "class-transformer";
+
+@InputType({
+ isAbstract: true,
+})
+export class StringFilter {
+ @ApiProperty({
+ required: false,
+ type: String,
+ })
+ @IsOptional()
+ @Field(() => String, {
+ nullable: true,
+ })
+ @Type(() => String)
+ equals?: string;
+
+ @ApiProperty({
+ required: false,
+ type: [String],
+ })
+ @IsOptional()
+ @Field(() => [String], {
+ nullable: true,
+ })
+ @Type(() => String)
+ in?: string[];
+
+ @ApiProperty({
+ required: false,
+ type: [String],
+ })
+ @IsOptional()
+ @Field(() => [String], {
+ nullable: true,
+ })
+ @Type(() => String)
+ notIn?: string[];
+
+ @ApiProperty({
+ required: false,
+ type: String,
+ })
+ @IsOptional()
+ @Field(() => String, {
+ nullable: true,
+ })
+ @Type(() => String)
+ lt?: string;
+
+ @ApiProperty({
+ required: false,
+ type: String,
+ })
+ @IsOptional()
+ @Field(() => String, {
+ nullable: true,
+ })
+ @Type(() => String)
+ lte?: string;
+
+ @ApiProperty({
+ required: false,
+ type: String,
+ })
+ @IsOptional()
+ @Field(() => String, {
+ nullable: true,
+ })
+ @Type(() => String)
+ gt?: string;
+
+ @ApiProperty({
+ required: false,
+ type: String,
+ })
+ @IsOptional()
+ @Field(() => String, {
+ nullable: true,
+ })
+ @Type(() => String)
+ gte?: string;
+
+ @ApiProperty({
+ required: false,
+ type: String,
+ })
+ @IsOptional()
+ @Field(() => String, {
+ nullable: true,
+ })
+ @Type(() => String)
+ contains?: string;
+
+ @ApiProperty({
+ required: false,
+ type: String,
+ })
+ @IsOptional()
+ @Field(() => String, {
+ nullable: true,
+ })
+ @Type(() => String)
+ startsWith?: string;
+
+ @ApiProperty({
+ required: false,
+ type: String,
+ })
+ @IsOptional()
+ @Field(() => String, {
+ nullable: true,
+ })
+ @Type(() => String)
+ endsWith?: string;
+
+ @ApiProperty({
+ required: false,
+ enum: ["Default", "Insensitive"],
+ })
+ @IsOptional()
+ @Field(() => QueryMode, {
+ nullable: true,
+ })
+ mode?: QueryMode;
+
+ @ApiProperty({
+ required: false,
+ type: String,
+ })
+ @IsOptional()
+ @Field(() => String, {
+ nullable: true,
+ })
+ @Type(() => String)
+ not?: string;
+}
diff --git a/apps/titiksha-agrawal/src/util/StringNullableFilter.ts b/apps/titiksha-agrawal/src/util/StringNullableFilter.ts
new file mode 100644
index 0000000..01b399c
--- /dev/null
+++ b/apps/titiksha-agrawal/src/util/StringNullableFilter.ts
@@ -0,0 +1,141 @@
+import { Field, InputType } from "@nestjs/graphql";
+import { QueryMode } from "./QueryMode";
+import { ApiProperty } from "@nestjs/swagger";
+import { IsOptional } from "class-validator";
+import { Type } from "class-transformer";
+
+@InputType({
+ isAbstract: true,
+})
+export class StringNullableFilter {
+ @ApiProperty({
+ required: false,
+ type: String,
+ })
+ @IsOptional()
+ @Field(() => String, {
+ nullable: true,
+ })
+ @Type(() => String)
+ equals?: string | null;
+
+ @ApiProperty({
+ required: false,
+ type: [String],
+ })
+ @IsOptional()
+ @Field(() => [String], {
+ nullable: true,
+ })
+ @Type(() => String)
+ in?: string[] | null;
+
+ @ApiProperty({
+ required: false,
+ type: [String],
+ })
+ @IsOptional()
+ @Field(() => [String], {
+ nullable: true,
+ })
+ @Type(() => String)
+ notIn?: string[] | null;
+
+ @ApiProperty({
+ required: false,
+ type: String,
+ })
+ @IsOptional()
+ @Field(() => String, {
+ nullable: true,
+ })
+ @Type(() => String)
+ lt?: string;
+
+ @ApiProperty({
+ required: false,
+ type: String,
+ })
+ @IsOptional()
+ @Field(() => String, {
+ nullable: true,
+ })
+ @Type(() => String)
+ lte?: string;
+
+ @ApiProperty({
+ required: false,
+ type: String,
+ })
+ @IsOptional()
+ @Field(() => String, {
+ nullable: true,
+ })
+ @Type(() => String)
+ gt?: string;
+
+ @ApiProperty({
+ required: false,
+ type: String,
+ })
+ @IsOptional()
+ @Field(() => String, {
+ nullable: true,
+ })
+ @Type(() => String)
+ gte?: string;
+
+ @ApiProperty({
+ required: false,
+ type: String,
+ })
+ @IsOptional()
+ @Field(() => String, {
+ nullable: true,
+ })
+ @Type(() => String)
+ contains?: string;
+
+ @ApiProperty({
+ required: false,
+ type: String,
+ })
+ @IsOptional()
+ @Field(() => String, {
+ nullable: true,
+ })
+ @Type(() => String)
+ startsWith?: string;
+
+ @ApiProperty({
+ required: false,
+ type: String,
+ })
+ @IsOptional()
+ @Field(() => String, {
+ nullable: true,
+ })
+ @Type(() => String)
+ endsWith?: string;
+
+ @ApiProperty({
+ required: false,
+ enum: ["Default", "Insensitive"],
+ })
+ @IsOptional()
+ @Field(() => QueryMode, {
+ nullable: true,
+ })
+ mode?: QueryMode;
+
+ @ApiProperty({
+ required: false,
+ type: String,
+ })
+ @IsOptional()
+ @Field(() => String, {
+ nullable: true,
+ })
+ @Type(() => String)
+ not?: string;
+}
diff --git a/apps/titiksha-agrawal/src/validators/index.ts b/apps/titiksha-agrawal/src/validators/index.ts
new file mode 100644
index 0000000..7f62d84
--- /dev/null
+++ b/apps/titiksha-agrawal/src/validators/index.ts
@@ -0,0 +1 @@
+export * from "./is-json-value-validator";
diff --git a/apps/titiksha-agrawal/src/validators/is-json-value-validator.spec.ts b/apps/titiksha-agrawal/src/validators/is-json-value-validator.spec.ts
new file mode 100644
index 0000000..5a77824
--- /dev/null
+++ b/apps/titiksha-agrawal/src/validators/is-json-value-validator.spec.ts
@@ -0,0 +1,44 @@
+import { validate, ValidationError } from "class-validator";
+import { IsJSONValue } from "./is-json-value-validator";
+
+class TestClass {
+ @IsJSONValue()
+ jsonProperty: unknown;
+}
+
+describe("IsJSONValue", () => {
+ it("should validate a valid JSON string", async () => {
+ const testObj = new TestClass();
+ testObj.jsonProperty = '{"name": "John", "age": 30}';
+ const errors: ValidationError[] = await validate(testObj);
+ expect(errors.length).toBe(0);
+ });
+
+ it("should not validate an invalid JSON string", async () => {
+ const testObj = new TestClass();
+ testObj.jsonProperty = '{name: "John", age: 30}';
+ const errors: ValidationError[] = await validate(testObj);
+ expect(errors.length).toBe(1);
+ });
+
+ it("should not validate an invalid JSON string", async () => {
+ const testObj = new TestClass();
+ testObj.jsonProperty = "John";
+ const errors: ValidationError[] = await validate(testObj);
+ expect(errors.length).toBe(1);
+ });
+
+ it("should validate a valid JSON object", async () => {
+ const testObj = new TestClass();
+ testObj.jsonProperty = { name: "John", age: 30 };
+ const errors: ValidationError[] = await validate(testObj);
+ expect(errors.length).toBe(0);
+ });
+
+ it("should validate a valid JSON array", async () => {
+ const testObj = new TestClass();
+ testObj.jsonProperty = ["John", "30"];
+ const errors: ValidationError[] = await validate(testObj);
+ expect(errors.length).toBe(0);
+ });
+});
diff --git a/apps/titiksha-agrawal/src/validators/is-json-value-validator.ts b/apps/titiksha-agrawal/src/validators/is-json-value-validator.ts
new file mode 100644
index 0000000..1002540
--- /dev/null
+++ b/apps/titiksha-agrawal/src/validators/is-json-value-validator.ts
@@ -0,0 +1,29 @@
+import {
+ ValidationArguments,
+ registerDecorator,
+ ValidationOptions,
+} from "class-validator";
+import isJSONValidator from "validator/lib/isJSON";
+
+export function IsJSONValue(validationOptions?: ValidationOptions) {
+ return function (object: Record, propertyName: string) {
+ registerDecorator({
+ name: "IsJSONValue",
+ target: object.constructor,
+ propertyName: propertyName,
+ options: validationOptions,
+ validator: {
+ validate(value: any, args: ValidationArguments) {
+ if (typeof value === "string") {
+ return isJSONValidator(value);
+ }
+
+ return isJSONValidator(JSON.stringify(value));
+ },
+ defaultMessage(args: ValidationArguments): string {
+ return `${args.property} must be a valid json`;
+ },
+ },
+ });
+ };
+}
diff --git a/apps/titiksha-agrawal/tsconfig.build.json b/apps/titiksha-agrawal/tsconfig.build.json
new file mode 100644
index 0000000..e579401
--- /dev/null
+++ b/apps/titiksha-agrawal/tsconfig.build.json
@@ -0,0 +1,4 @@
+{
+ "extends": "./tsconfig.json",
+ "exclude": ["node_modules", "prisma", "test", "dist", "**/*spec.ts", "admin"]
+}
diff --git a/apps/titiksha-agrawal/tsconfig.json b/apps/titiksha-agrawal/tsconfig.json
new file mode 100644
index 0000000..f6c463b
--- /dev/null
+++ b/apps/titiksha-agrawal/tsconfig.json
@@ -0,0 +1,24 @@
+{
+ "compilerOptions": {
+ "baseUrl": "./",
+ "module": "commonjs",
+ "declaration": false,
+ "removeComments": true,
+ "emitDecoratorMetadata": true,
+ "experimentalDecorators": true,
+ "target": "es2022",
+ "lib": ["es2023"],
+ "sourceMap": true,
+ "outDir": "./dist",
+ "incremental": true,
+ "esModuleInterop": true,
+ "allowSyntheticDefaultImports": true,
+ "resolveJsonModule": true,
+ "skipLibCheck": true,
+ "strict": true,
+ "paths": {
+ "@app/custom-validators": ["src/validators"]
+ }
+ },
+ "include": ["src"]
+}