@abcagency/hire-control-sdk 1.0.100 → 1.1.1
This diff represents the content of publicly available package versions that have been released to one of the supported registries. The information contained in this diff is provided for informational purposes only and reflects changes between package versions as they appear in their respective public registries.
- package/controllers/categoryListsController.ts +4 -29
- package/controllers/integrationConfigController.ts +31 -0
- package/dist/controllers/categoryListsController.d.ts +3 -12
- package/dist/controllers/integrationConfigController.d.ts +10 -0
- package/dist/index.cjs.js +1 -1
- package/dist/index.d.ts +11 -6
- package/dist/types/categoryList.d.ts +2 -7
- package/dist/types/hireControlConfig.d.ts +18 -0
- package/dist/types/listing.d.ts +1 -0
- package/dist/types/listingEntity.d.ts +1 -0
- package/dist/types/mongoListingEntity.d.ts +1 -0
- package/dist/types/searchReadConfig.d.ts +8 -0
- package/handlers/fetchHandler.ts +14 -3
- package/index.ts +9 -3
- package/package.json +1 -1
- package/types/categoryList.ts +2 -8
- package/types/hireControlConfig.ts +20 -0
- package/types/listing.ts +1 -0
- package/types/listingEntity.ts +1 -0
- package/types/mongoListingEntity.ts +1 -0
- package/types/searchReadConfig.ts +9 -0
- package/.gitattributes +0 -1
|
@@ -1,9 +1,6 @@
|
|
|
1
1
|
import FetchHandler from "../handlers/fetchHandler";
|
|
2
2
|
import { API_URL } from "../constants/config";
|
|
3
|
-
import CategoryListDto, {
|
|
4
|
-
AddValueRequest,
|
|
5
|
-
CategoryListValueDto,
|
|
6
|
-
} from "../types/categoryList";
|
|
3
|
+
import CategoryListDto, { AddValueRequest } from "../types/categoryList";
|
|
7
4
|
|
|
8
5
|
const fetchHandler = new FetchHandler(API_URL);
|
|
9
6
|
|
|
@@ -184,44 +181,22 @@ class CategoryListsController {
|
|
|
184
181
|
/**
|
|
185
182
|
* Update values in a category list.
|
|
186
183
|
* @param {string} id - The category list ID.
|
|
187
|
-
* @param {Record<string,
|
|
184
|
+
* @param {Record<string, string>} values - The values to update.
|
|
188
185
|
* @param {string | null} authToken - Optional auth token.
|
|
189
186
|
* @returns {Promise<CategoryListDto>} - The updated category list data.
|
|
190
187
|
*/
|
|
191
188
|
async updateValues(
|
|
192
189
|
id: string,
|
|
193
|
-
values: Record<string,
|
|
190
|
+
values: Record<string, string>,
|
|
194
191
|
authToken: string | null = null
|
|
195
192
|
): Promise<CategoryListDto> {
|
|
196
|
-
return fetchHandler.put<Record<string,
|
|
193
|
+
return fetchHandler.put<Record<string, string>, CategoryListDto>(
|
|
197
194
|
`/categorylist/${id}/values`,
|
|
198
195
|
values,
|
|
199
196
|
true,
|
|
200
197
|
authToken
|
|
201
198
|
);
|
|
202
199
|
}
|
|
203
|
-
|
|
204
|
-
/**
|
|
205
|
-
* Update a single value in a category list.
|
|
206
|
-
* @param {string} id - The category list ID.
|
|
207
|
-
* @param {string} key - The value key to update.
|
|
208
|
-
* @param {CategoryListValueDto} value - The value payload.
|
|
209
|
-
* @param {string | null} authToken - Optional auth token.
|
|
210
|
-
* @returns {Promise<CategoryListDto>} - The updated category list data.
|
|
211
|
-
*/
|
|
212
|
-
async updateValue(
|
|
213
|
-
id: string,
|
|
214
|
-
key: string,
|
|
215
|
-
value: CategoryListValueDto,
|
|
216
|
-
authToken: string | null = null
|
|
217
|
-
): Promise<CategoryListDto> {
|
|
218
|
-
return fetchHandler.put<CategoryListValueDto, CategoryListDto>(
|
|
219
|
-
`/categorylist/${id}/values/${encodeURIComponent(key)}`,
|
|
220
|
-
value,
|
|
221
|
-
true,
|
|
222
|
-
authToken
|
|
223
|
-
);
|
|
224
|
-
}
|
|
225
200
|
}
|
|
226
201
|
|
|
227
202
|
export default new CategoryListsController();
|
|
@@ -0,0 +1,31 @@
|
|
|
1
|
+
import FetchHandler from '../handlers/fetchHandler';
|
|
2
|
+
import SearchReadConfig from '../types/searchReadConfig';
|
|
3
|
+
import { API_URL } from '../constants/config';
|
|
4
|
+
|
|
5
|
+
const fetchHandler = new FetchHandler(API_URL);
|
|
6
|
+
|
|
7
|
+
class IntegrationConfigController {
|
|
8
|
+
/**
|
|
9
|
+
* [GET /integrationconfig/search-read]
|
|
10
|
+
* Get Algolia SearchRead credentials for the authenticated user's company.
|
|
11
|
+
*/
|
|
12
|
+
async getSearchReadConfig(
|
|
13
|
+
authToken: string | null = null
|
|
14
|
+
): Promise<SearchReadConfig | null> {
|
|
15
|
+
try {
|
|
16
|
+
const response = await fetchHandler.get<SearchReadConfig>(
|
|
17
|
+
'/integrationconfig/search-read',
|
|
18
|
+
true,
|
|
19
|
+
authToken
|
|
20
|
+
);
|
|
21
|
+
return response;
|
|
22
|
+
} catch (error: any) {
|
|
23
|
+
if (error?.statusCode === 404 || error?.statusCode === 204) {
|
|
24
|
+
return null;
|
|
25
|
+
}
|
|
26
|
+
throw error;
|
|
27
|
+
}
|
|
28
|
+
}
|
|
29
|
+
}
|
|
30
|
+
|
|
31
|
+
export default new IntegrationConfigController();
|
|
@@ -1,4 +1,4 @@
|
|
|
1
|
-
import CategoryListDto, { AddValueRequest
|
|
1
|
+
import CategoryListDto, { AddValueRequest } from "../types/categoryList";
|
|
2
2
|
declare class CategoryListsController {
|
|
3
3
|
/**
|
|
4
4
|
* Get all category lists for the authenticated user's company.
|
|
@@ -75,20 +75,11 @@ declare class CategoryListsController {
|
|
|
75
75
|
/**
|
|
76
76
|
* Update values in a category list.
|
|
77
77
|
* @param {string} id - The category list ID.
|
|
78
|
-
* @param {Record<string,
|
|
78
|
+
* @param {Record<string, string>} values - The values to update.
|
|
79
79
|
* @param {string | null} authToken - Optional auth token.
|
|
80
80
|
* @returns {Promise<CategoryListDto>} - The updated category list data.
|
|
81
81
|
*/
|
|
82
|
-
updateValues(id: string, values: Record<string,
|
|
83
|
-
/**
|
|
84
|
-
* Update a single value in a category list.
|
|
85
|
-
* @param {string} id - The category list ID.
|
|
86
|
-
* @param {string} key - The value key to update.
|
|
87
|
-
* @param {CategoryListValueDto} value - The value payload.
|
|
88
|
-
* @param {string | null} authToken - Optional auth token.
|
|
89
|
-
* @returns {Promise<CategoryListDto>} - The updated category list data.
|
|
90
|
-
*/
|
|
91
|
-
updateValue(id: string, key: string, value: CategoryListValueDto, authToken?: string | null): Promise<CategoryListDto>;
|
|
82
|
+
updateValues(id: string, values: Record<string, string>, authToken?: string | null): Promise<CategoryListDto>;
|
|
92
83
|
}
|
|
93
84
|
declare const _default: CategoryListsController;
|
|
94
85
|
export default _default;
|
|
@@ -0,0 +1,10 @@
|
|
|
1
|
+
import SearchReadConfig from '../types/searchReadConfig';
|
|
2
|
+
declare class IntegrationConfigController {
|
|
3
|
+
/**
|
|
4
|
+
* [GET /integrationconfig/search-read]
|
|
5
|
+
* Get Algolia SearchRead credentials for the authenticated user's company.
|
|
6
|
+
*/
|
|
7
|
+
getSearchReadConfig(authToken?: string | null): Promise<SearchReadConfig | null>;
|
|
8
|
+
}
|
|
9
|
+
declare const _default: IntegrationConfigController;
|
|
10
|
+
export default _default;
|
package/dist/index.cjs.js
CHANGED
|
@@ -1,2 +1,2 @@
|
|
|
1
|
-
"use strict";function t(t,e,n,r){return new(n||(n=Promise))(function(i,o){function s(t){try{l(r.next(t))}catch(t){o(t)}}function u(t){try{l(r.throw(t))}catch(t){o(t)}}function l(t){var e;t.done?i(t.value):(e=t.value,e instanceof n?e:new n(function(t){t(e)})).then(s,u)}l((r=r.apply(t,e||[])).next())})}Object.defineProperty(exports,"__esModule",{value:!0}),"function"==typeof SuppressedError&&SuppressedError;class e{constructor(t){this.apiUrl=t,this.isLocalhost=!1}getAuthToken(){return this.isLocalhost?sessionStorage.getItem("token"):null}get(e){return t(this,arguments,void 0,function*(t,e=!1,n=null){this.isLocalhost&&e&&!n&&(n=this.getAuthToken());const r={method:"GET",credentials:n?"omit":"include"};return e?this.fetchWithAuth(t,r,n):this.fetchWithoutAuth(t,r)})}post(e,n){return t(this,arguments,void 0,function*(t,e,n=!1,r=null,i=!1){this.isLocalhost&&n&&!r&&(r=this.getAuthToken());const o=i,s={method:"POST",credentials:r?"omit":"include",headers:Object.assign(Object.assign({},r?{Authorization:`Bearer ${r}`}:{}),o?{}:{"Content-Type":"application/json"}),body:o?this.convertToFormData(e):JSON.stringify(e)};return n?this.fetchWithAuth(t,s,r):this.fetchWithoutAuth(t,s)})}put(e,n){return t(this,arguments,void 0,function*(t,e,n=!1,r=null,i=!1){this.isLocalhost&&n&&!r&&(r=this.getAuthToken());const o=i,s={method:"PUT",credentials:r?"omit":"include",headers:Object.assign(Object.assign({},r?{Authorization:`Bearer ${r}`}:{}),o?{}:{"Content-Type":"application/json"}),body:o?this.convertToFormData(e):JSON.stringify(e)};return n?this.fetchWithAuth(t,s,r):this.fetchWithoutAuth(t,s)})}patch(e,n){return t(this,arguments,void 0,function*(t,e,n=!1,r=null,i=!1){this.isLocalhost&&n&&!r&&(r=this.getAuthToken());const o=i,s={method:"PATCH",credentials:r?"omit":"include",headers:Object.assign(Object.assign({},r?{Authorization:`Bearer ${r}`}:{}),o?{}:{"Content-Type":"application/json"}),body:o?this.convertToFormData(e):JSON.stringify(e)};return n?this.fetchWithAuth(t,s,r):this.fetchWithoutAuth(t,s)})}delete(e){return t(this,arguments,void 0,function*(t,e=!1,n=null){this.isLocalhost&&e&&!n&&(n=this.getAuthToken());const r={method:"DELETE",credentials:n?"omit":"include"};return e?this.fetchWithAuth(t,r,n):this.fetchWithoutAuth(t,r)})}getFile(e){return t(this,arguments,void 0,function*(t,e=!1,n=null){this.isLocalhost&&e&&!n&&(n=this.getAuthToken());const r={method:"GET",credentials:n?"omit":"include",headers:e&&n?{Authorization:`Bearer ${n}`}:{}},i=yield fetch(`${this.apiUrl}${t}`,r);if(!i.ok)throw new Error(`Failed to fetch file: ${i.statusText}`);return i.blob()})}convertToFormData(t,e=new FormData,n=""){return t instanceof File?e.append(n||"file",t):"string"==typeof t||"number"==typeof t||"boolean"==typeof t?e.append(n,t.toString()):Array.isArray(t)?t.forEach((t,r)=>{this.convertToFormData(t,e,`${n}[${r}]`)}):"object"==typeof t&&null!==t&&Object.keys(t).forEach(r=>{const i=t[r],o=n?`${n}.${r}`:r;this.convertToFormData(i,e,o)}),e}fetchWithoutAuth(e,n){return t(this,void 0,void 0,function*(){const t=yield fetch(`${this.apiUrl}${e}`,n);return this.handleResponse(t)})}fetchWithAuth(e,n,r){return t(this,void 0,void 0,function*(){r?(n.headers=Object.assign(Object.assign({},n.headers),{Authorization:`Bearer ${r}`}),n.credentials="omit"):n.credentials="include";let t=yield fetch(`${this.apiUrl}${e}`,n);if(401===t.status){if(!(yield this.refreshToken()))throw{statusCode:t.status};this.isLocalhost&&(r=this.getAuthToken())&&(n.headers=Object.assign(Object.assign({},n.headers),{Authorization:`Bearer ${r}`})),t=yield fetch(`${this.apiUrl}${e}`,n)}return this.handleResponse(t)})}handleResponse(e){return t(this,void 0,void 0,function*(){if(!e.ok||!e.status.toString().startsWith("2")){let t=`Error: ${e.status} ${e.statusText}`;try{const n=yield e.json();console.log(n),n&&n.message&&(t=n.message)}catch(t){console.error("Failed to parse error response:",t)}throw{statusCode:e.status,errorMessage:t}}return 200===e.status?yield e.json():null})}refreshToken(){return t(this,void 0,void 0,function*(){if(!this.isLocalhost){return!!(yield fetch(`${this.apiUrl}/auth/refresh`,{method:"POST",headers:{"Content-Type":"application/json"},credentials:"include"})).ok||(console.error("Failed to refresh token"),!1)}{const t=sessionStorage.getItem("refreshToken");if(!t)return!1;const e=yield fetch(`${this.apiUrl}/auth/refresh`,{method:"POST",headers:{"Content-Type":"application/json"},body:JSON.stringify({refreshToken:t})});if(!e.ok)return console.error("Failed to refresh token"),!1;try{const t=yield e.json();return t.token&&sessionStorage.setItem("token",t.token),t.refreshToken&&sessionStorage.setItem("refreshToken",t.refreshToken),!0}catch(t){return console.error("Failed to parse refresh token response:",t),!1}}})}}const n=process.env.NEXT_PUBLIC_API_URL||process.env.VITE_API_URL||process.env.REACT_APP_API_URL||"https://api.myhirecontrol.com",r=new e(n),i="undefined"!=typeof window&&"localhost"===window.location.hostname;var o=new class{login(e){return t(this,void 0,void 0,function*(){return r.post("/auth/login",e,!1)})}nextLogin(e){return t(this,void 0,void 0,function*(){const t="/auth/nextLogin"+(i?"?localhost=true":""),n=yield r.post(t,e,!1);return n&&(sessionStorage.setItem("token",n.token),sessionStorage.setItem("refreshToken",n.refreshToken),sessionStorage.setItem("expiration",n.expiration)),n})}refreshToken(){return t(this,void 0,void 0,function*(){const t="/auth/refresh"+(i?"?localhost=true":""),e=yield r.post(t,{},!0);return e&&i&&(sessionStorage.setItem("token",e.token),sessionStorage.setItem("refreshToken",e.refreshToken),sessionStorage.setItem("expiration",e.expiration)),e})}changeCompany(e){return t(this,void 0,void 0,function*(){const t="/auth/changeCompany"+(i?"?localhost=true":"");var n=yield r.post(t,e,!0);return n&&(sessionStorage.setItem("token",n.token),sessionStorage.setItem("refreshToken",n.refreshToken),sessionStorage.setItem("expiration",n.expiration)),n})}register(e){return t(this,void 0,void 0,function*(){return r.post("/auth/register",e,!1)})}getCompanies(){return t(this,void 0,void 0,function*(){return r.get("/auth/companies",!0)})}getCompany(){return t(this,void 0,void 0,function*(){return r.get("/auth/company",!0)})}getRoles(){return t(this,void 0,void 0,function*(){return r.get("/auth/roles",!0)})}isAuthenticated(){return t(this,void 0,void 0,function*(){try{const t=yield r.get("/auth/authenticated",!0);return t||(yield this.tryRefreshAndCheckAuth())}catch(t){return yield this.tryRefreshAndCheckAuth()}})}tryRefreshAndCheckAuth(){return t(this,void 0,void 0,function*(){try{yield this.refreshToken();return yield r.get("/auth/authenticated",!0)}catch(t){return!1}})}getUser(){return t(this,arguments,void 0,function*(t=null){try{return yield r.get("/auth/user",!0,t)}catch(t){throw t}})}logout(){return t(this,void 0,void 0,function*(){try{const t=yield r.post("/auth/logout",{},!0);return sessionStorage.removeItem("token"),sessionStorage.removeItem("refreshToken"),sessionStorage.removeItem("expiration"),t}catch(t){throw t}})}getPermissions(){return t(this,arguments,void 0,function*(t=null){try{return yield r.get("/auth/permissions",!0,t)}catch(t){throw t}})}};const s=new e(n);var u=new class{getEvents(){return t(this,arguments,void 0,function*(t=null){return s.get("/events",!0,t)})}getEvent(e){return t(this,arguments,void 0,function*(t,e=null){return s.get(`/events/${t}`,!0,e)})}getEventBySlug(e){return t(this,arguments,void 0,function*(t,e=null){return s.get(`/events/details/${t}`,!0,e)})}getListingEvents(e){return t(this,arguments,void 0,function*(t,e=null){return s.get(`/listingEvents/${t}`,!0,e)})}createEvent(e){return t(this,arguments,void 0,function*(t,e=null){return s.post("/events",t,!0,e)})}updateEvent(e,n){return t(this,arguments,void 0,function*(t,e,n=null){return s.put(`/events/${t}`,e,!0,n)})}deleteEvent(e){return t(this,arguments,void 0,function*(t,e=null){return s.delete(`/events/${t}`,!0,e)})}};const l=new e(n);var a=new class{getAllRolesWithClaims(){return t(this,arguments,void 0,function*(t=null){return l.get("/roles",!0,t)})}addRole(e){return t(this,arguments,void 0,function*(t,e=null){return l.post("/roles",t,!0,e)})}updateRole(e,n){return t(this,arguments,void 0,function*(t,e,n=null){return l.put(`/roles/${t}`,e,!0,n)})}deleteRole(e){return t(this,arguments,void 0,function*(t,e=null){return l.delete(`/roles/${t}`,!0,e)})}};const d=new e(n);var c=new class{getAllUsers(){return t(this,arguments,void 0,function*(t=null){try{return yield d.get("/users",!0,t)}catch(t){throw t}})}getUser(e){return t(this,arguments,void 0,function*(t,e=null){try{return yield d.get(`/users/${t}`,!0,e)}catch(t){throw t}})}createUser(e){return t(this,arguments,void 0,function*(t,e=null){try{return yield d.post("/users",t,!0,e)}catch(t){throw t}})}updateUser(e,n){return t(this,arguments,void 0,function*(t,e,n=null){try{yield d.put(`/users/${t}`,e,!0,n)}catch(t){throw t}})}updateLoggedInUser(e){return t(this,arguments,void 0,function*(t,e=null){try{yield d.put("/users",t,!0,e)}catch(t){throw t}})}deleteUser(e){return t(this,arguments,void 0,function*(t,e=null){try{yield d.delete(`/users/${t}`,!0,e)}catch(t){throw t}})}};const g=new e(n);var p=new class{forgotPassword(e){return t(this,void 0,void 0,function*(){try{return yield g.post("/account/forgotPassword",e,!1)}catch(t){throw t}})}resetPasswordWithToken(e){return t(this,void 0,void 0,function*(){try{return yield g.post("/account/resetPasswordWithToken",e,!1)}catch(t){throw t}})}resetPassword(e){return t(this,arguments,void 0,function*(t,e=null){try{return yield g.post("/account/resetPassword",t,!0,e)}catch(t){throw t}})}};const h=new e(n);var f=new class{getMapConfig(){return t(this,arguments,void 0,function*(t=null){try{return yield h.get("/mapconfig",!0,t)}catch(t){throw t}})}updateMapConfig(e){return t(this,arguments,void 0,function*(t,e=null){return h.put("/mapconfig",t,!0,e)})}createMapConfig(e){return t(this,arguments,void 0,function*(t,e=null){return h.post("/mapconfig",t,!0,e)})}};const v=new e(n);var y=new class{getAllPermissions(){return t(this,arguments,void 0,function*(t=null){return v.get("/permissions",!0,t)})}};const m=new e(n);var C=new class{getClientAuthConfigById(e){return t(this,arguments,void 0,function*(t,e=null){try{return yield m.get(`/clientAuthConfig/${t}`,!0,e)}catch(t){throw t}})}getAllClientAuthConfigs(){return t(this,arguments,void 0,function*(t=null){try{return yield m.get("/clientAuthConfig",!0,t)}catch(t){throw t}})}createClientAuthConfig(e){return t(this,arguments,void 0,function*(t,e=null){return m.post("/clientAuthConfig",t,!0,e)})}updateClientAuthConfig(e,n){return t(this,arguments,void 0,function*(t,e,n=null){return m.put(`/clientAuthConfig/${t}`,e,!0,n)})}deleteClientAuthConfig(e){return t(this,arguments,void 0,function*(t,e=null){return m.delete(`/clientAuthConfig/${t}`,!0,e)})}};const b=new e(n);var w=new class{getListings(){return t(this,arguments,void 0,function*(t=null,e=null){try{const n=e?`?filterId=${encodeURIComponent(e)}`:"";return yield b.get(`/listings${n}`,!0,t)}catch(t){throw t}})}getListingDetails(e){return t(this,arguments,void 0,function*(t,e=null){try{return yield b.get(`/listings/${t}`,!0,e)}catch(t){throw t}})}};const A=new e(n);var $=new class{uploadMedia(e){return t(this,arguments,void 0,function*(t,e=null){return A.post("/media/upload",t,!0,e,!0)})}uploadProfileImage(e){return t(this,arguments,void 0,function*(t,e=null){return A.post("/media/upload-profile-image",t,!0,e,!0)})}listMedia(e){return t(this,arguments,void 0,function*(t,e=null){const n=new URLSearchParams({folderKey:t});return A.get(`/media/list?${n.toString()}`,!0,e)})}deleteMedia(e){return t(this,arguments,void 0,function*(t,e=null){const n=new URLSearchParams({key:t});return A.delete(`/media/delete?${n.toString()}`,!0,e)})}};const S=new e(n);var L=new class{getFilters(){return t(this,arguments,void 0,function*(t=null){return S.get("/filters",!0,t)})}getFilter(e){return t(this,arguments,void 0,function*(t,e=null){return S.get(`/filters/${t}`,!0,e)})}createFilter(e){return t(this,arguments,void 0,function*(t,e=null){return S.post("/filters",t,!0,e)})}updateFilter(e,n){return t(this,arguments,void 0,function*(t,e,n=null){return S.put(`/filters/${t}`,e,!0,n)})}deleteFilter(e){return t(this,arguments,void 0,function*(t,e=null){return S.delete(`/filters/${t}`,!0,e)})}};const F=new e(n);var k=new class{getAppendListings(){return t(this,arguments,void 0,function*(t=null){return F.get("/appendListings",!0,t)})}getAppendListing(e){return t(this,arguments,void 0,function*(t,e=null){return F.get(`/appendListings/${t}`,!0,e)})}createAppendListing(e){return t(this,arguments,void 0,function*(t,e=null){return F.post("/appendListings",t,!0,e)})}updateAppendListing(e,n){return t(this,arguments,void 0,function*(t,e,n=null){return F.put(`/appendListings/${t}`,e,!0,n)})}deleteAppendListing(e){return t(this,arguments,void 0,function*(t,e=null){return F.delete(`/appendListings/${t}`,!0,e)})}};const T=new e(n);var B=new class{getForms(){return t(this,arguments,void 0,function*(t=null){return T.get("/forms",!0,t)})}getForm(e){return t(this,arguments,void 0,function*(t,e=null){return T.get(`/forms/${t}`,!0,e)})}createForm(e){return t(this,arguments,void 0,function*(t,e=null){return T.post("/forms",t,!0,e)})}updateForm(e,n){return t(this,arguments,void 0,function*(t,e,n=null){return T.put(`/forms/${t}`,e,!0,n)})}updateFormWithFieldRenames(e,n,r){return t(this,arguments,void 0,function*(t,e,n,r=null){return T.put(`/forms/${t}`,Object.assign(Object.assign({},e),n),!0,r)})}getFormSubmissionCount(e){return t(this,arguments,void 0,function*(t,e=null){return T.get(`/forms/${t}/submission-count`,!0,e)})}getFormSubmissionFieldUsage(e){return t(this,arguments,void 0,function*(t,e=null){return T.get(`/forms/${t}/submission-fields`,!0,e)})}migrateSubmissionFields(e,n){return t(this,arguments,void 0,function*(t,e,n=null){return T.post(`/forms/${t}/migrate-submission-fields`,e,!0,n)})}deleteForm(e){return t(this,arguments,void 0,function*(t,e=null){return T.delete(`/forms/${t}`,!0,e)})}processFormRequest(e){return t(this,arguments,void 0,function*(t,e=null){return T.post("/forms/jsonSchema",t,!0,e)})}};const j=new e(n);var x=new class{submitContactForm(e){return t(this,arguments,void 0,function*(t,e=null){return j.post("/contactForm",t,!0,e,!0)})}submitFormSubmission(e){return t(this,arguments,void 0,function*(t,e=null){return j.post("/formsubmission",t,!0,e)})}getFormSubmissions(){return t(this,arguments,void 0,function*(t=20,e=1,n=null,r=null,i=null,o=null,s=null){const u=new URLSearchParams({pageSize:t.toString(),pageNumber:e.toString()});return r&&u.append("status",r.toString()),n&&u.append("type",n),i&&u.append("from",i.toISOString()),o&&u.append("to",o.toISOString()),j.get(`/formsubmission?${u.toString()}`,!0,s)})}exportFormSubmissionsCsv(){return t(this,arguments,void 0,function*(t=20,e=1,n=null,r=null,i=null,o=null,s=null,u=null){const l=new URLSearchParams({pageSize:t.toString(),pageNumber:e.toString()});r&&l.append("status",r.toString()),n&&l.append("type",n),i&&l.append("from",i.toISOString()),o&&l.append("to",o.toISOString()),s&&s.length>0&&s.forEach(t=>l.append("columns",t));const a=yield j.getFile(`/formsubmission/export-csv?${l.toString()}`,!0,u),d=window.URL.createObjectURL(a),c=document.createElement("a");c.href=d,c.download="HireControl_Form_Submissions.csv",document.body.appendChild(c),c.click(),window.URL.revokeObjectURL(d),document.body.removeChild(c)})}getFormSubmissionTypes(){return t(this,arguments,void 0,function*(t=null){return j.get("/formsubmission/types",!0,t)})}};const I=new e(n);var E=new class{getCompanies(){return t(this,arguments,void 0,function*(t=null){return I.get("/companies",!0,t)})}getCompany(e){return t(this,arguments,void 0,function*(t,e=null){return I.get(`/companies/${t}`,!0,e)})}createCompany(e){return t(this,arguments,void 0,function*(t,e=null){return I.post("/companies",t,!0,e)})}updateCompany(e,n){return t(this,arguments,void 0,function*(t,e,n=null){return I.put(`/companies/${t}`,e,!0,n)})}deleteCompany(e){return t(this,arguments,void 0,function*(t,e=null){return I.delete(`/companies/${t}`,!0,e)})}syncAllCompanies(){return t(this,arguments,void 0,function*(t=null){return I.get("/companies/syncall",!0,t)})}};const R=new e(n);var P=new class{getJobListingsByCompany(){return t(this,arguments,void 0,function*(t=null){return R.get("/joblistings",!0,t)})}getMapJobListingsByCompany(){return t(this,arguments,void 0,function*(t=null,e=null){return e?R.get(`/joblistings/MapListings?filterId=${e}`,!0,t):R.get("/joblistings/MapListings",!0,t)})}getJobListingById(e){return t(this,arguments,void 0,function*(t,e=null){return R.get(`/joblistings/${t}`,!0,e)})}getMapListingById(e){return t(this,arguments,void 0,function*(t,e=null){return R.get(`/joblistings/MapListings/${t}`,!0,e)})}createJobListing(e){return t(this,arguments,void 0,function*(t,e=null){return R.post("/joblistings",t,!0,e)})}updateJobListing(e,n){return t(this,arguments,void 0,function*(t,e,n=null){return R.put(`/joblistings/${t}`,e,!0,n)})}exportJobListingsCsv(){return t(this,arguments,void 0,function*(t=10,e=1,n=null,r=null,i=null,o=null){const s=new URLSearchParams({pageSize:t.toString(),pageNumber:e.toString()});n&&s.append("status",n.toString()),r&&s.append("from",r.toISOString()),i&&s.append("to",i.toISOString());const u=yield R.getFile(`/joblistings/Export-csv?${s.toString()}`,!0,o),l=window.URL.createObjectURL(u),a=document.createElement("a");a.href=l,a.download="job_listings.csv",document.body.appendChild(a),a.click(),window.URL.revokeObjectURL(l),document.body.removeChild(a)})}deleteJobListing(e){return t(this,arguments,void 0,function*(t,e=null){return R.delete(`/joblistings/${t}`,!0,e)})}};const M=new e(n);var U=new class{getBlogs(){return t(this,arguments,void 0,function*(t=null){return M.get("/blog",!0,t)})}getBlog(e){return t(this,arguments,void 0,function*(t,e=null){return M.get(`/blog/${t}`,!0,e)})}createBlog(e){return t(this,arguments,void 0,function*(t,e=null){return M.post("/blog",t,!0,e)})}updateBlog(e,n){return t(this,arguments,void 0,function*(t,e,n=null){return M.put(`/blog/${t}`,e,!0,n)})}deleteBlog(e){return t(this,arguments,void 0,function*(t,e=null){return M.delete(`/blog/${t}`,!0,e)})}};const O=new e(n);var W=new class{getCategories(){return t(this,arguments,void 0,function*(t=null,e=null){const n=new URLSearchParams;null!=t&&n.append("type",String(t));const r=n.toString()?`?${n.toString()}`:"";return O.get(`/categories${r}`,!0,e)})}getCategoriesByCompany(e){return t(this,arguments,void 0,function*(t,e=null,n=null){const r=new URLSearchParams;null!=e&&r.append("type",String(e));const i=r.toString()?`?${r.toString()}`:"";return O.get(`/categories/${t}${i}`,!0,n)})}};const V=new e(n);var J=new class{getAllCategoryLists(){return t(this,arguments,void 0,function*(t=null){return V.get("/categorylist",!0,t)})}getCategoryListById(e){return t(this,arguments,void 0,function*(t,e=null){return V.get(`/categorylist/${t}`,!0,e)})}getCategoryListsByType(e){return t(this,arguments,void 0,function*(t,e=null){return V.get(`/categorylist/type/${t}`,!0,e)})}getActiveCategoryLists(){return t(this,arguments,void 0,function*(t=null){return V.get("/categorylist/active",!0,t)})}getCategoryListByTypeAndName(e,n){return t(this,arguments,void 0,function*(t,e,n=null){return V.get(`/categorylist/type/${t}/name/${e}`,!0,n)})}createCategoryList(e){return t(this,arguments,void 0,function*(t,e=null){return V.post("/categorylist",t,!0,e)})}updateCategoryList(e,n){return t(this,arguments,void 0,function*(t,e,n=null){return V.put(`/categorylist/${t}`,e,!0,n)})}deleteCategoryList(e){return t(this,arguments,void 0,function*(t,e=null){return V.delete(`/categorylist/${t}`,!0,e)})}addValue(e,n){return t(this,arguments,void 0,function*(t,e,n=null){return V.post(`/categorylist/${t}/values`,e,!0,n)})}removeValue(e,n){return t(this,arguments,void 0,function*(t,e,n=null){return V.delete(`/categorylist/${t}/values/${e}`,!0,n)})}updateValues(e,n){return t(this,arguments,void 0,function*(t,e,n=null){return V.put(`/categorylist/${t}/values`,e,!0,n)})}updateValue(e,n,r){return t(this,arguments,void 0,function*(t,e,n,r=null){return V.put(`/categorylist/${t}/values/${encodeURIComponent(e)}`,n,!0,r)})}};const _=new e(n);var D=new class{getByFeed(e){return t(this,arguments,void 0,function*(t,e=null){return _.get(`/jobFeedFieldMappings/feed/${t}`,!0,e)})}get(e){return t(this,arguments,void 0,function*(t,e=null){return _.get(`/jobFeedFieldMappings/${t}`,!0,e)})}create(e){return t(this,arguments,void 0,function*(t,e=null){return _.post("/jobFeedFieldMappings",t,!0,e)})}update(e,n){return t(this,arguments,void 0,function*(t,e,n=null){return _.put(`/jobFeedFieldMappings/${t}`,e,!0,n)})}delete(e){return t(this,arguments,void 0,function*(t,e=null){return _.delete(`/jobFeedFieldMappings/${t}`,!0,e)})}toggleActive(e){return t(this,arguments,void 0,function*(t,e=null){return _.post("/jobFeedFieldMappings/toggle-active",t,!0,e)})}discoverFields(e){return t(this,arguments,void 0,function*(t,e=null){return _.get(`/jobFeedFieldMappings/discover-fields/${t}`,!0,e)})}validate(e){return t(this,arguments,void 0,function*(t,e=null){return _.get(`/jobFeedFieldMappings/validate/${t}`,!0,e)})}};const H=new e(n);var N=new class{getAll(){return t(this,arguments,void 0,function*(t=null){return H.get("/jobfeeds",!0,t)})}get(e){return t(this,arguments,void 0,function*(t,e=null){return H.get(`/jobfeeds/${t}`,!0,e)})}create(e){return t(this,arguments,void 0,function*(t,e=null){return H.post("/jobfeeds",t,!0,e)})}update(e,n){return t(this,arguments,void 0,function*(t,e,n=null){return H.put(`/jobfeeds/${t}`,e,!0,n)})}delete(e){return t(this,arguments,void 0,function*(t,e=null){return H.delete(`/jobfeeds/${t}`,!0,e)})}sync(e){return t(this,arguments,void 0,function*(t,e=null){return H.post(`/jobfeeds/${t}/sync`,{},!0,e)})}toggleActive(e,n){return t(this,arguments,void 0,function*(t,e,n=null){return H.patch(`/jobfeeds/${t}/toggle-active`,e,!0,n)})}};const z=new e(n);var q=new class{get(){return t(this,arguments,void 0,function*(t=null){return z.get("/jobListingSettings",!0,t)})}create(e){return t(this,arguments,void 0,function*(t,e=null){return z.post("/jobListingSettings",t,!0,e)})}delete(){return t(this,arguments,void 0,function*(t=null){return z.delete("/jobListingSettings",!0,t)})}};const G=new e(n);var K=new class{getAllSql(e){return t(this,arguments,void 0,function*(t,e=null,n=null){const r=new URLSearchParams;return e&&r.append("origin",e),G.post("/listingEntities"+(r.toString()?"?"+r.toString():""),t,!0,n)})}getAll(){return t(this,arguments,void 0,function*(t=null){return G.get("/listingEntities",!0,t)})}create(e){return t(this,arguments,void 0,function*(t,e=null){return G.post("/listingEntities/create",t,!0,e)})}update(e,n){return t(this,arguments,void 0,function*(t,e,n=null){yield G.put(`/listingEntities/update/${t}`,e,!0,n)})}delete(e){return t(this,arguments,void 0,function*(t,e=null){yield G.delete(`/listingEntities/delete/${t}`,!0,e)})}};const X=new e(n);var Q=new class{get(){return t(this,arguments,void 0,function*(t=null,e=null){const n=new URLSearchParams;t&&t.forEach(t=>n.append("recruiterIds",t.toString()));const r=n.toString()?`?${n.toString()}`:"";return X.get(`/recruiters${r}`,!0,e)})}getAll(){return t(this,arguments,void 0,function*(t=null){return X.get("/recruiters/all",!0,t)})}sync(){return t(this,arguments,void 0,function*(t=null){return X.post("/recruiters/sync",{},!0,t)})}};const Y=new e(n);var Z=new class{getFieldTypes(){return t(this,arguments,void 0,function*(t=null){return Y.get("/field/types",!0,t)})}};const tt=new e(n);var et=new class{getValidatorTypes(){return t(this,arguments,void 0,function*(t=null){return tt.get("/validator/types",!0,t)})}};const nt=new e(n);var rt=new class{getContentEntries(e){return t(this,arguments,void 0,function*(t,e=null,n=null){let r=`/contententry?contentId=${t}`;return null!==e&&(r+=`&statusFilter=${e}`),nt.get(r,!0,n)})}getContentEntry(e){return t(this,arguments,void 0,function*(t,e=null,n=null){let r=`/contententry/${t}`;return null!==e&&(r+=`?statusFilter=${e}`),nt.get(r,!0,n)})}createContentEntry(e){return t(this,arguments,void 0,function*(t,e=null){return nt.post("/contententry",t,!0,e)})}updateContentEntry(e,n){return t(this,arguments,void 0,function*(t,e,n=null){return nt.put(`/contententry/${t}`,e,!0,n)})}deleteContentEntry(e){return t(this,arguments,void 0,function*(t,e=null){return nt.delete(`/contententry/${t}`,!0,e)})}getVersions(e){return t(this,arguments,void 0,function*(t,e=null){return nt.get(`/contententry/${t}/versions`,!0,e)})}unpublishAll(e){return t(this,arguments,void 0,function*(t,e=null){return nt.post(`/contententry/${t}/unpublish`,void 0,!0,e)})}};const it=new e(n);var ot=new class{getBlocks(){return t(this,arguments,void 0,function*(t=null){return it.get("/block",!0,t)})}getBlock(e){return t(this,arguments,void 0,function*(t,e=null){return it.get(`/block/${t}`,!0,e)})}createBlock(e){return t(this,arguments,void 0,function*(t,e=null){return it.post("/block",t,!0,e)})}updateBlock(e,n){return t(this,arguments,void 0,function*(t,e,n=null){return it.put(`/block/${t}`,e,!0,n)})}deleteBlock(e){return t(this,arguments,void 0,function*(t,e=null){return it.delete(`/block/${t}`,!0,e)})}getTemplateBlocks(){return t(this,arguments,void 0,function*(t=null){return it.get("/block/template-blocks",!0,t)})}};const st=new e(n);var ut=new class{getModels(){return t(this,arguments,void 0,function*(t=null){return st.get("/model",!0,t)})}getModel(e){return t(this,arguments,void 0,function*(t,e=null){return st.get(`/model/${t}`,!0,e)})}createModel(e){return t(this,arguments,void 0,function*(t,e=null){return st.post("/model",t,!0,e)})}updateModel(e,n){return t(this,arguments,void 0,function*(t,e,n=null){return st.put(`/model/${t}`,e,!0,n)})}deleteModel(e){return t(this,arguments,void 0,function*(t,e=null){return st.delete(`/model/${t}`,!0,e)})}previewSync(e){return t(this,arguments,void 0,function*(t,e=null){return st.get(`/model/${t}/sync/preview`,!0,e)})}executeSync(e,n){return t(this,arguments,void 0,function*(t,e,n=null){return st.post(`/model/${t}/sync`,e,!0,n)})}};const lt=new e(n);var at,dt,ct,gt,pt=new class{getCompletion(e){return t(this,arguments,void 0,function*(t,e=null){return lt.post("/openai/completion",t,!0,e)})}};exports.EventType=void 0,(at=exports.EventType||(exports.EventType={}))[at.Virtual=0]="Virtual",at[at.InPerson=1]="InPerson",at[at.Hybrid=2]="Hybrid",exports.CallToActionType=void 0,(dt=exports.CallToActionType||(exports.CallToActionType={}))[dt.Button=0]="Button",dt[dt.Link=1]="Link",dt[dt.Download=2]="Download",dt[dt.HireControlRegistration=3]="HireControlRegistration",exports.FormSubmissionStatus=void 0,(ct=exports.FormSubmissionStatus||(exports.FormSubmissionStatus={}))[ct.Submitted=1]="Submitted",ct[ct.Hold=2]="Hold",ct[ct.Rejected=3]="Rejected",ct[ct.Sent=4]="Sent",exports.FeedHandlingOption=void 0,(gt=exports.FeedHandlingOption||(exports.FeedHandlingOption={}))[gt.Replace=0]="Replace",gt[gt.Append=1]="Append",gt[gt.Custom=2]="Custom";const ht={login:o.login,nextLogin:o.nextLogin,refreshToken:o.refreshToken,changeCompany:o.changeCompany,register:o.register,isAuthenticated:o.isAuthenticated,getCompany:o.getCompany,getCompanies:o.getCompanies,getRoles:o.getRoles,getPermissions:o.getPermissions,logout:o.logout,getUser:o.getUser},ft={getAll:u.getEvents,get:u.getEvent,getBySlug:u.getEventBySlug,create:u.createEvent,update:u.updateEvent,delete:u.deleteEvent},vt={get:a.getAllRolesWithClaims,create:a.addRole,update:a.updateRole,delete:a.deleteRole},yt=c,mt=w,Ct={resetPassword:p.resetPassword,resetPasswordWithToken:p.resetPasswordWithToken,forgotPassword:p.forgotPassword},bt={get:f.getMapConfig,update:f.updateMapConfig,create:f.createMapConfig},wt={get:C.getClientAuthConfigById,getAll:C.getAllClientAuthConfigs,update:C.updateClientAuthConfig,create:C.createClientAuthConfig,delete:C.deleteClientAuthConfig},At={upload:$.uploadMedia,uploadProfileImage:$.uploadProfileImage,get:$.listMedia,delete:$.deleteMedia},$t={getList:L.getFilters,get:L.getFilter,update:L.updateFilter,create:L.createFilter,delete:L.deleteFilter},St={get:k.getAppendListings,getAppendListing:k.getAppendListing,create:k.createAppendListing,update:k.updateAppendListing,delete:k.deleteAppendListing},Lt={getAll:U.getBlogs,getById:U.getBlog,create:U.createBlog,update:U.updateBlog,delete:U.deleteBlog},Ft={get:W.getCategories,getByCompany:W.getCategoriesByCompany},kt={getAll:J.getAllCategoryLists,getById:J.getCategoryListById,getByType:J.getCategoryListsByType,getActive:J.getActiveCategoryLists,getByTypeAndName:J.getCategoryListByTypeAndName,create:J.createCategoryList,update:J.updateCategoryList,delete:J.deleteCategoryList,addValue:J.addValue,removeValue:J.removeValue,updateValue:J.updateValue,updateValues:J.updateValues},Tt={getByFeed:D.getByFeed,get:D.get,create:D.create,update:D.update,delete:D.delete,toggleActive:D.toggleActive,discoverFields:D.discoverFields,validate:D.validate},Bt={getAll:N.getAll,getById:N.get,create:N.create,update:N.update,delete:N.delete,sync:N.sync,toggleActive:N.toggleActive},jt={get:q.get,create:q.create,delete:q.delete},xt={create:K.create,get:K.getAll,update:K.update,delete:K.delete,getAllSql:K.getAllSql},It={get:Q.get,getAll:Q.getAll,sync:Q.sync},Et={get:y.getAllPermissions},Rt={getAll:E.getCompanies,getById:E.getCompany,create:E.createCompany,update:E.updateCompany,delete:E.deleteCompany,sync:E.syncAllCompanies},Pt={getAll:P.getJobListingsByCompany,getMapListings:P.getMapJobListingsByCompany,getMapListing:P.getMapListingById,getById:P.getJobListingById,create:P.createJobListing,update:P.updateJobListing,delete:P.deleteJobListing},Mt={getTypes:Z.getFieldTypes},Ut={getTypes:et.getValidatorTypes},Ot={getAll:rt.getContentEntries,getById:rt.getContentEntry,create:rt.createContentEntry,update:rt.updateContentEntry,delete:rt.deleteContentEntry,unpublish:rt.unpublishAll},Wt={getAll:ot.getBlocks,getById:ot.getBlock,create:ot.createBlock,update:ot.updateBlock,delete:ot.deleteBlock,getTemplateBlocks:ot.getTemplateBlocks},Vt={getAll:ut.getModels,getById:ut.getModel,create:ut.createModel,update:ut.updateModel,delete:ut.deleteModel,previewSync:ut.previewSync,executeSync:ut.executeSync},Jt={getCompletion:pt.getCompletion},_t=B,Dt=x,Ht={auth:ht,events:ft,roles:vt,users:yt,account:Ct,mapConfig:bt,permissions:Et,clientAuthConfig:wt,filters:$t,listings:mt,media:At,appendListings:St,blogs:Lt,categories:Ft,categoryLists:kt,jobFeedFieldMappings:Tt,jobFeeds:Bt,jobListingSettings:jt,listingEntities:xt,recruiters:It,forms:_t,formSubmissions:Dt,openAI:Jt,companies:Rt,jobListings:Pt};exports.account=Ct,exports.appendListings=St,exports.auth=ht,exports.blogs=Lt,exports.categories=Ft,exports.categoryLists=kt,exports.clientAuthConfig=wt,exports.companies=Rt,exports.contentBlocks=Wt,exports.contentEntries=Ot,exports.contentField=Mt,exports.contentValidator=Ut,exports.default=Ht,exports.events=ft,exports.filters=$t,exports.formSubmissions=Dt,exports.forms=_t,exports.jobFeedFieldMappings=Tt,exports.jobFeeds=Bt,exports.jobListingSettings=jt,exports.jobListings=Pt,exports.listingEntities=xt,exports.listings=mt,exports.mapConfig=bt,exports.media=At,exports.model=Vt,exports.openAI=Jt,exports.permissions=Et,exports.recruiters=It,exports.roles=vt,exports.users=yt;
|
|
1
|
+
"use strict";Object.defineProperty(exports,"__esModule",{value:!0});var t=require("tslib");class e{constructor(t){this.apiUrl=t,this.isLocalhost=!1}getAuthToken(){return this.isLocalhost?sessionStorage.getItem("token"):null}get(e){return t.__awaiter(this,arguments,void 0,(function*(t,e=!1,n=null){this.isLocalhost&&e&&!n&&(n=this.getAuthToken());const r={method:"GET",credentials:n?"omit":"include"};return e?this.fetchWithAuth(t,r,n):this.fetchWithoutAuth(t,r)}))}post(e,n){return t.__awaiter(this,arguments,void 0,(function*(t,e,n=!1,r=null,i=!1){this.isLocalhost&&n&&!r&&(r=this.getAuthToken());const o=i,s={method:"POST",credentials:r?"omit":"include",headers:Object.assign(Object.assign({},r?{Authorization:`Bearer ${r}`}:{}),o?{}:{"Content-Type":"application/json"}),body:o?this.convertToFormData(e):JSON.stringify(e)};return n?this.fetchWithAuth(t,s,r):this.fetchWithoutAuth(t,s)}))}put(e,n){return t.__awaiter(this,arguments,void 0,(function*(t,e,n=!1,r=null,i=!1){this.isLocalhost&&n&&!r&&(r=this.getAuthToken());const o=i,s={method:"PUT",credentials:r?"omit":"include",headers:Object.assign(Object.assign({},r?{Authorization:`Bearer ${r}`}:{}),o?{}:{"Content-Type":"application/json"}),body:o?this.convertToFormData(e):JSON.stringify(e)};return n?this.fetchWithAuth(t,s,r):this.fetchWithoutAuth(t,s)}))}patch(e,n){return t.__awaiter(this,arguments,void 0,(function*(t,e,n=!1,r=null,i=!1){this.isLocalhost&&n&&!r&&(r=this.getAuthToken());const o=i,s={method:"PATCH",credentials:r?"omit":"include",headers:Object.assign(Object.assign({},r?{Authorization:`Bearer ${r}`}:{}),o?{}:{"Content-Type":"application/json"}),body:o?this.convertToFormData(e):JSON.stringify(e)};return n?this.fetchWithAuth(t,s,r):this.fetchWithoutAuth(t,s)}))}delete(e){return t.__awaiter(this,arguments,void 0,(function*(t,e=!1,n=null){this.isLocalhost&&e&&!n&&(n=this.getAuthToken());const r={method:"DELETE",credentials:n?"omit":"include"};return e?this.fetchWithAuth(t,r,n):this.fetchWithoutAuth(t,r)}))}getFile(e){return t.__awaiter(this,arguments,void 0,(function*(t,e=!1,n=null){this.isLocalhost&&e&&!n&&(n=this.getAuthToken());const r={method:"GET",credentials:n?"omit":"include",headers:e&&n?{Authorization:`Bearer ${n}`}:{}},i=yield fetch(`${this.apiUrl}${t}`,r);if(!i.ok)throw new Error(`Failed to fetch file: ${i.statusText}`);return i.blob()}))}convertToFormData(t,e=new FormData,n=""){return t instanceof File?e.append(n||"file",t):"string"==typeof t||"number"==typeof t||"boolean"==typeof t?e.append(n,t.toString()):Array.isArray(t)?t.forEach(((t,r)=>{this.convertToFormData(t,e,`${n}[${r}]`)})):"object"==typeof t&&null!==t&&Object.keys(t).forEach((r=>{const i=t[r],o=n?`${n}.${r}`:r;this.convertToFormData(i,e,o)})),e}fetchWithoutAuth(e,n){return t.__awaiter(this,void 0,void 0,(function*(){const t=yield fetch(`${this.apiUrl}${e}`,n);return this.handleResponse(t)}))}fetchWithAuth(e,n,r){return t.__awaiter(this,void 0,void 0,(function*(){r?(n.headers=Object.assign(Object.assign({},n.headers),{Authorization:`Bearer ${r}`}),n.credentials="omit"):n.credentials="include";let t=yield fetch(`${this.apiUrl}${e}`,n);if(401===t.status){if(!(yield this.refreshToken()))throw{statusCode:t.status};this.isLocalhost&&(r=this.getAuthToken())&&(n.headers=Object.assign(Object.assign({},n.headers),{Authorization:`Bearer ${r}`})),t=yield fetch(`${this.apiUrl}${e}`,n)}return this.handleResponse(t)}))}handleResponse(e){return t.__awaiter(this,void 0,void 0,(function*(){if(!e.ok||!e.status.toString().startsWith("2")){let t=`Error: ${e.status} ${e.statusText}`;try{const n=yield e.json();console.log(n),n&&n.message&&(t=n.message)}catch(t){console.error("Failed to parse error response:",t)}throw{statusCode:e.status,errorMessage:t}}if(204===e.status||205===e.status)return null;const t=yield e.text();if(!t)return null;try{return JSON.parse(t)}catch(e){return t}}))}refreshToken(){return t.__awaiter(this,void 0,void 0,(function*(){if(!this.isLocalhost){return!!(yield fetch(`${this.apiUrl}/auth/refresh`,{method:"POST",headers:{"Content-Type":"application/json"},credentials:"include"})).ok||(console.error("Failed to refresh token"),!1)}{const t=sessionStorage.getItem("refreshToken");if(!t)return!1;const e=yield fetch(`${this.apiUrl}/auth/refresh`,{method:"POST",headers:{"Content-Type":"application/json"},body:JSON.stringify({refreshToken:t})});if(!e.ok)return console.error("Failed to refresh token"),!1;try{const t=yield e.json();return t.token&&sessionStorage.setItem("token",t.token),t.refreshToken&&sessionStorage.setItem("refreshToken",t.refreshToken),!0}catch(t){return console.error("Failed to parse refresh token response:",t),!1}}}))}}const n=process.env.NEXT_PUBLIC_API_URL||process.env.VITE_API_URL||process.env.REACT_APP_API_URL||"https://api.myhirecontrol.com",r=new e(n),i="undefined"!=typeof window&&"localhost"===window.location.hostname;var o=new class{login(e){return t.__awaiter(this,void 0,void 0,(function*(){return r.post("/auth/login",e,!1)}))}nextLogin(e){return t.__awaiter(this,void 0,void 0,(function*(){const t="/auth/nextLogin"+(i?"?localhost=true":""),n=yield r.post(t,e,!1);return n&&(sessionStorage.setItem("token",n.token),sessionStorage.setItem("refreshToken",n.refreshToken),sessionStorage.setItem("expiration",n.expiration)),n}))}refreshToken(){return t.__awaiter(this,void 0,void 0,(function*(){const t="/auth/refresh"+(i?"?localhost=true":""),e=yield r.post(t,{},!0);return e&&i&&(sessionStorage.setItem("token",e.token),sessionStorage.setItem("refreshToken",e.refreshToken),sessionStorage.setItem("expiration",e.expiration)),e}))}changeCompany(e){return t.__awaiter(this,void 0,void 0,(function*(){const t="/auth/changeCompany"+(i?"?localhost=true":"");var n=yield r.post(t,e,!0);return n&&(sessionStorage.setItem("token",n.token),sessionStorage.setItem("refreshToken",n.refreshToken),sessionStorage.setItem("expiration",n.expiration)),n}))}register(e){return t.__awaiter(this,void 0,void 0,(function*(){return r.post("/auth/register",e,!1)}))}getCompanies(){return t.__awaiter(this,void 0,void 0,(function*(){return r.get("/auth/companies",!0)}))}getCompany(){return t.__awaiter(this,void 0,void 0,(function*(){return r.get("/auth/company",!0)}))}getRoles(){return t.__awaiter(this,void 0,void 0,(function*(){return r.get("/auth/roles",!0)}))}isAuthenticated(){return t.__awaiter(this,void 0,void 0,(function*(){try{const t=yield r.get("/auth/authenticated",!0);return t||(yield this.tryRefreshAndCheckAuth())}catch(t){return yield this.tryRefreshAndCheckAuth()}}))}tryRefreshAndCheckAuth(){return t.__awaiter(this,void 0,void 0,(function*(){try{yield this.refreshToken();return yield r.get("/auth/authenticated",!0)}catch(t){return!1}}))}getUser(){return t.__awaiter(this,arguments,void 0,(function*(t=null){try{return yield r.get("/auth/user",!0,t)}catch(t){throw t}}))}logout(){return t.__awaiter(this,void 0,void 0,(function*(){try{const t=yield r.post("/auth/logout",{},!0);return sessionStorage.removeItem("token"),sessionStorage.removeItem("refreshToken"),sessionStorage.removeItem("expiration"),t}catch(t){throw t}}))}getPermissions(){return t.__awaiter(this,arguments,void 0,(function*(t=null){try{return yield r.get("/auth/permissions",!0,t)}catch(t){throw t}}))}};const s=new e(n);var a=new class{getEvents(){return t.__awaiter(this,arguments,void 0,(function*(t=null){return s.get("/events",!0,t)}))}getEvent(e){return t.__awaiter(this,arguments,void 0,(function*(t,e=null){return s.get(`/events/${t}`,!0,e)}))}getEventBySlug(e){return t.__awaiter(this,arguments,void 0,(function*(t,e=null){return s.get(`/events/details/${t}`,!0,e)}))}getListingEvents(e){return t.__awaiter(this,arguments,void 0,(function*(t,e=null){return s.get(`/listingEvents/${t}`,!0,e)}))}createEvent(e){return t.__awaiter(this,arguments,void 0,(function*(t,e=null){return s.post("/events",t,!0,e)}))}updateEvent(e,n){return t.__awaiter(this,arguments,void 0,(function*(t,e,n=null){return s.put(`/events/${t}`,e,!0,n)}))}deleteEvent(e){return t.__awaiter(this,arguments,void 0,(function*(t,e=null){return s.delete(`/events/${t}`,!0,e)}))}};const u=new e(n);var l=new class{getAllRolesWithClaims(){return t.__awaiter(this,arguments,void 0,(function*(t=null){return u.get("/roles",!0,t)}))}addRole(e){return t.__awaiter(this,arguments,void 0,(function*(t,e=null){return u.post("/roles",t,!0,e)}))}updateRole(e,n){return t.__awaiter(this,arguments,void 0,(function*(t,e,n=null){return u.put(`/roles/${t}`,e,!0,n)}))}deleteRole(e){return t.__awaiter(this,arguments,void 0,(function*(t,e=null){return u.delete(`/roles/${t}`,!0,e)}))}};const d=new e(n);var c=new class{getAllUsers(){return t.__awaiter(this,arguments,void 0,(function*(t=null){try{return yield d.get("/users",!0,t)}catch(t){throw t}}))}getUser(e){return t.__awaiter(this,arguments,void 0,(function*(t,e=null){try{return yield d.get(`/users/${t}`,!0,e)}catch(t){throw t}}))}createUser(e){return t.__awaiter(this,arguments,void 0,(function*(t,e=null){try{return yield d.post("/users",t,!0,e)}catch(t){throw t}}))}updateUser(e,n){return t.__awaiter(this,arguments,void 0,(function*(t,e,n=null){try{yield d.put(`/users/${t}`,e,!0,n)}catch(t){throw t}}))}updateLoggedInUser(e){return t.__awaiter(this,arguments,void 0,(function*(t,e=null){try{yield d.put("/users",t,!0,e)}catch(t){throw t}}))}deleteUser(e){return t.__awaiter(this,arguments,void 0,(function*(t,e=null){try{yield d.delete(`/users/${t}`,!0,e)}catch(t){throw t}}))}};const g=new e(n);var h=new class{forgotPassword(e){return t.__awaiter(this,void 0,void 0,(function*(){try{return yield g.post("/account/forgotPassword",e,!1)}catch(t){throw t}}))}resetPasswordWithToken(e){return t.__awaiter(this,void 0,void 0,(function*(){try{return yield g.post("/account/resetPasswordWithToken",e,!1)}catch(t){throw t}}))}resetPassword(e){return t.__awaiter(this,arguments,void 0,(function*(t,e=null){try{return yield g.post("/account/resetPassword",t,!0,e)}catch(t){throw t}}))}};const p=new e(n);var _=new class{getMapConfig(){return t.__awaiter(this,arguments,void 0,(function*(t=null){try{return yield p.get("/mapconfig",!0,t)}catch(t){throw t}}))}updateMapConfig(e){return t.__awaiter(this,arguments,void 0,(function*(t,e=null){return p.put("/mapconfig",t,!0,e)}))}createMapConfig(e){return t.__awaiter(this,arguments,void 0,(function*(t,e=null){return p.post("/mapconfig",t,!0,e)}))}};const f=new e(n);var v=new class{getAllPermissions(){return t.__awaiter(this,arguments,void 0,(function*(t=null){return f.get("/permissions",!0,t)}))}};const w=new e(n);var y=new class{getClientAuthConfigById(e){return t.__awaiter(this,arguments,void 0,(function*(t,e=null){try{return yield w.get(`/clientAuthConfig/${t}`,!0,e)}catch(t){throw t}}))}getAllClientAuthConfigs(){return t.__awaiter(this,arguments,void 0,(function*(t=null){try{return yield w.get("/clientAuthConfig",!0,t)}catch(t){throw t}}))}createClientAuthConfig(e){return t.__awaiter(this,arguments,void 0,(function*(t,e=null){return w.post("/clientAuthConfig",t,!0,e)}))}updateClientAuthConfig(e,n){return t.__awaiter(this,arguments,void 0,(function*(t,e,n=null){return w.put(`/clientAuthConfig/${t}`,e,!0,n)}))}deleteClientAuthConfig(e){return t.__awaiter(this,arguments,void 0,(function*(t,e=null){return w.delete(`/clientAuthConfig/${t}`,!0,e)}))}};const m=new e(n);var C=new class{getSearchReadConfig(){return t.__awaiter(this,arguments,void 0,(function*(t=null){try{return yield m.get("/integrationconfig/search-read",!0,t)}catch(t){if(404===(null==t?void 0:t.statusCode)||204===(null==t?void 0:t.statusCode))return null;throw t}}))}};const b=new e(n);var A=new class{getListings(){return t.__awaiter(this,arguments,void 0,(function*(t=null,e=null){try{const n=e?`?filterId=${encodeURIComponent(e)}`:"";return yield b.get(`/listings${n}`,!0,t)}catch(t){throw t}}))}getListingDetails(e){return t.__awaiter(this,arguments,void 0,(function*(t,e=null){try{return yield b.get(`/listings/${t}`,!0,e)}catch(t){throw t}}))}};const S=new e(n);var $=new class{uploadMedia(e){return t.__awaiter(this,arguments,void 0,(function*(t,e=null){return S.post("/media/upload",t,!0,e,!0)}))}uploadProfileImage(e){return t.__awaiter(this,arguments,void 0,(function*(t,e=null){return S.post("/media/upload-profile-image",t,!0,e,!0)}))}listMedia(e){return t.__awaiter(this,arguments,void 0,(function*(t,e=null){const n=new URLSearchParams({folderKey:t});return S.get(`/media/list?${n.toString()}`,!0,e)}))}deleteMedia(e){return t.__awaiter(this,arguments,void 0,(function*(t,e=null){const n=new URLSearchParams({key:t});return S.delete(`/media/delete?${n.toString()}`,!0,e)}))}};const L=new e(n);var F=new class{getFilters(){return t.__awaiter(this,arguments,void 0,(function*(t=null){return L.get("/filters",!0,t)}))}getFilter(e){return t.__awaiter(this,arguments,void 0,(function*(t,e=null){return L.get(`/filters/${t}`,!0,e)}))}createFilter(e){return t.__awaiter(this,arguments,void 0,(function*(t,e=null){return L.post("/filters",t,!0,e)}))}updateFilter(e,n){return t.__awaiter(this,arguments,void 0,(function*(t,e,n=null){return L.put(`/filters/${t}`,e,!0,n)}))}deleteFilter(e){return t.__awaiter(this,arguments,void 0,(function*(t,e=null){return L.delete(`/filters/${t}`,!0,e)}))}};const k=new e(n);var T=new class{getAppendListings(){return t.__awaiter(this,arguments,void 0,(function*(t=null){return k.get("/appendListings",!0,t)}))}getAppendListing(e){return t.__awaiter(this,arguments,void 0,(function*(t,e=null){return k.get(`/appendListings/${t}`,!0,e)}))}createAppendListing(e){return t.__awaiter(this,arguments,void 0,(function*(t,e=null){return k.post("/appendListings",t,!0,e)}))}updateAppendListing(e,n){return t.__awaiter(this,arguments,void 0,(function*(t,e,n=null){return k.put(`/appendListings/${t}`,e,!0,n)}))}deleteAppendListing(e){return t.__awaiter(this,arguments,void 0,(function*(t,e=null){return k.delete(`/appendListings/${t}`,!0,e)}))}};const B=new e(n);var x=new class{getForms(){return t.__awaiter(this,arguments,void 0,(function*(t=null){return B.get("/forms",!0,t)}))}getForm(e){return t.__awaiter(this,arguments,void 0,(function*(t,e=null){return B.get(`/forms/${t}`,!0,e)}))}createForm(e){return t.__awaiter(this,arguments,void 0,(function*(t,e=null){return B.post("/forms",t,!0,e)}))}updateForm(e,n){return t.__awaiter(this,arguments,void 0,(function*(t,e,n=null){return B.put(`/forms/${t}`,e,!0,n)}))}updateFormWithFieldRenames(e,n,r){return t.__awaiter(this,arguments,void 0,(function*(t,e,n,r=null){return B.put(`/forms/${t}`,Object.assign(Object.assign({},e),n),!0,r)}))}getFormSubmissionCount(e){return t.__awaiter(this,arguments,void 0,(function*(t,e=null){return B.get(`/forms/${t}/submission-count`,!0,e)}))}getFormSubmissionFieldUsage(e){return t.__awaiter(this,arguments,void 0,(function*(t,e=null){return B.get(`/forms/${t}/submission-fields`,!0,e)}))}migrateSubmissionFields(e,n){return t.__awaiter(this,arguments,void 0,(function*(t,e,n=null){return B.post(`/forms/${t}/migrate-submission-fields`,e,!0,n)}))}deleteForm(e){return t.__awaiter(this,arguments,void 0,(function*(t,e=null){return B.delete(`/forms/${t}`,!0,e)}))}processFormRequest(e){return t.__awaiter(this,arguments,void 0,(function*(t,e=null){return B.post("/forms/jsonSchema",t,!0,e)}))}};const j=new e(n);var I=new class{submitContactForm(e){return t.__awaiter(this,arguments,void 0,(function*(t,e=null){return j.post("/contactForm",t,!0,e,!0)}))}submitFormSubmission(e){return t.__awaiter(this,arguments,void 0,(function*(t,e=null){return j.post("/formsubmission",t,!0,e)}))}getFormSubmissions(){return t.__awaiter(this,arguments,void 0,(function*(t=20,e=1,n=null,r=null,i=null,o=null,s=null){const a=new URLSearchParams({pageSize:t.toString(),pageNumber:e.toString()});return r&&a.append("status",r.toString()),n&&a.append("type",n),i&&a.append("from",i.toISOString()),o&&a.append("to",o.toISOString()),j.get(`/formsubmission?${a.toString()}`,!0,s)}))}exportFormSubmissionsCsv(){return t.__awaiter(this,arguments,void 0,(function*(t=20,e=1,n=null,r=null,i=null,o=null,s=null,a=null){const u=new URLSearchParams({pageSize:t.toString(),pageNumber:e.toString()});r&&u.append("status",r.toString()),n&&u.append("type",n),i&&u.append("from",i.toISOString()),o&&u.append("to",o.toISOString()),s&&s.length>0&&s.forEach((t=>u.append("columns",t)));const l=yield j.getFile(`/formsubmission/export-csv?${u.toString()}`,!0,a),d=window.URL.createObjectURL(l),c=document.createElement("a");c.href=d,c.download="HireControl_Form_Submissions.csv",document.body.appendChild(c),c.click(),window.URL.revokeObjectURL(d),document.body.removeChild(c)}))}getFormSubmissionTypes(){return t.__awaiter(this,arguments,void 0,(function*(t=null){return j.get("/formsubmission/types",!0,t)}))}};const E=new e(n);var R=new class{getCompanies(){return t.__awaiter(this,arguments,void 0,(function*(t=null){return E.get("/companies",!0,t)}))}getCompany(e){return t.__awaiter(this,arguments,void 0,(function*(t,e=null){return E.get(`/companies/${t}`,!0,e)}))}createCompany(e){return t.__awaiter(this,arguments,void 0,(function*(t,e=null){return E.post("/companies",t,!0,e)}))}updateCompany(e,n){return t.__awaiter(this,arguments,void 0,(function*(t,e,n=null){return E.put(`/companies/${t}`,e,!0,n)}))}deleteCompany(e){return t.__awaiter(this,arguments,void 0,(function*(t,e=null){return E.delete(`/companies/${t}`,!0,e)}))}syncAllCompanies(){return t.__awaiter(this,arguments,void 0,(function*(t=null){return E.get("/companies/syncall",!0,t)}))}};const M=new e(n);var P=new class{getJobListingsByCompany(){return t.__awaiter(this,arguments,void 0,(function*(t=null){return M.get("/joblistings",!0,t)}))}getMapJobListingsByCompany(){return t.__awaiter(this,arguments,void 0,(function*(t=null,e=null){return e?M.get(`/joblistings/MapListings?filterId=${e}`,!0,t):M.get("/joblistings/MapListings",!0,t)}))}getJobListingById(e){return t.__awaiter(this,arguments,void 0,(function*(t,e=null){return M.get(`/joblistings/${t}`,!0,e)}))}getMapListingById(e){return t.__awaiter(this,arguments,void 0,(function*(t,e=null){return M.get(`/joblistings/MapListings/${t}`,!0,e)}))}createJobListing(e){return t.__awaiter(this,arguments,void 0,(function*(t,e=null){return M.post("/joblistings",t,!0,e)}))}updateJobListing(e,n){return t.__awaiter(this,arguments,void 0,(function*(t,e,n=null){return M.put(`/joblistings/${t}`,e,!0,n)}))}exportJobListingsCsv(){return t.__awaiter(this,arguments,void 0,(function*(t=10,e=1,n=null,r=null,i=null,o=null){const s=new URLSearchParams({pageSize:t.toString(),pageNumber:e.toString()});n&&s.append("status",n.toString()),r&&s.append("from",r.toISOString()),i&&s.append("to",i.toISOString());const a=yield M.getFile(`/joblistings/Export-csv?${s.toString()}`,!0,o),u=window.URL.createObjectURL(a),l=document.createElement("a");l.href=u,l.download="job_listings.csv",document.body.appendChild(l),l.click(),window.URL.revokeObjectURL(u),document.body.removeChild(l)}))}deleteJobListing(e){return t.__awaiter(this,arguments,void 0,(function*(t,e=null){return M.delete(`/joblistings/${t}`,!0,e)}))}};const U=new e(n);var O=new class{getBlogs(){return t.__awaiter(this,arguments,void 0,(function*(t=null){return U.get("/blog",!0,t)}))}getBlog(e){return t.__awaiter(this,arguments,void 0,(function*(t,e=null){return U.get(`/blog/${t}`,!0,e)}))}createBlog(e){return t.__awaiter(this,arguments,void 0,(function*(t,e=null){return U.post("/blog",t,!0,e)}))}updateBlog(e,n){return t.__awaiter(this,arguments,void 0,(function*(t,e,n=null){return U.put(`/blog/${t}`,e,!0,n)}))}deleteBlog(e){return t.__awaiter(this,arguments,void 0,(function*(t,e=null){return U.delete(`/blog/${t}`,!0,e)}))}};const W=new e(n);var J=new class{getCategories(){return t.__awaiter(this,arguments,void 0,(function*(t=null,e=null){const n=new URLSearchParams;null!=t&&n.append("type",String(t));const r=n.toString()?`?${n.toString()}`:"";return W.get(`/categories${r}`,!0,e)}))}getCategoriesByCompany(e){return t.__awaiter(this,arguments,void 0,(function*(t,e=null,n=null){const r=new URLSearchParams;null!=e&&r.append("type",String(e));const i=r.toString()?`?${r.toString()}`:"";return W.get(`/categories/${t}${i}`,!0,n)}))}};const V=new e(n);var N=new class{getAllCategoryLists(){return t.__awaiter(this,arguments,void 0,(function*(t=null){return V.get("/categorylist",!0,t)}))}getCategoryListById(e){return t.__awaiter(this,arguments,void 0,(function*(t,e=null){return V.get(`/categorylist/${t}`,!0,e)}))}getCategoryListsByType(e){return t.__awaiter(this,arguments,void 0,(function*(t,e=null){return V.get(`/categorylist/type/${t}`,!0,e)}))}getActiveCategoryLists(){return t.__awaiter(this,arguments,void 0,(function*(t=null){return V.get("/categorylist/active",!0,t)}))}getCategoryListByTypeAndName(e,n){return t.__awaiter(this,arguments,void 0,(function*(t,e,n=null){return V.get(`/categorylist/type/${t}/name/${e}`,!0,n)}))}createCategoryList(e){return t.__awaiter(this,arguments,void 0,(function*(t,e=null){return V.post("/categorylist",t,!0,e)}))}updateCategoryList(e,n){return t.__awaiter(this,arguments,void 0,(function*(t,e,n=null){return V.put(`/categorylist/${t}`,e,!0,n)}))}deleteCategoryList(e){return t.__awaiter(this,arguments,void 0,(function*(t,e=null){return V.delete(`/categorylist/${t}`,!0,e)}))}addValue(e,n){return t.__awaiter(this,arguments,void 0,(function*(t,e,n=null){return V.post(`/categorylist/${t}/values`,e,!0,n)}))}removeValue(e,n){return t.__awaiter(this,arguments,void 0,(function*(t,e,n=null){return V.delete(`/categorylist/${t}/values/${e}`,!0,n)}))}updateValues(e,n){return t.__awaiter(this,arguments,void 0,(function*(t,e,n=null){return V.put(`/categorylist/${t}/values`,e,!0,n)}))}};const D=new e(n);var H=new class{getByFeed(e){return t.__awaiter(this,arguments,void 0,(function*(t,e=null){return D.get(`/jobFeedFieldMappings/feed/${t}`,!0,e)}))}get(e){return t.__awaiter(this,arguments,void 0,(function*(t,e=null){return D.get(`/jobFeedFieldMappings/${t}`,!0,e)}))}create(e){return t.__awaiter(this,arguments,void 0,(function*(t,e=null){return D.post("/jobFeedFieldMappings",t,!0,e)}))}update(e,n){return t.__awaiter(this,arguments,void 0,(function*(t,e,n=null){return D.put(`/jobFeedFieldMappings/${t}`,e,!0,n)}))}delete(e){return t.__awaiter(this,arguments,void 0,(function*(t,e=null){return D.delete(`/jobFeedFieldMappings/${t}`,!0,e)}))}toggleActive(e){return t.__awaiter(this,arguments,void 0,(function*(t,e=null){return D.post("/jobFeedFieldMappings/toggle-active",t,!0,e)}))}discoverFields(e){return t.__awaiter(this,arguments,void 0,(function*(t,e=null){return D.get(`/jobFeedFieldMappings/discover-fields/${t}`,!0,e)}))}validate(e){return t.__awaiter(this,arguments,void 0,(function*(t,e=null){return D.get(`/jobFeedFieldMappings/validate/${t}`,!0,e)}))}};const z=new e(n);var q=new class{getAll(){return t.__awaiter(this,arguments,void 0,(function*(t=null){return z.get("/jobfeeds",!0,t)}))}get(e){return t.__awaiter(this,arguments,void 0,(function*(t,e=null){return z.get(`/jobfeeds/${t}`,!0,e)}))}create(e){return t.__awaiter(this,arguments,void 0,(function*(t,e=null){return z.post("/jobfeeds",t,!0,e)}))}update(e,n){return t.__awaiter(this,arguments,void 0,(function*(t,e,n=null){return z.put(`/jobfeeds/${t}`,e,!0,n)}))}delete(e){return t.__awaiter(this,arguments,void 0,(function*(t,e=null){return z.delete(`/jobfeeds/${t}`,!0,e)}))}sync(e){return t.__awaiter(this,arguments,void 0,(function*(t,e=null){return z.post(`/jobfeeds/${t}/sync`,{},!0,e)}))}toggleActive(e,n){return t.__awaiter(this,arguments,void 0,(function*(t,e,n=null){return z.patch(`/jobfeeds/${t}/toggle-active`,e,!0,n)}))}};const G=new e(n);var K=new class{get(){return t.__awaiter(this,arguments,void 0,(function*(t=null){return G.get("/jobListingSettings",!0,t)}))}create(e){return t.__awaiter(this,arguments,void 0,(function*(t,e=null){return G.post("/jobListingSettings",t,!0,e)}))}delete(){return t.__awaiter(this,arguments,void 0,(function*(t=null){return G.delete("/jobListingSettings",!0,t)}))}};const X=new e(n);var Q=new class{getAllSql(e){return t.__awaiter(this,arguments,void 0,(function*(t,e=null,n=null){const r=new URLSearchParams;return e&&r.append("origin",e),X.post("/listingEntities"+(r.toString()?"?"+r.toString():""),t,!0,n)}))}getAll(){return t.__awaiter(this,arguments,void 0,(function*(t=null){return X.get("/listingEntities",!0,t)}))}create(e){return t.__awaiter(this,arguments,void 0,(function*(t,e=null){return X.post("/listingEntities/create",t,!0,e)}))}update(e,n){return t.__awaiter(this,arguments,void 0,(function*(t,e,n=null){yield X.put(`/listingEntities/update/${t}`,e,!0,n)}))}delete(e){return t.__awaiter(this,arguments,void 0,(function*(t,e=null){yield X.delete(`/listingEntities/delete/${t}`,!0,e)}))}};const Y=new e(n);var Z=new class{get(){return t.__awaiter(this,arguments,void 0,(function*(t=null,e=null){const n=new URLSearchParams;t&&t.forEach((t=>n.append("recruiterIds",t.toString())));const r=n.toString()?`?${n.toString()}`:"";return Y.get(`/recruiters${r}`,!0,e)}))}getAll(){return t.__awaiter(this,arguments,void 0,(function*(t=null){return Y.get("/recruiters/all",!0,t)}))}sync(){return t.__awaiter(this,arguments,void 0,(function*(t=null){return Y.post("/recruiters/sync",{},!0,t)}))}};const tt=new e(n);var et=new class{getFieldTypes(){return t.__awaiter(this,arguments,void 0,(function*(t=null){return tt.get("/field/types",!0,t)}))}};const nt=new e(n);var rt=new class{getValidatorTypes(){return t.__awaiter(this,arguments,void 0,(function*(t=null){return nt.get("/validator/types",!0,t)}))}};const it=new e(n);var ot=new class{getContentEntries(e){return t.__awaiter(this,arguments,void 0,(function*(t,e=null,n=null){let r=`/contententry?contentId=${t}`;return null!==e&&(r+=`&statusFilter=${e}`),it.get(r,!0,n)}))}getContentEntry(e){return t.__awaiter(this,arguments,void 0,(function*(t,e=null,n=null){let r=`/contententry/${t}`;return null!==e&&(r+=`?statusFilter=${e}`),it.get(r,!0,n)}))}createContentEntry(e){return t.__awaiter(this,arguments,void 0,(function*(t,e=null){return it.post("/contententry",t,!0,e)}))}updateContentEntry(e,n){return t.__awaiter(this,arguments,void 0,(function*(t,e,n=null){return it.put(`/contententry/${t}`,e,!0,n)}))}deleteContentEntry(e){return t.__awaiter(this,arguments,void 0,(function*(t,e=null){return it.delete(`/contententry/${t}`,!0,e)}))}getVersions(e){return t.__awaiter(this,arguments,void 0,(function*(t,e=null){return it.get(`/contententry/${t}/versions`,!0,e)}))}unpublishAll(e){return t.__awaiter(this,arguments,void 0,(function*(t,e=null){return it.post(`/contententry/${t}/unpublish`,void 0,!0,e)}))}};const st=new e(n);var at=new class{getBlocks(){return t.__awaiter(this,arguments,void 0,(function*(t=null){return st.get("/block",!0,t)}))}getBlock(e){return t.__awaiter(this,arguments,void 0,(function*(t,e=null){return st.get(`/block/${t}`,!0,e)}))}createBlock(e){return t.__awaiter(this,arguments,void 0,(function*(t,e=null){return st.post("/block",t,!0,e)}))}updateBlock(e,n){return t.__awaiter(this,arguments,void 0,(function*(t,e,n=null){return st.put(`/block/${t}`,e,!0,n)}))}deleteBlock(e){return t.__awaiter(this,arguments,void 0,(function*(t,e=null){return st.delete(`/block/${t}`,!0,e)}))}getTemplateBlocks(){return t.__awaiter(this,arguments,void 0,(function*(t=null){return st.get("/block/template-blocks",!0,t)}))}};const ut=new e(n);var lt=new class{getModels(){return t.__awaiter(this,arguments,void 0,(function*(t=null){return ut.get("/model",!0,t)}))}getModel(e){return t.__awaiter(this,arguments,void 0,(function*(t,e=null){return ut.get(`/model/${t}`,!0,e)}))}createModel(e){return t.__awaiter(this,arguments,void 0,(function*(t,e=null){return ut.post("/model",t,!0,e)}))}updateModel(e,n){return t.__awaiter(this,arguments,void 0,(function*(t,e,n=null){return ut.put(`/model/${t}`,e,!0,n)}))}deleteModel(e){return t.__awaiter(this,arguments,void 0,(function*(t,e=null){return ut.delete(`/model/${t}`,!0,e)}))}previewSync(e){return t.__awaiter(this,arguments,void 0,(function*(t,e=null){return ut.get(`/model/${t}/sync/preview`,!0,e)}))}executeSync(e,n){return t.__awaiter(this,arguments,void 0,(function*(t,e,n=null){return ut.post(`/model/${t}/sync`,e,!0,n)}))}};const dt=new e(n);var ct,gt,ht,pt,_t=new class{getCompletion(e){return t.__awaiter(this,arguments,void 0,(function*(t,e=null){return dt.post("/openai/completion",t,!0,e)}))}};exports.EventType=void 0,(ct=exports.EventType||(exports.EventType={}))[ct.Virtual=0]="Virtual",ct[ct.InPerson=1]="InPerson",ct[ct.Hybrid=2]="Hybrid",exports.CallToActionType=void 0,(gt=exports.CallToActionType||(exports.CallToActionType={}))[gt.Button=0]="Button",gt[gt.Link=1]="Link",gt[gt.Download=2]="Download",gt[gt.HireControlRegistration=3]="HireControlRegistration",exports.FormSubmissionStatus=void 0,(ht=exports.FormSubmissionStatus||(exports.FormSubmissionStatus={}))[ht.Submitted=1]="Submitted",ht[ht.Hold=2]="Hold",ht[ht.Rejected=3]="Rejected",ht[ht.Sent=4]="Sent",exports.FeedHandlingOption=void 0,(pt=exports.FeedHandlingOption||(exports.FeedHandlingOption={}))[pt.Replace=0]="Replace",pt[pt.Append=1]="Append",pt[pt.Custom=2]="Custom";const ft={login:o.login,nextLogin:o.nextLogin,refreshToken:o.refreshToken,changeCompany:o.changeCompany,register:o.register,isAuthenticated:o.isAuthenticated,getCompany:o.getCompany,getCompanies:o.getCompanies,getRoles:o.getRoles,getPermissions:o.getPermissions,logout:o.logout,getUser:o.getUser},vt={getAll:a.getEvents,get:a.getEvent,getBySlug:a.getEventBySlug,create:a.createEvent,update:a.updateEvent,delete:a.deleteEvent},wt={get:l.getAllRolesWithClaims,create:l.addRole,update:l.updateRole,delete:l.deleteRole},yt=c,mt=A,Ct={resetPassword:h.resetPassword,resetPasswordWithToken:h.resetPasswordWithToken,forgotPassword:h.forgotPassword},bt={get:_.getMapConfig,update:_.updateMapConfig,create:_.createMapConfig},At={get:y.getClientAuthConfigById,getAll:y.getAllClientAuthConfigs,update:y.updateClientAuthConfig,create:y.createClientAuthConfig,delete:y.deleteClientAuthConfig},St={getSearchRead:C.getSearchReadConfig},$t={upload:$.uploadMedia,uploadProfileImage:$.uploadProfileImage,get:$.listMedia,delete:$.deleteMedia},Lt={getList:F.getFilters,get:F.getFilter,update:F.updateFilter,create:F.createFilter,delete:F.deleteFilter},Ft={get:T.getAppendListings,getAppendListing:T.getAppendListing,create:T.createAppendListing,update:T.updateAppendListing,delete:T.deleteAppendListing},kt={getAll:O.getBlogs,getById:O.getBlog,create:O.createBlog,update:O.updateBlog,delete:O.deleteBlog},Tt={get:J.getCategories,getByCompany:J.getCategoriesByCompany},Bt={getAll:N.getAllCategoryLists,getById:N.getCategoryListById,getByType:N.getCategoryListsByType,getActive:N.getActiveCategoryLists,getByTypeAndName:N.getCategoryListByTypeAndName,create:N.createCategoryList,update:N.updateCategoryList,delete:N.deleteCategoryList,addValue:N.addValue,removeValue:N.removeValue,updateValues:N.updateValues},xt={getByFeed:H.getByFeed,get:H.get,create:H.create,update:H.update,delete:H.delete,toggleActive:H.toggleActive,discoverFields:H.discoverFields,validate:H.validate},jt={getAll:q.getAll,getById:q.get,create:q.create,update:q.update,delete:q.delete,sync:q.sync,toggleActive:q.toggleActive},It={get:K.get,create:K.create,delete:K.delete},Et={create:Q.create,get:Q.getAll,update:Q.update,delete:Q.delete,getAllSql:Q.getAllSql},Rt={get:Z.get,getAll:Z.getAll,sync:Z.sync},Mt={get:v.getAllPermissions},Pt={getAll:R.getCompanies,getById:R.getCompany,create:R.createCompany,update:R.updateCompany,delete:R.deleteCompany,sync:R.syncAllCompanies},Ut={getAll:P.getJobListingsByCompany,getMapListings:P.getMapJobListingsByCompany,getMapListing:P.getMapListingById,getById:P.getJobListingById,create:P.createJobListing,update:P.updateJobListing,delete:P.deleteJobListing},Ot={getTypes:et.getFieldTypes},Wt={getTypes:rt.getValidatorTypes},Jt={getAll:ot.getContentEntries,getById:ot.getContentEntry,create:ot.createContentEntry,update:ot.updateContentEntry,delete:ot.deleteContentEntry,unpublish:ot.unpublishAll},Vt={getAll:at.getBlocks,getById:at.getBlock,create:at.createBlock,update:at.updateBlock,delete:at.deleteBlock,getTemplateBlocks:at.getTemplateBlocks},Nt={getAll:lt.getModels,getById:lt.getModel,create:lt.createModel,update:lt.updateModel,delete:lt.deleteModel,previewSync:lt.previewSync,executeSync:lt.executeSync},Dt={getCompletion:_t.getCompletion},Ht=x,zt=I,qt={auth:ft,events:vt,roles:wt,users:yt,account:Ct,mapConfig:bt,permissions:Mt,clientAuthConfig:At,integrationConfig:St,filters:Lt,listings:mt,media:$t,appendListings:Ft,blogs:kt,categories:Tt,categoryLists:Bt,jobFeedFieldMappings:xt,jobFeeds:jt,jobListingSettings:It,listingEntities:Et,recruiters:Rt,forms:Ht,formSubmissions:zt,openAI:Dt,companies:Pt,jobListings:Ut};exports.account=Ct,exports.appendListings=Ft,exports.auth=ft,exports.blogs=kt,exports.categories=Tt,exports.categoryLists=Bt,exports.clientAuthConfig=At,exports.companies=Pt,exports.contentBlocks=Vt,exports.contentEntries=Jt,exports.contentField=Ot,exports.contentValidator=Wt,exports.default=qt,exports.events=vt,exports.filters=Lt,exports.formSubmissions=zt,exports.forms=Ht,exports.integrationConfig=St,exports.jobFeedFieldMappings=xt,exports.jobFeeds=jt,exports.jobListingSettings=It,exports.jobListings=Ut,exports.listingEntities=Et,exports.listings=mt,exports.mapConfig=bt,exports.media=$t,exports.model=Nt,exports.openAI=Dt,exports.permissions=Mt,exports.recruiters=Rt,exports.roles=wt,exports.users=yt;
|
|
2
2
|
//# sourceMappingURL=index.cjs.js.map
|
package/dist/index.d.ts
CHANGED
|
@@ -21,7 +21,7 @@ import ContentModel, { ModuleConfig, ModuleFieldMapping, ModuleIdentityMapping,
|
|
|
21
21
|
import ContentBlock from "./types/content/block";
|
|
22
22
|
import ContentEntry from "./types/content/contentEntry";
|
|
23
23
|
import Blog from "./types/blog";
|
|
24
|
-
import CategoryListDto, { AddValueRequest
|
|
24
|
+
import CategoryListDto, { AddValueRequest } from "./types/categoryList";
|
|
25
25
|
import JobFeed from "./types/jobFeed";
|
|
26
26
|
import JobFeedFieldMapping, { MultipleFieldConfig, ConditionalConfig, ConditionalRule } from "./types/jobFeedFieldMapping";
|
|
27
27
|
import JobListingSettings, { FeedHandlingOption } from "./types/jobListingSettings";
|
|
@@ -29,6 +29,7 @@ import ListingEntityDto from "./types/listingEntity";
|
|
|
29
29
|
import RecruiterDto from "./types/recruiter";
|
|
30
30
|
import FocalPoint from "./types/focalPoint";
|
|
31
31
|
import CompletionRequest, { CompletionResponse } from "./types/completionRequest";
|
|
32
|
+
import SearchReadConfig from "./types/searchReadConfig";
|
|
32
33
|
export declare const auth: {
|
|
33
34
|
login: (clientLogInRequest: import("./types/clientLoginRequest").default) => Promise<any>;
|
|
34
35
|
nextLogin: (credentials: import("./types/credentials").default) => Promise<any>;
|
|
@@ -76,6 +77,9 @@ export declare const clientAuthConfig: {
|
|
|
76
77
|
create: (clientAuthConfig: ClientAuthConfig, authToken?: string | null) => Promise<void>;
|
|
77
78
|
delete: (id: string, authToken?: string | null) => Promise<void>;
|
|
78
79
|
};
|
|
80
|
+
export declare const integrationConfig: {
|
|
81
|
+
getSearchRead: (authToken?: string | null) => Promise<SearchReadConfig | null>;
|
|
82
|
+
};
|
|
79
83
|
export declare const media: {
|
|
80
84
|
upload: (media: MediaType, authToken?: string | null) => Promise<{
|
|
81
85
|
Url: string;
|
|
@@ -122,8 +126,7 @@ export declare const categoryLists: {
|
|
|
122
126
|
delete: (id: string, authToken?: string | null) => Promise<void>;
|
|
123
127
|
addValue: (id: string, request: AddValueRequest, authToken?: string | null) => Promise<CategoryListDto>;
|
|
124
128
|
removeValue: (id: string, key: string, authToken?: string | null) => Promise<CategoryListDto>;
|
|
125
|
-
|
|
126
|
-
updateValues: (id: string, values: Record<string, CategoryListDto["values"][string]>, authToken?: string | null) => Promise<CategoryListDto>;
|
|
129
|
+
updateValues: (id: string, values: Record<string, string>, authToken?: string | null) => Promise<CategoryListDto>;
|
|
127
130
|
};
|
|
128
131
|
export declare const jobFeedFieldMappings: {
|
|
129
132
|
getByFeed: (feedId: string, authToken?: string | null) => Promise<JobFeedFieldMapping[]>;
|
|
@@ -234,7 +237,7 @@ export declare const formSubmissions: {
|
|
|
234
237
|
exportFormSubmissionsCsv(pageSize?: number, pageNumber?: number, type?: string | null, status?: FormSubmissionStatus | null, from?: Date | null, to?: Date | null, columns?: string[] | null, authToken?: string | null): Promise<void>;
|
|
235
238
|
getFormSubmissionTypes(authToken?: string | null): Promise<string[]>;
|
|
236
239
|
};
|
|
237
|
-
export type { Register, User, Role, HireControlConfig, ClientAuthConfig, Event, Listing, EventDates, EventDateType, EventInstance, MediaType, Filters, AppendListing, Form, FormFieldMigrationRequest, FormUpdateOptions, FormSubmission, ResultsWrapper, Company, JobListing, FieldTypeDefinition, ValidatorDefinition, ContentModel, ModuleConfig, ModuleFieldMapping, ModuleIdentityMapping, WebPageTemplate, WebPageTemplateSection, WebPageTemplateBlock, ContentModuleSyncPreview, ContentModuleSyncExecuteRequest, ContentModuleSyncExecuteResult, ContentBlock, ContentEntry, Blog, CategoryListDto, AddValueRequest,
|
|
240
|
+
export type { Register, User, Role, HireControlConfig, ClientAuthConfig, Event, Listing, EventDates, EventDateType, EventInstance, MediaType, Filters, AppendListing, Form, FormFieldMigrationRequest, FormUpdateOptions, FormSubmission, ResultsWrapper, Company, JobListing, FieldTypeDefinition, ValidatorDefinition, ContentModel, ModuleConfig, ModuleFieldMapping, ModuleIdentityMapping, WebPageTemplate, WebPageTemplateSection, WebPageTemplateBlock, ContentModuleSyncPreview, ContentModuleSyncExecuteRequest, ContentModuleSyncExecuteResult, ContentBlock, ContentEntry, Blog, CategoryListDto, AddValueRequest, JobFeed, JobFeedFieldMapping, MultipleFieldConfig, ConditionalConfig, ConditionalRule, JobListingSettings, ListingEntityDto, RecruiterDto, FocalPoint, CompletionRequest, CompletionResponse, SearchReadConfig, };
|
|
238
241
|
export { EventType, CallToActionType, FormSubmissionStatus, FeedHandlingOption, };
|
|
239
242
|
declare const hcApi: {
|
|
240
243
|
auth: {
|
|
@@ -286,6 +289,9 @@ declare const hcApi: {
|
|
|
286
289
|
create: (clientAuthConfig: ClientAuthConfig, authToken?: string | null) => Promise<void>;
|
|
287
290
|
delete: (id: string, authToken?: string | null) => Promise<void>;
|
|
288
291
|
};
|
|
292
|
+
integrationConfig: {
|
|
293
|
+
getSearchRead: (authToken?: string | null) => Promise<SearchReadConfig | null>;
|
|
294
|
+
};
|
|
289
295
|
filters: {
|
|
290
296
|
getList: (authToken?: string | null) => Promise<Filters[]>;
|
|
291
297
|
get: (id: string, authToken?: string | null) => Promise<Filters>;
|
|
@@ -333,8 +339,7 @@ declare const hcApi: {
|
|
|
333
339
|
delete: (id: string, authToken?: string | null) => Promise<void>;
|
|
334
340
|
addValue: (id: string, request: AddValueRequest, authToken?: string | null) => Promise<CategoryListDto>;
|
|
335
341
|
removeValue: (id: string, key: string, authToken?: string | null) => Promise<CategoryListDto>;
|
|
336
|
-
|
|
337
|
-
updateValues: (id: string, values: Record<string, CategoryListDto["values"][string]>, authToken?: string | null) => Promise<CategoryListDto>;
|
|
342
|
+
updateValues: (id: string, values: Record<string, string>, authToken?: string | null) => Promise<CategoryListDto>;
|
|
338
343
|
};
|
|
339
344
|
jobFeedFieldMappings: {
|
|
340
345
|
getByFeed: (feedId: string, authToken?: string | null) => Promise<JobFeedFieldMapping[]>;
|
|
@@ -4,17 +4,13 @@ export type ModifiedByDto = {
|
|
|
4
4
|
lastName: string;
|
|
5
5
|
dateTime: string;
|
|
6
6
|
};
|
|
7
|
-
export type CategoryListValueDto = {
|
|
8
|
-
displayValue: string;
|
|
9
|
-
displayInForms: boolean;
|
|
10
|
-
};
|
|
11
7
|
export type CategoryListDto = {
|
|
12
8
|
id: string;
|
|
13
9
|
companyId: string;
|
|
14
10
|
type: string;
|
|
15
11
|
name: string;
|
|
16
12
|
description?: string;
|
|
17
|
-
values: Record<string,
|
|
13
|
+
values: Record<string, string>;
|
|
18
14
|
isActive: boolean;
|
|
19
15
|
autoAddNewValues: boolean;
|
|
20
16
|
notifyOnNewValues: boolean;
|
|
@@ -25,7 +21,6 @@ export type CategoryListDto = {
|
|
|
25
21
|
};
|
|
26
22
|
export type AddValueRequest = {
|
|
27
23
|
key: string;
|
|
28
|
-
|
|
29
|
-
displayInForms: boolean;
|
|
24
|
+
value: string;
|
|
30
25
|
};
|
|
31
26
|
export default CategoryListDto;
|
|
@@ -51,10 +51,28 @@ export interface HireControlConfig {
|
|
|
51
51
|
additionalUserFields?: InputField[];
|
|
52
52
|
siteBuildHook?: string;
|
|
53
53
|
analyticsEmbedUrl?: string;
|
|
54
|
+
cmsNavigation?: CmsNavigationConfig;
|
|
54
55
|
}
|
|
55
56
|
export interface InputField {
|
|
56
57
|
name?: string;
|
|
57
58
|
type?: string;
|
|
58
59
|
icon?: string;
|
|
59
60
|
}
|
|
61
|
+
export interface CmsNavigationNode {
|
|
62
|
+
id?: string;
|
|
63
|
+
entryId?: string;
|
|
64
|
+
modelId?: string;
|
|
65
|
+
navLabel?: string;
|
|
66
|
+
linkUrl?: string;
|
|
67
|
+
isExternal?: boolean;
|
|
68
|
+
isButton?: boolean;
|
|
69
|
+
showInNav?: boolean;
|
|
70
|
+
children?: CmsNavigationNode[];
|
|
71
|
+
}
|
|
72
|
+
export interface CmsNavigationConfig {
|
|
73
|
+
version?: number;
|
|
74
|
+
maxDepth?: number;
|
|
75
|
+
roots?: CmsNavigationNode[];
|
|
76
|
+
updatedAt?: string;
|
|
77
|
+
}
|
|
60
78
|
export default HireControlConfig;
|
package/dist/types/listing.d.ts
CHANGED
package/handlers/fetchHandler.ts
CHANGED
|
@@ -269,9 +269,20 @@ class FetchHandler {
|
|
|
269
269
|
errorMessage,
|
|
270
270
|
};
|
|
271
271
|
}
|
|
272
|
-
|
|
273
|
-
|
|
274
|
-
|
|
272
|
+
if (response.status === 204 || response.status === 205) {
|
|
273
|
+
return null as unknown as T;
|
|
274
|
+
}
|
|
275
|
+
|
|
276
|
+
const rawBody = await response.text();
|
|
277
|
+
if (!rawBody) {
|
|
278
|
+
return null as unknown as T;
|
|
279
|
+
}
|
|
280
|
+
|
|
281
|
+
try {
|
|
282
|
+
return JSON.parse(rawBody) as T;
|
|
283
|
+
} catch {
|
|
284
|
+
return rawBody as unknown as T;
|
|
285
|
+
}
|
|
275
286
|
}
|
|
276
287
|
|
|
277
288
|
private async refreshToken(): Promise<boolean> {
|
package/index.ts
CHANGED
|
@@ -9,6 +9,7 @@ import permissionsController from "./controllers/permissionsController";
|
|
|
9
9
|
import UsersControllerType from "./types/controllers/usersControllerType";
|
|
10
10
|
import ListingsControllerType from "./types/controllers/listingsControllerType";
|
|
11
11
|
import clientAuthConfigController from "./controllers/clientAuthConfigController";
|
|
12
|
+
import integrationConfigController from "./controllers/integrationConfigController";
|
|
12
13
|
import listingscontroller from "./controllers/listingsController";
|
|
13
14
|
import mediaController from "./controllers/mediaController";
|
|
14
15
|
import filtersController from "./controllers/filtersController";
|
|
@@ -69,7 +70,7 @@ import ContentModel, {
|
|
|
69
70
|
import ContentBlock from "./types/content/block";
|
|
70
71
|
import ContentEntry from "./types/content/contentEntry";
|
|
71
72
|
import Blog from "./types/blog";
|
|
72
|
-
import CategoryListDto, { AddValueRequest
|
|
73
|
+
import CategoryListDto, { AddValueRequest } from "./types/categoryList";
|
|
73
74
|
import JobFeed from "./types/jobFeed";
|
|
74
75
|
import JobFeedFieldMapping, {
|
|
75
76
|
MultipleFieldConfig,
|
|
@@ -85,6 +86,7 @@ import FocalPoint from "./types/focalPoint";
|
|
|
85
86
|
import CompletionRequest, {
|
|
86
87
|
CompletionResponse,
|
|
87
88
|
} from "./types/completionRequest";
|
|
89
|
+
import SearchReadConfig from "./types/searchReadConfig";
|
|
88
90
|
|
|
89
91
|
export const auth = {
|
|
90
92
|
login: authController.login,
|
|
@@ -140,6 +142,10 @@ export const clientAuthConfig = {
|
|
|
140
142
|
delete: clientAuthConfigController.deleteClientAuthConfig,
|
|
141
143
|
};
|
|
142
144
|
|
|
145
|
+
export const integrationConfig = {
|
|
146
|
+
getSearchRead: integrationConfigController.getSearchReadConfig,
|
|
147
|
+
};
|
|
148
|
+
|
|
143
149
|
export const media = {
|
|
144
150
|
upload: mediaController.uploadMedia,
|
|
145
151
|
uploadProfileImage: mediaController.uploadProfileImage,
|
|
@@ -187,7 +193,6 @@ export const categoryLists = {
|
|
|
187
193
|
delete: categoryListsController.deleteCategoryList,
|
|
188
194
|
addValue: categoryListsController.addValue,
|
|
189
195
|
removeValue: categoryListsController.removeValue,
|
|
190
|
-
updateValue: categoryListsController.updateValue,
|
|
191
196
|
updateValues: categoryListsController.updateValues,
|
|
192
197
|
};
|
|
193
198
|
|
|
@@ -336,7 +341,6 @@ export type {
|
|
|
336
341
|
Blog,
|
|
337
342
|
CategoryListDto,
|
|
338
343
|
AddValueRequest,
|
|
339
|
-
CategoryListValueDto,
|
|
340
344
|
JobFeed,
|
|
341
345
|
JobFeedFieldMapping,
|
|
342
346
|
MultipleFieldConfig,
|
|
@@ -348,6 +352,7 @@ export type {
|
|
|
348
352
|
FocalPoint,
|
|
349
353
|
CompletionRequest,
|
|
350
354
|
CompletionResponse,
|
|
355
|
+
SearchReadConfig,
|
|
351
356
|
};
|
|
352
357
|
|
|
353
358
|
export {
|
|
@@ -366,6 +371,7 @@ const hcApi = {
|
|
|
366
371
|
mapConfig,
|
|
367
372
|
permissions,
|
|
368
373
|
clientAuthConfig,
|
|
374
|
+
integrationConfig,
|
|
369
375
|
filters,
|
|
370
376
|
listings,
|
|
371
377
|
media,
|
package/package.json
CHANGED
package/types/categoryList.ts
CHANGED
|
@@ -5,18 +5,13 @@ export type ModifiedByDto = {
|
|
|
5
5
|
dateTime: string;
|
|
6
6
|
};
|
|
7
7
|
|
|
8
|
-
export type CategoryListValueDto = {
|
|
9
|
-
displayValue: string;
|
|
10
|
-
displayInForms: boolean;
|
|
11
|
-
};
|
|
12
|
-
|
|
13
8
|
export type CategoryListDto = {
|
|
14
9
|
id: string;
|
|
15
10
|
companyId: string;
|
|
16
11
|
type: string;
|
|
17
12
|
name: string;
|
|
18
13
|
description?: string;
|
|
19
|
-
values: Record<string,
|
|
14
|
+
values: Record<string, string>;
|
|
20
15
|
isActive: boolean;
|
|
21
16
|
autoAddNewValues: boolean;
|
|
22
17
|
notifyOnNewValues: boolean;
|
|
@@ -28,8 +23,7 @@ export type CategoryListDto = {
|
|
|
28
23
|
|
|
29
24
|
export type AddValueRequest = {
|
|
30
25
|
key: string;
|
|
31
|
-
|
|
32
|
-
displayInForms: boolean;
|
|
26
|
+
value: string;
|
|
33
27
|
};
|
|
34
28
|
|
|
35
29
|
export default CategoryListDto;
|
|
@@ -58,6 +58,7 @@ export interface HireControlConfig {
|
|
|
58
58
|
additionalUserFields?: InputField[];
|
|
59
59
|
siteBuildHook?: string;
|
|
60
60
|
analyticsEmbedUrl?: string;
|
|
61
|
+
cmsNavigation?: CmsNavigationConfig;
|
|
61
62
|
}
|
|
62
63
|
|
|
63
64
|
export interface InputField {
|
|
@@ -66,4 +67,23 @@ export interface InputField {
|
|
|
66
67
|
icon?: string;
|
|
67
68
|
}
|
|
68
69
|
|
|
70
|
+
export interface CmsNavigationNode {
|
|
71
|
+
id?: string;
|
|
72
|
+
entryId?: string;
|
|
73
|
+
modelId?: string;
|
|
74
|
+
navLabel?: string;
|
|
75
|
+
linkUrl?: string;
|
|
76
|
+
isExternal?: boolean;
|
|
77
|
+
isButton?: boolean;
|
|
78
|
+
showInNav?: boolean;
|
|
79
|
+
children?: CmsNavigationNode[];
|
|
80
|
+
}
|
|
81
|
+
|
|
82
|
+
export interface CmsNavigationConfig {
|
|
83
|
+
version?: number;
|
|
84
|
+
maxDepth?: number;
|
|
85
|
+
roots?: CmsNavigationNode[];
|
|
86
|
+
updatedAt?: string;
|
|
87
|
+
}
|
|
88
|
+
|
|
69
89
|
export default HireControlConfig;
|
package/types/listing.ts
CHANGED
package/types/listingEntity.ts
CHANGED
package/.gitattributes
DELETED
|
@@ -1 +0,0 @@
|
|
|
1
|
-
* text=auto eol=lf
|