lancer-shared 1.2.329 → 1.2.331
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/dist/bundle.cjs.js +76 -10
- package/dist/bundle.cjs.js.map +1 -1
- package/dist/bundle.esm.js +74 -11
- package/dist/bundle.esm.js.map +1 -1
- package/dist/constants/chat.d.ts +3 -1
- package/dist/schemas/campaign/campaign-search.d.ts +3 -0
- package/dist/schemas/chat/index.d.ts +13 -0
- package/package.json +1 -1
package/dist/bundle.esm.js
CHANGED
|
@@ -16,8 +16,8 @@ const ROOM_CRM_STATUS_ORDER = [
|
|
|
16
16
|
const ROOM_CRM_STATUS_LABELS = {
|
|
17
17
|
new: 'New',
|
|
18
18
|
follow_up: 'Follow Up',
|
|
19
|
-
qualified: '
|
|
20
|
-
won: '
|
|
19
|
+
qualified: 'Negotiating',
|
|
20
|
+
won: 'Active Contract',
|
|
21
21
|
archived: 'Archived',
|
|
22
22
|
};
|
|
23
23
|
const DEFAULT_ROOM_CRM_STATUS = 'new';
|
|
@@ -74,6 +74,20 @@ const normalizeRoomCrmStatuses = (statuses) => {
|
|
|
74
74
|
.map((status) => normalizeListStatus(status))
|
|
75
75
|
.filter((status) => status !== null)));
|
|
76
76
|
};
|
|
77
|
+
const ROOM_CRM_ARCHIVED_REASON_ORDER = [
|
|
78
|
+
'completed',
|
|
79
|
+
'not_fit',
|
|
80
|
+
'lost',
|
|
81
|
+
'no_response',
|
|
82
|
+
'other',
|
|
83
|
+
];
|
|
84
|
+
const ROOM_CRM_ARCHIVED_REASON_LABELS = {
|
|
85
|
+
completed: 'Completed',
|
|
86
|
+
not_fit: 'Not fit',
|
|
87
|
+
lost: 'Lost',
|
|
88
|
+
no_response: 'No response',
|
|
89
|
+
other: 'Other',
|
|
90
|
+
};
|
|
77
91
|
|
|
78
92
|
const defaultQuestions = [
|
|
79
93
|
{
|
|
@@ -7824,6 +7838,7 @@ const SearchFieldsSchema = z.object({
|
|
|
7824
7838
|
exactPhrase: z.string().default(''),
|
|
7825
7839
|
titleSearch: z.string().default(''), // AND logic for titles
|
|
7826
7840
|
titleAny: z.string().default(''), // OR logic for titles
|
|
7841
|
+
titleNoneAny: z.string().default(''), // NOT logic for titles
|
|
7827
7842
|
skillsSearch: z.string().default(''),
|
|
7828
7843
|
});
|
|
7829
7844
|
class SearchQueryBuilder {
|
|
@@ -7895,6 +7910,14 @@ class SearchQueryBuilder {
|
|
|
7895
7910
|
parts.push(`(${titleParts.join(' OR ')})`);
|
|
7896
7911
|
}
|
|
7897
7912
|
}
|
|
7913
|
+
if (validatedFields.titleNoneAny.trim()) {
|
|
7914
|
+
const titleTerms = this.splitTerms(validatedFields.titleNoneAny);
|
|
7915
|
+
const titleNotParts = titleTerms.map((term) => {
|
|
7916
|
+
const isQuoted = term.startsWith('"') && term.endsWith('"');
|
|
7917
|
+
return isQuoted ? `NOT title:${term}` : `NOT title:"${term}"`;
|
|
7918
|
+
});
|
|
7919
|
+
parts.push(...titleNotParts);
|
|
7920
|
+
}
|
|
7898
7921
|
if (validatedFields.skillsSearch.trim()) {
|
|
7899
7922
|
const skillsTerms = this.splitTerms(validatedFields.skillsSearch);
|
|
7900
7923
|
if (skillsTerms.length === 1) {
|
|
@@ -7930,6 +7953,8 @@ class SearchQueryBuilder {
|
|
|
7930
7953
|
descriptions.push(`Title (all): ${validatedFields.titleSearch}`);
|
|
7931
7954
|
if (validatedFields.titleAny)
|
|
7932
7955
|
descriptions.push(`Title (any): ${validatedFields.titleAny}`);
|
|
7956
|
+
if (validatedFields.titleNoneAny)
|
|
7957
|
+
descriptions.push(`Title (excluding any): ${validatedFields.titleNoneAny}`);
|
|
7933
7958
|
if (validatedFields.skillsSearch)
|
|
7934
7959
|
descriptions.push(`Skills: ${validatedFields.skillsSearch}`);
|
|
7935
7960
|
return descriptions.length > 0 ? descriptions.join(' • ') : 'All results';
|
|
@@ -7959,6 +7984,7 @@ class SearchQueryBuilder {
|
|
|
7959
7984
|
exactPhrase: '',
|
|
7960
7985
|
titleSearch: '',
|
|
7961
7986
|
titleAny: '',
|
|
7987
|
+
titleNoneAny: '',
|
|
7962
7988
|
skillsSearch: '',
|
|
7963
7989
|
};
|
|
7964
7990
|
if (!query || query.trim() === '*') {
|
|
@@ -7991,7 +8017,35 @@ class SearchQueryBuilder {
|
|
|
7991
8017
|
// Remove the matched group from remaining query
|
|
7992
8018
|
remainingQuery = remainingQuery.replace(match[0], '').trim();
|
|
7993
8019
|
}
|
|
7994
|
-
// 2. THEN: Extract
|
|
8020
|
+
// 2. THEN: Extract NOT title groups like NOT (title:"a" OR title:"b")
|
|
8021
|
+
const titleNotGroupPattern = /NOT\s+\((title:"[^"]+"(?:\s+OR\s+title:"[^"]+")+?)\)/g;
|
|
8022
|
+
const titleNotGroupMatches = [...remainingQuery.matchAll(titleNotGroupPattern)];
|
|
8023
|
+
for (const match of titleNotGroupMatches) {
|
|
8024
|
+
const terms = match[1]
|
|
8025
|
+
.split(/\s+OR\s+/)
|
|
8026
|
+
.map((term) => term.replace(/^title:"([^"]+)"$/, '"$1"'))
|
|
8027
|
+
.filter(Boolean);
|
|
8028
|
+
result.titleNoneAny = result.titleNoneAny
|
|
8029
|
+
? `${result.titleNoneAny} ${terms.join(' ')}`
|
|
8030
|
+
: terms.join(' ');
|
|
8031
|
+
remainingQuery = remainingQuery.replace(match[0], '').trim();
|
|
8032
|
+
}
|
|
8033
|
+
// 3. Extract individual NOT title: terms before generic title extraction
|
|
8034
|
+
const titleNotPattern = /NOT\s+title:("([^"]+)"|([^\s)]+))/g;
|
|
8035
|
+
const titleNotMatches = [...remainingQuery.matchAll(titleNotPattern)];
|
|
8036
|
+
if (titleNotMatches.length > 0) {
|
|
8037
|
+
const terms = titleNotMatches.map((match) => {
|
|
8038
|
+
if (match[2]) {
|
|
8039
|
+
return `"${match[2]}"`;
|
|
8040
|
+
}
|
|
8041
|
+
return match[3];
|
|
8042
|
+
});
|
|
8043
|
+
result.titleNoneAny = result.titleNoneAny
|
|
8044
|
+
? `${result.titleNoneAny} ${terms.join(' ')}`
|
|
8045
|
+
: terms.join(' ');
|
|
8046
|
+
remainingQuery = remainingQuery.replace(titleNotPattern, '').trim();
|
|
8047
|
+
}
|
|
8048
|
+
// 4. THEN: Extract individual title: and skills: patterns
|
|
7995
8049
|
const fieldPatterns = [
|
|
7996
8050
|
{ field: 'titleSearch', pattern: /title:("([^"]+)"|([^\s)]+))/g },
|
|
7997
8051
|
{ field: 'skillsSearch', pattern: /skills:("([^"]+)"|([^\s)]+))/g },
|
|
@@ -8016,7 +8070,7 @@ class SearchQueryBuilder {
|
|
|
8016
8070
|
remainingQuery = remainingQuery.replace(pattern, '').trim();
|
|
8017
8071
|
}
|
|
8018
8072
|
}
|
|
8019
|
-
//
|
|
8073
|
+
// 5. Handle legacy grouped field searches like title:(term1 AND term2)
|
|
8020
8074
|
const groupedFieldPattern = /(title|skills):\(([^)]+)\)/g;
|
|
8021
8075
|
let groupMatch;
|
|
8022
8076
|
while ((groupMatch = groupedFieldPattern.exec(remainingQuery)) !== null) {
|
|
@@ -8044,7 +8098,7 @@ class SearchQueryBuilder {
|
|
|
8044
8098
|
}
|
|
8045
8099
|
remainingQuery = remainingQuery.replace(groupMatch[0], '').trim();
|
|
8046
8100
|
}
|
|
8047
|
-
//
|
|
8101
|
+
// 6. Extract grouped NOT expressions: NOT (term1 OR term2 OR ...)
|
|
8048
8102
|
const groupedNotPattern = /NOT\s+\(([^)]+(?:\s+OR\s+[^)]+)+)\)/g;
|
|
8049
8103
|
const groupedNotMatches = [...remainingQuery.matchAll(groupedNotPattern)];
|
|
8050
8104
|
if (groupedNotMatches.length > 0) {
|
|
@@ -8054,9 +8108,9 @@ class SearchQueryBuilder {
|
|
|
8054
8108
|
.replace(groupedNotMatches[0][0], '')
|
|
8055
8109
|
.trim();
|
|
8056
8110
|
}
|
|
8057
|
-
//
|
|
8111
|
+
// 7. Extract individual NOT terms (only if no grouped NOT was found)
|
|
8058
8112
|
if (!result.noneWords) {
|
|
8059
|
-
const notPattern = /NOT\s+("([^"]+)"|([^\s)]+))/g;
|
|
8113
|
+
const notPattern = /NOT\s+(?!title:)("([^"]+)"|([^\s)]+))/g;
|
|
8060
8114
|
const notMatches = [...remainingQuery.matchAll(notPattern)];
|
|
8061
8115
|
if (notMatches.length > 0) {
|
|
8062
8116
|
const noneTerms = notMatches.map((match) => {
|
|
@@ -8069,7 +8123,7 @@ class SearchQueryBuilder {
|
|
|
8069
8123
|
remainingQuery = remainingQuery.replace(notPattern, '').trim();
|
|
8070
8124
|
}
|
|
8071
8125
|
}
|
|
8072
|
-
//
|
|
8126
|
+
// 8. Process grouped expressions - DON'T clean up connectors first!
|
|
8073
8127
|
// Extract OR groups (anyWords) - PROCESS FIRST
|
|
8074
8128
|
const orGroupPattern = /\(([^)]+(?:\s+OR\s+[^)]+)+)\)/g;
|
|
8075
8129
|
const orMatches = [...remainingQuery.matchAll(orGroupPattern)];
|
|
@@ -8088,14 +8142,14 @@ class SearchQueryBuilder {
|
|
|
8088
8142
|
}
|
|
8089
8143
|
// NOW clean up connectors after group processing
|
|
8090
8144
|
remainingQuery = this.cleanupConnectors(remainingQuery);
|
|
8091
|
-
//
|
|
8145
|
+
// 9. Extract standalone quoted phrases (exactPhrase) - ONLY after all groups processed
|
|
8092
8146
|
const standaloneQuotePattern = /(?:^|\s)("([^"]+)")(?=\s|$)/g;
|
|
8093
8147
|
const quoteMatches = [...remainingQuery.matchAll(standaloneQuotePattern)];
|
|
8094
8148
|
if (quoteMatches.length > 0) {
|
|
8095
8149
|
result.exactPhrase = quoteMatches[0][2];
|
|
8096
8150
|
remainingQuery = remainingQuery.replace(quoteMatches[0][1], '').trim();
|
|
8097
8151
|
}
|
|
8098
|
-
//
|
|
8152
|
+
// 10. Handle remaining simple terms as allWords
|
|
8099
8153
|
if (remainingQuery) {
|
|
8100
8154
|
const remainingTerms = this.splitTermsWithQuotes(remainingQuery);
|
|
8101
8155
|
if (remainingTerms.length > 0) {
|
|
@@ -8843,6 +8897,13 @@ const roomCrmStatusEnum = z.enum([
|
|
|
8843
8897
|
'won',
|
|
8844
8898
|
'archived',
|
|
8845
8899
|
]);
|
|
8900
|
+
const roomCrmArchivedReasonEnum = z.enum([
|
|
8901
|
+
'completed',
|
|
8902
|
+
'not_fit',
|
|
8903
|
+
'lost',
|
|
8904
|
+
'no_response',
|
|
8905
|
+
'other',
|
|
8906
|
+
]);
|
|
8846
8907
|
const roomJobClientHistorySchema = z.object({
|
|
8847
8908
|
jobUrl: z.string().nullable(),
|
|
8848
8909
|
title: z.string().nullable(),
|
|
@@ -8884,6 +8945,7 @@ const roomSchema = z.object({
|
|
|
8884
8945
|
roomNote: roomNoteSchema.optional(),
|
|
8885
8946
|
crmStatus: roomCrmStatusEnum.optional(),
|
|
8886
8947
|
crmStatusUpdatedAt: z.number().optional(),
|
|
8948
|
+
crmArchivedReason: roomCrmArchivedReasonEnum.optional().nullable(),
|
|
8887
8949
|
jobClientHistory: roomJobClientHistorySchema.optional(),
|
|
8888
8950
|
});
|
|
8889
8951
|
const roomsMetadataSchema = z.object({
|
|
@@ -8932,6 +8994,7 @@ const updateRoomNotesRequestBodySchema = z.object({
|
|
|
8932
8994
|
});
|
|
8933
8995
|
const updateRoomCrmStatusRequestBodySchema = z.object({
|
|
8934
8996
|
status: roomCrmStatusEnum,
|
|
8997
|
+
archivedReason: roomCrmArchivedReasonEnum.optional(),
|
|
8935
8998
|
});
|
|
8936
8999
|
const sendMessageRequestSchema = z.object({
|
|
8937
9000
|
message: z.string(),
|
|
@@ -24570,5 +24633,5 @@ async function tryCatch(promise) {
|
|
|
24570
24633
|
}
|
|
24571
24634
|
}
|
|
24572
24635
|
|
|
24573
|
-
export { BidderAccountAlreadyConnectedException, BoostAboveMaxConnectsException, CAMPAIGN_NOTIFICATION_SETTINGS, CAMPAIGN_NOTIFICATION_TYPES, CLIENT_SIZE_TO_NUMBER, CloudflareChallengeFailedException, DEFAULT_ROOM_CRM_STATUS, DeleteMultiloginProfileException, DropdownOptionNotPresentException, ElementNotClickableException, EvaluateElementException, EvaluateFunctionException, FEED_JOB_TO_JOB_DETAILS_FIELD_MAPPING, FailedToParseNuxtJobException, FeedJobEnrichException, FeedScrapeException, GOAT_COUNTRIES, GetMultiloginBrowserException, GoToUrlException, HIERARCHICAL_CATEGORIES_TO_CHILDREN, INFINITY, IncorrectSecurityQuestionAnswerException, InitBrowserException, InsufficientConnectsException, InvalidCredentialsException, InvalidGoogleOAuthTokenException, InvalidJobUrlException, JOB_FILTER_OPTIONS, JobAlreadyBiddedOnException, JobAlreadyHiredException, JobAlreadyProcessedInAnotherCampaignException, JobIsPrivateException, JobNoLongerAvailableException, LogEventTypeEnum, LoginFailedException, MultiloginAuthenticationException, NavigationTimeoutException, NetworkRestrictionsException, NewBrowserPageException, NewPageException, NoBidderAccountsAvailableException, NoGoogleOAuthTokensFoundException, NoScraperAccountAvailableException, OpenPageException, PageClosedException, PageContentException, ParseConnectsException, ParseJobListingsException, PrivateJobException, ProposalErrorAlertException, ProposalFormWarningAlertException, ProposalGenerationFailedException, ProposalSubmitFailedException, PuppeteerConnectionErrorException, QuestionPairNotMatchingException, ROOM_CRM_KANBAN_STATUS_ORDER, ROOM_CRM_STATUS_BY_ID, ROOM_CRM_STATUS_IDS, ROOM_CRM_STATUS_LABELS, ROOM_CRM_STATUS_ORDER, ROOM_EXTENDED_TYPE_MAP, ROOM_TYPES_MATCHING_EMPTY_EXTENDED_TYPE, ROUTES, ScraperAccountProxyNotFoundException, SearchFieldsSchema, SearchQueryBuilder, SelectAgencyException, SelectContractorException, SelectorNotFoundError, TwoFactorPresentException, TypedValueInFieldNotMatchingException, TypingInputFieldException, WaitForFunctionTimeoutError, acceptUpworkInvitationResponseSchema, acceptUpworkInvitationSchema, accountStatusDisplayMap, accountStatusOrder, accountStatusSchema, addFromClientHireRateNodeFormSchema, addFromClientRatingNodeFormSchema, addFromClientSizeNodeFormSchema, addFromClientSpentNodeFormSchema, addFromHourlyRateNodeFormSchema, addFromSuitabilityNodeFormSchema, agencyBidPayloadSchema, agencyBidProposalDataSchema, agentCalculateSuitabilityRequestSchema, agentGenerateProposalRequestSchema, agentGenerateProposalResponseSchema, agentPickSpecialisedProfileRequestSchema, agentPickSpecialisedProfileResponseSchema, agentStatusSchema, agentTaskResponseSchema, aiConfigSchema, alreadyHiredActionEnum, assignRoomTagsRequestBodySchema, bidAsEnum, bidConfigSchema, bidDtoSchema, bidFailedSchema, bidPayloadProposalDataSchema, bidPayloadSchema, bidRangeSchema, bidSuccessSchema, bidWithWarningEnum, bidderAccountAgencyContractorSchema, bidderAccountAgencySchema, bidderAccountAlreadyConnectedException, bidderAccountPortfolioSchema, bidderAccountProvider, bidderAccountProviderDisplayMap, bidderAccountSchema, bidderAccountStatusEnum, bidderInstanceSchema, bidderInstanceStatusEnum, biddingCompletedEventMetadata, biddingFailedEventMetadata, biddingHourlyRateStrategyEnum, biddingProcessingEventMetadata, biddingRejectedWithFeedbackEventMetadata, billingIntervalEnum, bookSlotRequestBodySchema, booleanSchema, boostAboveMaxConnectsException, boostFormSchema, buildRoute, campaignAIMetricsSchema, campaignActivityCreateSchema, campaignActivitySchema, campaignActivityTypeSchema, campaignAnalyticsResponseSchema, campaignAnalyticsSchema, campaignAnalyticsStatsSchema, campaignCountByStatusSchema, campaignExpensesSchema, campaignInsightsSchema, campaignNotificationType, campaignSchema, campaignStatusActivitySchema, campaignStatusSchema, capitalize, caseStudySchema, categoryEnum, chatbotChannelSchema, chatbotPlatforms, chatbotSchema, checkLeadStatusPayloadSchema, clientIndustryEnum, clientInfoSchema, clientReviewSchema, clientSizeEnum, cloudflareProtectionFailure, connectUpworkAccountSchema, convertToUtc, countryMapping, coverLetterTemplateSchema, createBidderAccountSchema, createCampaignSchema, createChatbotSchema, createClientHireRateFormSchema, createClientRatingFormSchema, createClientSizeFormSchema, createClientSpentFormSchema, createCoverLetterTemplateSchema, createHourlyRateFormSchema, createOrganizationProfileSchema, createOrganizationSchema, createRoomTagRequestBodySchema, createSampleSchema, createScraperAccountSchema, createSuitabilityFormSchema, dailyUsageSchema, dateSchema, defaultQuestions, deleteMultiloginProfileException, dropdownOptionNotPresentException, elementNotClickableException, employmentHistorySchema, engagementTypeEnum, englishLevelEnum, evaluateElementException, evaluateFunctionException, eventLoggerPayloadSchema, experienceLevelEnum, externalProxySchema, failedToParseNuxtJobException, feedChunkEnrichCompletedEventMetadata, feedChunkEnrichFailedEventMetadata, feedChunkEnrichStartedEventMetadata, feedEnrichCompletedEventMetadata, feedEnrichFailedEventMetadata, feedEnrichStartedEventMetadata, feedJobEnrichCompletedEventMetadata, feedJobEnrichFailedEventMetadata, feedJobEnrichFailedException, feedJobEnrichStartedEventMetadata, feedJobSchema, feedScrapeCompletedEventMetadata, feedScrapeException, feedScrapeFailedEventMetadata, feedScrapeResultSchema, feedScrapeStartedEventMetadata, filterOptionItemSchema, filterOptionsResponseSchema, findLeadsRequestSchema, findLeadsResponseSchema, forgotPasswordSchema, formatCurrency, formatDuration, freeSlotsRequestBodySchema, freelancerBidPayloadSchema, freelancerBidProposalDataSchema, generateLeadCountsRequestSchema, generateSlug, getAverageClientHireRateResponseSchema, getAverageClientTotalSpentResponseSchema, getAverageFixedPriceBudgetResponseSchema, getAverageHourlyRateBudgetResponseSchema, getAverageHourlyRatePaidByCountryResponseSchema, getAveragePaidPerProjectResponseSchema, getBiddingProcessingEventFromAnotherCampaignsPayloadSchema, getBiddingProcessingEventFromAnotherCampaignsResponseSchema, getCampaignLeadsRequestQuerySchema, getCampaignLeadsResponseSchema, getCampaignLeadsStatusEnum, getJobsByClientTotalSpentResponseSchema, getJobsByCountryResponseSchema, getJobsByDayOfWeekResponseSchema, getJobsByHourPostedResponseSchema, getJobsCountLast3MonthsResponseSchema, getJobsPostedResponseSchema, getMultiloginBrowserException, getNextStatus, getOrganizationLeadsRequestQuerySchema, getOrganizationLeadsStatusEnum, getPreviousStatus, getRoomsResponseSchema, getRouteWithoutAdminPrefix, getSamplesRequestSchema, getTop10CategoriesByAvgHourlyBudgetResponseSchema, getTop10CategoriesByAvgPaidPerProjectResponseSchema, getTop10CategoriesByClientHireRateResponseSchema, getTop10CategoriesByClientTotalSpentResponseSchema, getTop10CategoriesByJobsPostedResponseSchema, getTop10CountriesByAvgHourlyBudgetResponseSchema, getTop10CountriesByAvgPaidPerProjectResponseSchema, getTop10CountriesByClientHireRateResponseSchema, getTop10CountriesByClientTotalSpentResponseSchema, getTop10CountriesByJobsPostedResponseSchema, getTop10SkillsResponseSchema, getTop20CategoriesByAvgHourlyRatePaidResponseSchema, goToUrlException, hasQuestionsEnum, incorrectSecurityQuestionAnswerException, initBrowserException, insufficeintBoostConnectsActionEnum, insufficientConnectsActionEnum, insufficientConnectsException, invalidCredentialsException, invalidGoogleOAuthTokenSchema, invalidJobUrlException, invoiceLineItemSchema, invoiceSchema, invoiceStatusEnum, invoiceStatusNames, invoiceStripeMetadataLineSchema, invoiceStripeMetadataSchema, isNumeric, isPaymentVerifiedEnum, isPhoneVerifiedEnum, isRoomCrmStatus, isWorkTime, jobActivityDeltaSchema, jobActivityOffsetEnum, jobActivityOffsetHourSchema, jobActivityOffsetHours, jobActivitySchema, jobActivityScrapeFailedEventMetadata, jobActivityScrapedEventMetadata, jobActivitySnapshotSchema, jobActivityUpdateSchema, jobAlreadyBiddedOnException, jobAlreadyHiredException, jobAlreadyProcessedInAnotherCampaignException, jobDetailsStateSchema, jobFiltersSchema, jobIsPrivateException, jobListingSchema, jobNoLongerAvailableException, jobQualityScoreSchema, jobSkillsSchema, jobStatusOrder, labelEnum, lancerBiddingExceptionEventMetadata, largeCountries, leadAnalysisActivitySchema, leadBiddingConfigSchema, leadResponseSchema, leadSchema, leadStatusActivitySchema, leadStatusEnum, leadStatusEventMetadata, limitsSchema, logEventSchema, loginFailedException, loginSchema, metadataSchema, multiloginAuthenticationException, navigationTimeoutException, networkRestrictionsException, newBrowserPageException, newPageException, noBidderAccountsAvailableException, noGoogleOAuthTokensFoundException, noScraperAccountAvailableException, nodeEnums, normalizeRoomCrmStatus, normalizeRoomCrmStatuses, notificationConfigSchema, nuxtStateJobDetailsSchema, nuxtStateJobSchema, nuxtStateJobsSearchSchema, onboardingSectionSchema, openPageException, organizationCampaignStatsSchema, organizationMemberRoleEnum, organizationMemberSchema, organizationProfileSchema, organizationSchema, organizationSettingsSchema, organizationTierEnum, organizationTypeSchema, organizationUpdateSchema, pageClosedException, pageContentException, parseConnectsException, parseJobListingsException, passwordSchema, paymentTypeEnum, periodTypeSchema, periodUsageSchema, pickProfileRequestSchema, pickProfileResponseSchema, planFeatureSchema, planPricingIntervalSchema, planPricingSchema, planSchema, planSlugEnum, planSlugToNameMap, planStripeMetadataSchema, pluralize, portfolioSchema, privateJobException, processFeedPayloadSchema, projectDurationEnum, proposalCompleteEventMetadataSchema, proposalErrorAlertException, proposalFormWarningAlertException, proposalGenerationFailed, proposalSchema, proposalSentActivitySchema, proposalSubmitFailedException, proxyAvailableReplacementsSchema, proxyCountryCodeToName, proxyCountryEnum, proxyProviderSchema, proxySchema, proxyStatusSchema, proxyTypeSchema, puppeteerConnectionErrorException, questionAnswerPairSchema, questionPairNotMatchingException, questionRulesSchema, reconnectBidderAccountRequestBodySchema, reconnectBidderAccountResponseSchema, refreshRotatingProxiesRequestBodySchema, regionEnum, regionMapping, regionNames, regionSchema, registerSchema, requiredEarningsEnum, requiredJSSEnum, roomCrmStatusEnum, roomJobClientHistorySchema, roomMessageSchema, roomNoteSchema, roomSchema, roomTagSchema, roomsMetadataSchema, sampleSchema, savedSearchSchema, scheduleBiddingEventMetadataSchema, scrapeJobActivityPayloadSchema, scrapeJobPayloadSchema, scrapeJobsCompletedEventMetadata, scrapePayloadSchema, scrapeResultSchema, scrapeUserProfileRequestSchema, scraperAccountErrorEventMetadata, scraperAccountProxyNotFoundException, scraperAccountRegionEnum, scraperAccountSchema, scraperAccountSwapCompletedEventMetadata, scraperAccountSwapFailedEventMetadata, scraperAccountSwapStartedEventMetadata, scraperAccountTypeEnum, selectAgencyException, selectContractorException, selectorNotFoundError, sendAlertPayloadSchema, sendDiscordMessageRequestBodySchema, sendMessageRequestSchema, sendNotificationRequestSchema, specialisedProfileSchema, stringify, subscribePayloadSchema, subscriptionSchema, subscriptionSourceEnum, subscriptionStatusEnum, subscriptionStripeMetadataItemSchema, subscriptionStripeMetadataSchema, suitabilityCompleteEventMetadataSchema, suitabilityFailedEventMetadataSchema, suitabilityPendingEventMetadataSchema, suitabilityRatingSchema, syncProposalsStatusCompletedEventMetadata, syncProposalsStatusFailedEventMetadata, syncProposalsStatusRequestPayloadSchema, systemPromptSchema, systemSchema, talentTypeEnum, timeBlockSchema, trackUsageEventTypeEnum, trackUsagePayloadSchema, transactionSchema, transactionStatusEnum, transactionStripeMetadataSchema, transactionTypeEnum, tryCatch, twoFactorPresentException, typedValueInFieldNotMatchingException, typingInputFieldException, updateBidderAccountSchema, updateCampaignAnalyticsSchema, updateCampaignSchema, updateChatbotSchema, updateLeadStatusSchema, updateOrganizationLeadsStatusPayloadSchema, updateOrganizationProfileSchema, updateRoomCrmStatusRequestBodySchema, updateRoomNotesRequestBodySchema, updateSampleSchema, updateScraperAccountSchema, updateSuitableLeadNotificationBodySchema, updateSuitableLeadNotificationType, upworkAccountConnectSchema, upworkAccountConnectStatusSchema, upworkJobSchema, upworkOrganizationSchema, upworkOrganizationTypeEnum, upworkProfileSchema, upworkTalentCountrySchema, upworkTalentSchema, upworkTalentSearchRequestSchema, upworkTalentSearchResponseSchema, upworkTalentSkillWithRankSchema, upworkTalentSkillsResponseSchema, upworkTalentSkillsSchema, usageEventMetadataSchema, usageEventSchema, usageEventTypeEnum, userAccountBiddingExceptionEventMetadata, userSchema, vendorQualificationSchema, vendorTypeEnum, verifyBidderAccountCredentialsResponseSchema, verifyBidderAccountCredentialsSchema, verifyCredentialsFailedEventMetadataSchema, verifyCredentialsSucceededEventMetadataSchema, waitForFunctionTimeoutError, weekDaysEnum, workTimeSchema };
|
|
24636
|
+
export { BidderAccountAlreadyConnectedException, BoostAboveMaxConnectsException, CAMPAIGN_NOTIFICATION_SETTINGS, CAMPAIGN_NOTIFICATION_TYPES, CLIENT_SIZE_TO_NUMBER, CloudflareChallengeFailedException, DEFAULT_ROOM_CRM_STATUS, DeleteMultiloginProfileException, DropdownOptionNotPresentException, ElementNotClickableException, EvaluateElementException, EvaluateFunctionException, FEED_JOB_TO_JOB_DETAILS_FIELD_MAPPING, FailedToParseNuxtJobException, FeedJobEnrichException, FeedScrapeException, GOAT_COUNTRIES, GetMultiloginBrowserException, GoToUrlException, HIERARCHICAL_CATEGORIES_TO_CHILDREN, INFINITY, IncorrectSecurityQuestionAnswerException, InitBrowserException, InsufficientConnectsException, InvalidCredentialsException, InvalidGoogleOAuthTokenException, InvalidJobUrlException, JOB_FILTER_OPTIONS, JobAlreadyBiddedOnException, JobAlreadyHiredException, JobAlreadyProcessedInAnotherCampaignException, JobIsPrivateException, JobNoLongerAvailableException, LogEventTypeEnum, LoginFailedException, MultiloginAuthenticationException, NavigationTimeoutException, NetworkRestrictionsException, NewBrowserPageException, NewPageException, NoBidderAccountsAvailableException, NoGoogleOAuthTokensFoundException, NoScraperAccountAvailableException, OpenPageException, PageClosedException, PageContentException, ParseConnectsException, ParseJobListingsException, PrivateJobException, ProposalErrorAlertException, ProposalFormWarningAlertException, ProposalGenerationFailedException, ProposalSubmitFailedException, PuppeteerConnectionErrorException, QuestionPairNotMatchingException, ROOM_CRM_ARCHIVED_REASON_LABELS, ROOM_CRM_ARCHIVED_REASON_ORDER, ROOM_CRM_KANBAN_STATUS_ORDER, ROOM_CRM_STATUS_BY_ID, ROOM_CRM_STATUS_IDS, ROOM_CRM_STATUS_LABELS, ROOM_CRM_STATUS_ORDER, ROOM_EXTENDED_TYPE_MAP, ROOM_TYPES_MATCHING_EMPTY_EXTENDED_TYPE, ROUTES, ScraperAccountProxyNotFoundException, SearchFieldsSchema, SearchQueryBuilder, SelectAgencyException, SelectContractorException, SelectorNotFoundError, TwoFactorPresentException, TypedValueInFieldNotMatchingException, TypingInputFieldException, WaitForFunctionTimeoutError, acceptUpworkInvitationResponseSchema, acceptUpworkInvitationSchema, accountStatusDisplayMap, accountStatusOrder, accountStatusSchema, addFromClientHireRateNodeFormSchema, addFromClientRatingNodeFormSchema, addFromClientSizeNodeFormSchema, addFromClientSpentNodeFormSchema, addFromHourlyRateNodeFormSchema, addFromSuitabilityNodeFormSchema, agencyBidPayloadSchema, agencyBidProposalDataSchema, agentCalculateSuitabilityRequestSchema, agentGenerateProposalRequestSchema, agentGenerateProposalResponseSchema, agentPickSpecialisedProfileRequestSchema, agentPickSpecialisedProfileResponseSchema, agentStatusSchema, agentTaskResponseSchema, aiConfigSchema, alreadyHiredActionEnum, assignRoomTagsRequestBodySchema, bidAsEnum, bidConfigSchema, bidDtoSchema, bidFailedSchema, bidPayloadProposalDataSchema, bidPayloadSchema, bidRangeSchema, bidSuccessSchema, bidWithWarningEnum, bidderAccountAgencyContractorSchema, bidderAccountAgencySchema, bidderAccountAlreadyConnectedException, bidderAccountPortfolioSchema, bidderAccountProvider, bidderAccountProviderDisplayMap, bidderAccountSchema, bidderAccountStatusEnum, bidderInstanceSchema, bidderInstanceStatusEnum, biddingCompletedEventMetadata, biddingFailedEventMetadata, biddingHourlyRateStrategyEnum, biddingProcessingEventMetadata, biddingRejectedWithFeedbackEventMetadata, billingIntervalEnum, bookSlotRequestBodySchema, booleanSchema, boostAboveMaxConnectsException, boostFormSchema, buildRoute, campaignAIMetricsSchema, campaignActivityCreateSchema, campaignActivitySchema, campaignActivityTypeSchema, campaignAnalyticsResponseSchema, campaignAnalyticsSchema, campaignAnalyticsStatsSchema, campaignCountByStatusSchema, campaignExpensesSchema, campaignInsightsSchema, campaignNotificationType, campaignSchema, campaignStatusActivitySchema, campaignStatusSchema, capitalize, caseStudySchema, categoryEnum, chatbotChannelSchema, chatbotPlatforms, chatbotSchema, checkLeadStatusPayloadSchema, clientIndustryEnum, clientInfoSchema, clientReviewSchema, clientSizeEnum, cloudflareProtectionFailure, connectUpworkAccountSchema, convertToUtc, countryMapping, coverLetterTemplateSchema, createBidderAccountSchema, createCampaignSchema, createChatbotSchema, createClientHireRateFormSchema, createClientRatingFormSchema, createClientSizeFormSchema, createClientSpentFormSchema, createCoverLetterTemplateSchema, createHourlyRateFormSchema, createOrganizationProfileSchema, createOrganizationSchema, createRoomTagRequestBodySchema, createSampleSchema, createScraperAccountSchema, createSuitabilityFormSchema, dailyUsageSchema, dateSchema, defaultQuestions, deleteMultiloginProfileException, dropdownOptionNotPresentException, elementNotClickableException, employmentHistorySchema, engagementTypeEnum, englishLevelEnum, evaluateElementException, evaluateFunctionException, eventLoggerPayloadSchema, experienceLevelEnum, externalProxySchema, failedToParseNuxtJobException, feedChunkEnrichCompletedEventMetadata, feedChunkEnrichFailedEventMetadata, feedChunkEnrichStartedEventMetadata, feedEnrichCompletedEventMetadata, feedEnrichFailedEventMetadata, feedEnrichStartedEventMetadata, feedJobEnrichCompletedEventMetadata, feedJobEnrichFailedEventMetadata, feedJobEnrichFailedException, feedJobEnrichStartedEventMetadata, feedJobSchema, feedScrapeCompletedEventMetadata, feedScrapeException, feedScrapeFailedEventMetadata, feedScrapeResultSchema, feedScrapeStartedEventMetadata, filterOptionItemSchema, filterOptionsResponseSchema, findLeadsRequestSchema, findLeadsResponseSchema, forgotPasswordSchema, formatCurrency, formatDuration, freeSlotsRequestBodySchema, freelancerBidPayloadSchema, freelancerBidProposalDataSchema, generateLeadCountsRequestSchema, generateSlug, getAverageClientHireRateResponseSchema, getAverageClientTotalSpentResponseSchema, getAverageFixedPriceBudgetResponseSchema, getAverageHourlyRateBudgetResponseSchema, getAverageHourlyRatePaidByCountryResponseSchema, getAveragePaidPerProjectResponseSchema, getBiddingProcessingEventFromAnotherCampaignsPayloadSchema, getBiddingProcessingEventFromAnotherCampaignsResponseSchema, getCampaignLeadsRequestQuerySchema, getCampaignLeadsResponseSchema, getCampaignLeadsStatusEnum, getJobsByClientTotalSpentResponseSchema, getJobsByCountryResponseSchema, getJobsByDayOfWeekResponseSchema, getJobsByHourPostedResponseSchema, getJobsCountLast3MonthsResponseSchema, getJobsPostedResponseSchema, getMultiloginBrowserException, getNextStatus, getOrganizationLeadsRequestQuerySchema, getOrganizationLeadsStatusEnum, getPreviousStatus, getRoomsResponseSchema, getRouteWithoutAdminPrefix, getSamplesRequestSchema, getTop10CategoriesByAvgHourlyBudgetResponseSchema, getTop10CategoriesByAvgPaidPerProjectResponseSchema, getTop10CategoriesByClientHireRateResponseSchema, getTop10CategoriesByClientTotalSpentResponseSchema, getTop10CategoriesByJobsPostedResponseSchema, getTop10CountriesByAvgHourlyBudgetResponseSchema, getTop10CountriesByAvgPaidPerProjectResponseSchema, getTop10CountriesByClientHireRateResponseSchema, getTop10CountriesByClientTotalSpentResponseSchema, getTop10CountriesByJobsPostedResponseSchema, getTop10SkillsResponseSchema, getTop20CategoriesByAvgHourlyRatePaidResponseSchema, goToUrlException, hasQuestionsEnum, incorrectSecurityQuestionAnswerException, initBrowserException, insufficeintBoostConnectsActionEnum, insufficientConnectsActionEnum, insufficientConnectsException, invalidCredentialsException, invalidGoogleOAuthTokenSchema, invalidJobUrlException, invoiceLineItemSchema, invoiceSchema, invoiceStatusEnum, invoiceStatusNames, invoiceStripeMetadataLineSchema, invoiceStripeMetadataSchema, isNumeric, isPaymentVerifiedEnum, isPhoneVerifiedEnum, isRoomCrmStatus, isWorkTime, jobActivityDeltaSchema, jobActivityOffsetEnum, jobActivityOffsetHourSchema, jobActivityOffsetHours, jobActivitySchema, jobActivityScrapeFailedEventMetadata, jobActivityScrapedEventMetadata, jobActivitySnapshotSchema, jobActivityUpdateSchema, jobAlreadyBiddedOnException, jobAlreadyHiredException, jobAlreadyProcessedInAnotherCampaignException, jobDetailsStateSchema, jobFiltersSchema, jobIsPrivateException, jobListingSchema, jobNoLongerAvailableException, jobQualityScoreSchema, jobSkillsSchema, jobStatusOrder, labelEnum, lancerBiddingExceptionEventMetadata, largeCountries, leadAnalysisActivitySchema, leadBiddingConfigSchema, leadResponseSchema, leadSchema, leadStatusActivitySchema, leadStatusEnum, leadStatusEventMetadata, limitsSchema, logEventSchema, loginFailedException, loginSchema, metadataSchema, multiloginAuthenticationException, navigationTimeoutException, networkRestrictionsException, newBrowserPageException, newPageException, noBidderAccountsAvailableException, noGoogleOAuthTokensFoundException, noScraperAccountAvailableException, nodeEnums, normalizeRoomCrmStatus, normalizeRoomCrmStatuses, notificationConfigSchema, nuxtStateJobDetailsSchema, nuxtStateJobSchema, nuxtStateJobsSearchSchema, onboardingSectionSchema, openPageException, organizationCampaignStatsSchema, organizationMemberRoleEnum, organizationMemberSchema, organizationProfileSchema, organizationSchema, organizationSettingsSchema, organizationTierEnum, organizationTypeSchema, organizationUpdateSchema, pageClosedException, pageContentException, parseConnectsException, parseJobListingsException, passwordSchema, paymentTypeEnum, periodTypeSchema, periodUsageSchema, pickProfileRequestSchema, pickProfileResponseSchema, planFeatureSchema, planPricingIntervalSchema, planPricingSchema, planSchema, planSlugEnum, planSlugToNameMap, planStripeMetadataSchema, pluralize, portfolioSchema, privateJobException, processFeedPayloadSchema, projectDurationEnum, proposalCompleteEventMetadataSchema, proposalErrorAlertException, proposalFormWarningAlertException, proposalGenerationFailed, proposalSchema, proposalSentActivitySchema, proposalSubmitFailedException, proxyAvailableReplacementsSchema, proxyCountryCodeToName, proxyCountryEnum, proxyProviderSchema, proxySchema, proxyStatusSchema, proxyTypeSchema, puppeteerConnectionErrorException, questionAnswerPairSchema, questionPairNotMatchingException, questionRulesSchema, reconnectBidderAccountRequestBodySchema, reconnectBidderAccountResponseSchema, refreshRotatingProxiesRequestBodySchema, regionEnum, regionMapping, regionNames, regionSchema, registerSchema, requiredEarningsEnum, requiredJSSEnum, roomCrmArchivedReasonEnum, roomCrmStatusEnum, roomJobClientHistorySchema, roomMessageSchema, roomNoteSchema, roomSchema, roomTagSchema, roomsMetadataSchema, sampleSchema, savedSearchSchema, scheduleBiddingEventMetadataSchema, scrapeJobActivityPayloadSchema, scrapeJobPayloadSchema, scrapeJobsCompletedEventMetadata, scrapePayloadSchema, scrapeResultSchema, scrapeUserProfileRequestSchema, scraperAccountErrorEventMetadata, scraperAccountProxyNotFoundException, scraperAccountRegionEnum, scraperAccountSchema, scraperAccountSwapCompletedEventMetadata, scraperAccountSwapFailedEventMetadata, scraperAccountSwapStartedEventMetadata, scraperAccountTypeEnum, selectAgencyException, selectContractorException, selectorNotFoundError, sendAlertPayloadSchema, sendDiscordMessageRequestBodySchema, sendMessageRequestSchema, sendNotificationRequestSchema, specialisedProfileSchema, stringify, subscribePayloadSchema, subscriptionSchema, subscriptionSourceEnum, subscriptionStatusEnum, subscriptionStripeMetadataItemSchema, subscriptionStripeMetadataSchema, suitabilityCompleteEventMetadataSchema, suitabilityFailedEventMetadataSchema, suitabilityPendingEventMetadataSchema, suitabilityRatingSchema, syncProposalsStatusCompletedEventMetadata, syncProposalsStatusFailedEventMetadata, syncProposalsStatusRequestPayloadSchema, systemPromptSchema, systemSchema, talentTypeEnum, timeBlockSchema, trackUsageEventTypeEnum, trackUsagePayloadSchema, transactionSchema, transactionStatusEnum, transactionStripeMetadataSchema, transactionTypeEnum, tryCatch, twoFactorPresentException, typedValueInFieldNotMatchingException, typingInputFieldException, updateBidderAccountSchema, updateCampaignAnalyticsSchema, updateCampaignSchema, updateChatbotSchema, updateLeadStatusSchema, updateOrganizationLeadsStatusPayloadSchema, updateOrganizationProfileSchema, updateRoomCrmStatusRequestBodySchema, updateRoomNotesRequestBodySchema, updateSampleSchema, updateScraperAccountSchema, updateSuitableLeadNotificationBodySchema, updateSuitableLeadNotificationType, upworkAccountConnectSchema, upworkAccountConnectStatusSchema, upworkJobSchema, upworkOrganizationSchema, upworkOrganizationTypeEnum, upworkProfileSchema, upworkTalentCountrySchema, upworkTalentSchema, upworkTalentSearchRequestSchema, upworkTalentSearchResponseSchema, upworkTalentSkillWithRankSchema, upworkTalentSkillsResponseSchema, upworkTalentSkillsSchema, usageEventMetadataSchema, usageEventSchema, usageEventTypeEnum, userAccountBiddingExceptionEventMetadata, userSchema, vendorQualificationSchema, vendorTypeEnum, verifyBidderAccountCredentialsResponseSchema, verifyBidderAccountCredentialsSchema, verifyCredentialsFailedEventMetadataSchema, verifyCredentialsSucceededEventMetadataSchema, waitForFunctionTimeoutError, weekDaysEnum, workTimeSchema };
|
|
24574
24637
|
//# sourceMappingURL=bundle.esm.js.map
|