source: src/lib/firestore.ts@ 299af01

main
Last change on this file since 299af01 was 5d6f37a, checked in by Naum Shapkarovski <naumshapkarovski@…>, 7 weeks ago

add customer

  • Property mode set to 100644
File size: 7.0 KB
Line 
1import { Dictionary } from 'lodash';
2import {
3 collection,
4 query as createQuery,
5 where,
6 orderBy,
7 limit,
8 getDocs,
9 doc,
10 getDoc,
11 startAt,
12 endAt,
13 startAfter,
14 endBefore,
15 DocumentReference,
16 updateDoc,
17 FieldPath,
18 WhereFilterOp,
19 addDoc,
20 deleteDoc,
21 setDoc,
22 writeBatch,
23} from 'firebase/firestore';
24// db
25import { db } from './firebase';
26
27export const collections = {
28 administrator: 'administrators',
29 invoice: 'invoices',
30 customer: 'customers',
31 service: 'services',
32 settings: 'settings',
33 mail: 'mail',
34};
35
36export const documents = {
37 settingsCompany: 'company',
38 settingsInvoice: 'invoice',
39};
40
41type FirebaseDocument = {
42 id?: string;
43 [key: string]: any;
44};
45
46export const collectionRef = (path: string) => collection(db, `${path}`);
47
48export const documentRef = <T>(collectionPath: string, documentId: string) =>
49 doc(db, `${collectionPath}/${documentId}`) as DocumentReference<T>;
50
51export const createDocId = (collectionPath: string) => doc(collection(db, collectionPath)).id;
52
53export const createDocument = async <T extends Dictionary<any>>(
54 collectionPath: string,
55 data?: T
56) => {
57 const ref = collectionRef(collectionPath);
58 const docSnap = await addDoc(ref, data || {});
59 return docSnap;
60};
61
62interface BatchWriteOperation<T> {
63 type: 'set' | 'update' | 'delete';
64 docPath: string;
65 data?: T;
66}
67
68export const firestoreBatch = async <T extends Dictionary<any>>(
69 operations: BatchWriteOperation<T>[]
70) => {
71 const batch = writeBatch(db);
72 // Convert the document path to a document reference
73 const getDocRef = (path: string) => doc(db, path);
74
75 operations.forEach((operation) => {
76 const docRef = getDocRef(operation.docPath);
77 switch (operation.type) {
78 case 'set':
79 batch.set(docRef, operation.data || {}, { merge: true });
80 break;
81 case 'update':
82 batch.update(docRef, operation.data || {});
83 break;
84 case 'delete':
85 batch.delete(docRef);
86 break;
87 default:
88 throw new Error(`Unsupported operation type: ${operation.type}`);
89 }
90 });
91
92 await batch.commit();
93};
94
95interface UpdateOptions {
96 merge: boolean;
97}
98
99export const generateId = (path: string) => {
100 const ref = doc(collectionRef(path));
101 return ref.id;
102};
103
104export const setDocument = async <T extends Dictionary<any>>(
105 collectionPath: string,
106 documentId: string,
107 data: T,
108 options?: UpdateOptions
109) => {
110 const ref = documentRef(collectionPath, documentId);
111 await setDoc(ref, data, {
112 ...(options || {}),
113 merge: options && options.merge,
114 });
115};
116
117export const updateDocument = async <T extends FirebaseDocument>(
118 collectionPath: string,
119 documentId: string,
120 data: T
121) => {
122 const ref = documentRef(collectionPath, documentId);
123 await updateDoc(ref, data);
124};
125
126export const removeDocument = async (collectionPath: string, documentId: string) => {
127 const ref = documentRef(collectionPath, documentId);
128 await deleteDoc(ref);
129};
130
131type JoinConfig = {
132 joinIdField: string;
133 joinCollection: string;
134 as: string;
135};
136
137export type FirestoreQueryParams = {
138 where?: [string | FieldPath, WhereFilterOp, any][];
139 orderBy?: string | FieldPath;
140 direction?: 'asc' | 'desc';
141 limit?: number;
142 startAt?: any;
143 endAt?: any;
144 startAfter?: any;
145 endBefore?: any;
146};
147
148// Function overloads:
149async function collectionFetcher<T extends FirebaseDocument>(collectionName: string): Promise<T[]>;
150
151async function collectionFetcher<T extends FirebaseDocument>(
152 collectionName: string,
153 joinConfig?: JoinConfig,
154 queryParams?: FirestoreQueryParams
155): Promise<T[]>;
156
157async function collectionFetcher<T extends FirebaseDocument, J extends FirebaseDocument>(
158 collectionName: string,
159 joinConfig: JoinConfig,
160 queryParams?: FirestoreQueryParams
161): Promise<(T & Record<typeof joinConfig.as, J>)[]>;
162
163// Function implementation:
164async function collectionFetcher<T extends FirebaseDocument, J extends FirebaseDocument>(
165 collectionName: string,
166 joinConfig?: JoinConfig,
167 queryParams?: FirestoreQueryParams
168): Promise<T[] | (T & Record<string, J>)[]> {
169 let firestoreQuery = createQuery(collection(db, collectionName));
170
171 if (queryParams) {
172 if (queryParams.where) {
173 queryParams.where.forEach((condition) => {
174 firestoreQuery = createQuery(firestoreQuery, where(...condition));
175 });
176 }
177
178 if (queryParams.orderBy) {
179 firestoreQuery = createQuery(
180 firestoreQuery,
181 orderBy(queryParams.orderBy, queryParams.direction || 'asc')
182 );
183 }
184
185 if (queryParams.limit) {
186 firestoreQuery = createQuery(firestoreQuery, limit(queryParams.limit));
187 }
188
189 if (queryParams.startAt) {
190 firestoreQuery = createQuery(firestoreQuery, startAt(queryParams.startAt));
191 }
192
193 if (queryParams.endAt) {
194 firestoreQuery = createQuery(firestoreQuery, endAt(queryParams.endAt));
195 }
196
197 if (queryParams.startAfter) {
198 firestoreQuery = createQuery(firestoreQuery, startAfter(queryParams.startAfter));
199 }
200
201 if (queryParams.endBefore) {
202 firestoreQuery = createQuery(firestoreQuery, endBefore(queryParams.endBefore));
203 }
204 }
205
206 try {
207 const snap = await getDocs(firestoreQuery);
208
209 if (!joinConfig) {
210 return snap.docs.map((joinDoc) => ({ id: joinDoc.id, ...joinDoc.data() }) as T);
211 }
212
213 const joinPromises = snap.docs.map(async (primaryDoc) => {
214 const primaryData = { id: primaryDoc.id, ...primaryDoc.data() } as T;
215 const joinId = getValueByPath(primaryData, joinConfig.joinIdField);
216
217 if (!joinId) return primaryData;
218
219 const joinDocSnap = await getDoc(doc(db, joinConfig.joinCollection, joinId.toString()));
220
221 return {
222 ...primaryData,
223 [joinConfig.as]: joinDocSnap.exists() ? (joinDocSnap.data() as J) : undefined,
224 } as T & Record<string, J>;
225 });
226
227 return await Promise.all(joinPromises);
228 } catch (error) {
229 console.error('Error fetching data', error);
230 throw error;
231 }
232}
233
234// Document fetcher
235async function documentFetcher<T extends FirebaseDocument>(
236 collectionName: string,
237 docId: string,
238 joinConfig?: JoinConfig
239): Promise<T | (T & Record<string, any>)> {
240 try {
241 const docSnapshot = await getDoc(doc(db, collectionName, docId));
242
243 if (!docSnapshot.exists) {
244 throw new Error('Document not found');
245 }
246
247 const documentData = { id: docSnapshot.id, ...docSnapshot.data() } as T;
248
249 // If no join configuration is provided, simply return the document data.
250 if (!joinConfig) {
251 return documentData;
252 }
253
254 // If a join configuration is provided, fetch the related document.
255 const joinDocSnapshot = await getDoc(
256 doc(db, joinConfig.joinCollection, documentData[joinConfig.joinIdField])
257 );
258
259 if (joinDocSnapshot.exists()) {
260 return {
261 ...documentData,
262 [joinConfig.as]: joinDocSnapshot.data(),
263 } as T & Record<string, any>;
264 }
265 return documentData; // or handle missing join data as you see fit
266 } catch (error) {
267 console.error('Error fetching document:', error);
268 throw error;
269 }
270}
271
272function getValueByPath(obj: any, path: string): any {
273 return path.split('.').reduce((o, key) => o && o[key], obj);
274}
275
276export { collectionFetcher, documentFetcher };
Note: See TracBrowser for help on using the repository browser.