lancer-shared 1.2.259 → 1.2.261

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.
@@ -6767,12 +6767,13 @@ const leadSchema = upworkJobSchema
6767
6767
  biddedAt: numberType().nullable(),
6768
6768
  biddingTaskScheduled: booleanType().nullable(),
6769
6769
  scheduledBiddingTime: numberType().nullable(),
6770
+ // inQueue: boolean().nullable(),
6771
+ // biddingDelayInMinutes: number().nullable(),
6770
6772
  wonAmount: numberType().optional(),
6771
6773
  feedbackCheckTaskId: stringType().nullable(),
6772
6774
  bidDecision: z.enum(['proceeded', 'rejected']).nullable(),
6773
6775
  rejectedFeedback: stringType().nullable(),
6774
6776
  applicationId: stringType().nullable(),
6775
- campaignName: stringType().optional(),
6776
6777
  })
6777
6778
  .omit({
6778
6779
  processed: true,
@@ -6811,6 +6812,7 @@ const getCampaignLeadsRequestQuerySchema = z.object({
6811
6812
  limit: z.number().default(20).optional(),
6812
6813
  status: getCampaignLeadsStatusEnum.optional(),
6813
6814
  campaignId: z.string().optional(),
6815
+ inQueue: z.boolean().optional(),
6814
6816
  });
6815
6817
  const getCampaignLeadsResponseSchema = z.object({
6816
6818
  data: z.array(leadSchema),
@@ -6995,6 +6997,21 @@ const onboardingProgressSchema = z.object({
6995
6997
  startCampaign: z.boolean(),
6996
6998
  });
6997
6999
 
7000
+ const getOrganizationLeadsStatusEnum = z.enum([
7001
+ 'all',
7002
+ 'suitable',
7003
+ 'contacted',
7004
+ 'viewed',
7005
+ 'replied',
7006
+ ]);
7007
+ const getOrganizationLeadsRequestQuerySchema = z.object({
7008
+ cursor: z.string().optional(),
7009
+ limit: z.number().default(20).optional(),
7010
+ status: getOrganizationLeadsStatusEnum.optional(),
7011
+ campaignId: z.string().optional(),
7012
+ inQueue: z.boolean().optional(),
7013
+ });
7014
+
6998
7015
  const organizationTypeSchema = z.enum(['agency', 'freelancer']);
6999
7016
  const organizationTierEnum = z.enum(['free', 'premium']);
7000
7017
  const limitsSchema = objectType({
@@ -7482,7 +7499,8 @@ const SearchFieldsSchema = z.object({
7482
7499
  anyWords: z.string().default(''),
7483
7500
  noneWords: z.string().default(''),
7484
7501
  exactPhrase: z.string().default(''),
7485
- titleSearch: z.string().default(''),
7502
+ titleSearch: z.string().default(''), // AND logic for titles
7503
+ titleAny: z.string().default(''), // OR logic for titles
7486
7504
  skillsSearch: z.string().default(''),
7487
7505
  });
7488
7506
  class SearchQueryBuilder {
@@ -7523,17 +7541,15 @@ class SearchQueryBuilder {
7523
7541
  if (validatedFields.exactPhrase.trim()) {
7524
7542
  parts.push(`"${validatedFields.exactPhrase.trim()}"`);
7525
7543
  }
7526
- // Field-specific searches - now support phrases too
7544
+ // Title searches with proper AND/OR logic
7527
7545
  if (validatedFields.titleSearch.trim()) {
7528
7546
  const titleTerms = this.splitTerms(validatedFields.titleSearch);
7529
7547
  if (titleTerms.length === 1) {
7530
- // Single term or phrase
7531
7548
  const term = titleTerms[0];
7532
7549
  const isQuoted = term.startsWith('"') && term.endsWith('"');
7533
7550
  parts.push(isQuoted ? `title:${term}` : `title:"${term}"`);
7534
7551
  }
7535
7552
  else {
7536
- // Multiple terms - each gets title: prefix
7537
7553
  const titleParts = titleTerms.map((term) => {
7538
7554
  const isQuoted = term.startsWith('"') && term.endsWith('"');
7539
7555
  return isQuoted ? `title:${term}` : `title:"${term}"`;
@@ -7541,6 +7557,21 @@ class SearchQueryBuilder {
7541
7557
  parts.push(`(${titleParts.join(' AND ')})`);
7542
7558
  }
7543
7559
  }
7560
+ if (validatedFields.titleAny.trim()) {
7561
+ const titleTerms = this.splitTerms(validatedFields.titleAny);
7562
+ if (titleTerms.length === 1) {
7563
+ const term = titleTerms[0];
7564
+ const isQuoted = term.startsWith('"') && term.endsWith('"');
7565
+ parts.push(isQuoted ? `title:${term}` : `title:"${term}"`);
7566
+ }
7567
+ else {
7568
+ const titleParts = titleTerms.map((term) => {
7569
+ const isQuoted = term.startsWith('"') && term.endsWith('"');
7570
+ return isQuoted ? `title:${term}` : `title:"${term}"`;
7571
+ });
7572
+ parts.push(`(${titleParts.join(' OR ')})`);
7573
+ }
7574
+ }
7544
7575
  if (validatedFields.skillsSearch.trim()) {
7545
7576
  const skillsTerms = this.splitTerms(validatedFields.skillsSearch);
7546
7577
  if (skillsTerms.length === 1) {
@@ -7573,7 +7604,9 @@ class SearchQueryBuilder {
7573
7604
  if (validatedFields.exactPhrase)
7574
7605
  descriptions.push(`Exact phrase: "${validatedFields.exactPhrase}"`);
7575
7606
  if (validatedFields.titleSearch)
7576
- descriptions.push(`In title: ${validatedFields.titleSearch}`);
7607
+ descriptions.push(`Title (all): ${validatedFields.titleSearch}`);
7608
+ if (validatedFields.titleAny)
7609
+ descriptions.push(`Title (any): ${validatedFields.titleAny}`);
7577
7610
  if (validatedFields.skillsSearch)
7578
7611
  descriptions.push(`Skills: ${validatedFields.skillsSearch}`);
7579
7612
  return descriptions.length > 0 ? descriptions.join(' • ') : 'All results';
@@ -7591,24 +7624,6 @@ class SearchQueryBuilder {
7591
7624
  errors: result.error.errors.map((err) => `${err.path.join('.')}: ${err.message}`),
7592
7625
  };
7593
7626
  }
7594
- /**
7595
- * Test/demo method to show phrase handling
7596
- * Remove this in production
7597
- */
7598
- static examples() {
7599
- const testFields = {
7600
- allWords: 'react "senior developer" javascript',
7601
- anyWords: 'frontend "full stack" backend',
7602
- noneWords: 'junior "entry level"',
7603
- exactPhrase: 'tech lead',
7604
- titleSearch: 'software engineer',
7605
- skillsSearch: 'node.js',
7606
- };
7607
- console.log('Query:', this.buildQuery(testFields));
7608
- console.log('Description:', this.describe(testFields));
7609
- // Should produce:
7610
- // Query: (react AND "senior developer" AND javascript) AND (frontend OR "full stack" OR backend) AND NOT junior AND NOT "entry level" AND "tech lead" AND title:"software engineer" AND skills:"node.js"
7611
- }
7612
7627
  /**
7613
7628
  * Parse a query string back into SearchFields structure
7614
7629
  * Fixed to handle grouped NOT expressions correctly
@@ -7620,13 +7635,40 @@ class SearchQueryBuilder {
7620
7635
  noneWords: '',
7621
7636
  exactPhrase: '',
7622
7637
  titleSearch: '',
7638
+ titleAny: '',
7623
7639
  skillsSearch: '',
7624
7640
  };
7625
7641
  if (!query || query.trim() === '*') {
7626
7642
  return result;
7627
7643
  }
7628
7644
  let remainingQuery = query.trim();
7629
- // 1. Extract field-specific searches first
7645
+ // 1. FIRST: Extract grouped expressions like (title:"a" OR title:"b") or (title:"a" AND title:"b")
7646
+ const titleGroupPattern = /\((title:"[^"]+"(?:\s+(?:OR|AND)\s+title:"[^"]+")+)\)/g;
7647
+ const titleGroupMatches = [...remainingQuery.matchAll(titleGroupPattern)];
7648
+ for (const match of titleGroupMatches) {
7649
+ const groupContent = match[1]; // e.g., 'title:"developer" OR title:"expert"'
7650
+ if (groupContent.includes(' OR ')) {
7651
+ // Extract terms from OR group for titleAny
7652
+ const terms = groupContent
7653
+ .split(/\s+OR\s+/)
7654
+ .map((term) => term.replace(/^title:"([^"]+)"$/, '"$1"'))
7655
+ .filter(Boolean);
7656
+ result.titleAny = terms.join(' ');
7657
+ }
7658
+ else if (groupContent.includes(' AND ')) {
7659
+ // Extract terms from AND group for titleSearch
7660
+ const terms = groupContent
7661
+ .split(/\s+AND\s+/)
7662
+ .map((term) => term.replace(/^title:"([^"]+)"$/, '"$1"'))
7663
+ .filter(Boolean);
7664
+ result.titleSearch = result.titleSearch
7665
+ ? `${result.titleSearch} ${terms.join(' ')}`
7666
+ : terms.join(' ');
7667
+ }
7668
+ // Remove the matched group from remaining query
7669
+ remainingQuery = remainingQuery.replace(match[0], '').trim();
7670
+ }
7671
+ // 2. THEN: Extract individual title: and skills: patterns
7630
7672
  const fieldPatterns = [
7631
7673
  { field: 'titleSearch', pattern: /title:("([^"]+)"|([^\s)]+))/g },
7632
7674
  { field: 'skillsSearch', pattern: /skills:("([^"]+)"|([^\s)]+))/g },
@@ -7640,21 +7682,46 @@ class SearchQueryBuilder {
7640
7682
  }
7641
7683
  return match[3];
7642
7684
  });
7643
- result[field] = terms.join(' ');
7685
+ if (field === 'titleSearch') {
7686
+ result.titleSearch = result.titleSearch
7687
+ ? `${result.titleSearch} ${terms.join(' ')}`
7688
+ : terms.join(' ');
7689
+ }
7690
+ else {
7691
+ result[field] = terms.join(' ');
7692
+ }
7644
7693
  remainingQuery = remainingQuery.replace(pattern, '').trim();
7645
7694
  }
7646
7695
  }
7647
- // 2. Extract grouped field searches like title:(term1 AND term2)
7696
+ // 3. Handle legacy grouped field searches like title:(term1 AND term2)
7648
7697
  const groupedFieldPattern = /(title|skills):\(([^)]+)\)/g;
7649
7698
  let groupMatch;
7650
7699
  while ((groupMatch = groupedFieldPattern.exec(remainingQuery)) !== null) {
7651
- const fieldName = groupMatch[1] === 'title' ? 'titleSearch' : 'skillsSearch';
7700
+ const fieldType = groupMatch[1];
7652
7701
  const groupContent = groupMatch[2];
7653
- const terms = this.extractTermsFromGroup(groupContent, groupMatch[1]);
7654
- result[fieldName] = terms.join(' ');
7702
+ if (fieldType === 'title') {
7703
+ // Check if it's OR logic (titleAny) or AND logic (titleSearch)
7704
+ if (groupContent.includes(' OR ')) {
7705
+ const terms = this.extractTermsFromGroup(groupContent, fieldType);
7706
+ result.titleAny = result.titleAny
7707
+ ? `${result.titleAny} ${terms.join(' ')}`
7708
+ : terms.join(' ');
7709
+ }
7710
+ else {
7711
+ const terms = this.extractTermsFromGroup(groupContent, fieldType);
7712
+ result.titleSearch = result.titleSearch
7713
+ ? `${result.titleSearch} ${terms.join(' ')}`
7714
+ : terms.join(' ');
7715
+ }
7716
+ }
7717
+ else {
7718
+ // skills logic remains the same
7719
+ const terms = this.extractTermsFromGroup(groupContent, fieldType);
7720
+ result.skillsSearch = terms.join(' ');
7721
+ }
7655
7722
  remainingQuery = remainingQuery.replace(groupMatch[0], '').trim();
7656
7723
  }
7657
- // 3. **NEW** - Extract grouped NOT expressions FIRST: NOT (term1 OR term2 OR ...)
7724
+ // 4. Extract grouped NOT expressions: NOT (term1 OR term2 OR ...)
7658
7725
  const groupedNotPattern = /NOT\s+\(([^)]+(?:\s+OR\s+[^)]+)+)\)/g;
7659
7726
  const groupedNotMatches = [...remainingQuery.matchAll(groupedNotPattern)];
7660
7727
  if (groupedNotMatches.length > 0) {
@@ -7664,7 +7731,7 @@ class SearchQueryBuilder {
7664
7731
  .replace(groupedNotMatches[0][0], '')
7665
7732
  .trim();
7666
7733
  }
7667
- // 4. Extract individual NOT terms (only if no grouped NOT was found)
7734
+ // 5. Extract individual NOT terms (only if no grouped NOT was found)
7668
7735
  if (!result.noneWords) {
7669
7736
  const notPattern = /NOT\s+("([^"]+)"|([^\s)]+))/g;
7670
7737
  const notMatches = [...remainingQuery.matchAll(notPattern)];
@@ -7679,7 +7746,7 @@ class SearchQueryBuilder {
7679
7746
  remainingQuery = remainingQuery.replace(notPattern, '').trim();
7680
7747
  }
7681
7748
  }
7682
- // 5. Process grouped expressions - DON'T clean up connectors first!
7749
+ // 6. Process grouped expressions - DON'T clean up connectors first!
7683
7750
  // Extract OR groups (anyWords) - PROCESS FIRST
7684
7751
  const orGroupPattern = /\(([^)]+(?:\s+OR\s+[^)]+)+)\)/g;
7685
7752
  const orMatches = [...remainingQuery.matchAll(orGroupPattern)];
@@ -7698,14 +7765,14 @@ class SearchQueryBuilder {
7698
7765
  }
7699
7766
  // NOW clean up connectors after group processing
7700
7767
  remainingQuery = this.cleanupConnectors(remainingQuery);
7701
- // 6. Extract standalone quoted phrases (exactPhrase) - ONLY after all groups processed
7768
+ // 7. Extract standalone quoted phrases (exactPhrase) - ONLY after all groups processed
7702
7769
  const standaloneQuotePattern = /(?:^|\s)("([^"]+)")(?=\s|$)/g;
7703
7770
  const quoteMatches = [...remainingQuery.matchAll(standaloneQuotePattern)];
7704
7771
  if (quoteMatches.length > 0) {
7705
7772
  result.exactPhrase = quoteMatches[0][2];
7706
7773
  remainingQuery = remainingQuery.replace(quoteMatches[0][1], '').trim();
7707
7774
  }
7708
- // 7. Handle remaining simple terms as allWords
7775
+ // 8. Handle remaining simple terms as allWords
7709
7776
  if (remainingQuery) {
7710
7777
  const remainingTerms = this.splitTermsWithQuotes(remainingQuery);
7711
7778
  if (remainingTerms.length > 0) {
@@ -7788,6 +7855,7 @@ class SearchQueryBuilder {
7788
7855
  return query
7789
7856
  .replace(/\s+AND\s+/g, ' ')
7790
7857
  .replace(/\s+/g, ' ')
7858
+ .replace(/\(\s*\)/g, '')
7791
7859
  .trim();
7792
7860
  }
7793
7861
  /**
@@ -23827,5 +23895,5 @@ async function tryCatch(promise) {
23827
23895
  }
23828
23896
  }
23829
23897
 
23830
- export { BidderAccountAlreadyConnectedException, BoostAboveMaxConnectsException, CAMPAIGN_NOTIFICATION_SETTINGS, CAMPAIGN_NOTIFICATION_TYPES, CLIENT_SIZE_TO_NUMBER, CloudflareChallengeFailedException, DeleteMultiloginProfileException, DropdownOptionNotPresentException, ElementNotClickableException, EvaluateElementException, EvaluateFunctionException, FEED_JOB_TO_JOB_DETAILS_FIELD_MAPPING, FailedToParseNuxtJobException, FeedJobEnrichException, FeedScrapeException, GetMultiloginBrowserException, GoToUrlException, HIERARCHICAL_CATEGORIES_TO_CHILDREN, INFINITY, IncorrectSecurityQuestionAnswerException, InitBrowserException, InsufficientConnectsException, InvalidCredentialsException, InvalidGoogleOAuthTokenException, InvalidJobUrlException, JOB_FILTER_OPTIONS, JobAlreadyBiddedOnException, JobAlreadyProcessedInAnotherCampaignException, JobIsPrivateException, JobNoLongerAvailableException, LogEventTypeEnum, LoginFailedException, MultiloginAuthenticationException, NavigationTimeoutException, NewBrowserPageException, NewPageException, NoBidderAccountsAvailableException, NoGoogleOAuthTokensFoundException, NoScraperAccountAvailableException, OpenPageException, PageClosedException, PageContentException, ParseConnectsException, ParseJobListingsException, PrivateJobException, ProposalErrorAlertException, ProposalFormWarningAlertException, ProposalGenerationFailedException, ProposalSubmitFailedException, PuppeteerConnectionErrorException, QuestionPairNotMatchingException, ROUTES, ScraperAccountProxyNotFoundException, SearchFieldsSchema, SearchQueryBuilder, SelectAgencyException, SelectContractorException, SelectorNotFoundError, TypedValueInFieldNotMatchingException, TypingInputFieldException, WaitForFunctionTimeoutError, acceptUpworkInvitationResponseSchema, acceptUpworkInvitationSchema, accountStatusDisplayMap, accountStatusOrder, accountStatusSchema, addFromClientHireRateNodeFormSchema, addFromClientRatingNodeFormSchema, addFromClientSizeNodeFormSchema, addFromClientSpentNodeFormSchema, addFromHourlyRateNodeFormSchema, addFromSuitabilityNodeFormSchema, agencyBidPayloadSchema, agencyBidProposalDataSchema, agentCalculateSuitabilityRequestSchema, agentGenerateProposalRequestSchema, agentGenerateProposalResponseSchema, agentPickSpecialisedProfileRequestSchema, agentPickSpecialisedProfileResponseSchema, agentStatusSchema, agentTaskResponseSchema, aiConfigSchema, bidConfigSchema, bidDtoSchema, bidFailedSchema, bidPayloadProposalDataSchema, bidPayloadSchema, bidRangeSchema, bidSuccessSchema, bidWithWarningEnum, bidderAccountAgencyContractorSchema, bidderAccountAgencySchema, bidderAccountAlreadyConnectedException, bidderAccountProvider, bidderAccountProviderDisplayMap, bidderAccountSchema, bidderInstanceSchema, bidderInstanceStatusEnum, biddingCompletedEventMetadata, biddingFailedEventMetadata, biddingHourlyRateStrategyEnum, biddingProcessingEventMetadata, biddingRejectedWithFeedbackEventMetadata, 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, convertToUtc, countryMapping, coverLetterTemplateSchema, createBidderAccountSchema, createCampaignSchema, createChatbotSchema, createClientHireRateFormSchema, createClientRatingFormSchema, createClientSizeFormSchema, createClientSpentFormSchema, createCoverLetterTemplateSchema, createHourlyRateFormSchema, createOrganizationProfileSchema, createOrganizationSchema, 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, freelancerBidPayloadSchema, freelancerBidProposalDataSchema, generateLeadCountsRequestSchema, generateSlug, getBiddingProcessingEventFromAnotherCampaignsPayloadSchema, getBiddingProcessingEventFromAnotherCampaignsResponseSchema, getCampaignLeadsRequestQuerySchema, getCampaignLeadsResponseSchema, getCampaignLeadsStatusEnum, getMultiloginBrowserException, getNextStatus, getPreviousStatus, getRouteWithoutAdminPrefix, getSamplesRequestSchema, goToUrlException, hasQuestionsEnum, incorrectSecurityQuestionAnswerException, initBrowserException, insufficeintBoostConnectsActionEnum, insufficientConnectsException, invalidCredentialsException, invalidGoogleOAuthTokenSchema, invalidJobUrlException, invoiceLineItemSchema, invoiceSchema, invoiceStatusEnum, invoiceStatusNames, invoiceStripeMetadataLineSchema, invoiceStripeMetadataSchema, isNumeric, isPaymentVerifiedEnum, isPhoneVerifiedEnum, isWorkTime, jobActivityDeltaSchema, jobActivityOffsetEnum, jobActivityOffsetHourSchema, jobActivityOffsetHours, jobActivitySchema, jobActivityScrapeFailedEventMetadata, jobActivityScrapedEventMetadata, jobActivitySnapshotSchema, jobActivityUpdateSchema, jobAlreadyBiddedOnException, jobAlreadyProcessedInAnotherCampaignException, jobDetailsStateSchema, jobFiltersSchema, jobIsPrivateException, jobListingSchema, jobNoLongerAvailableException, jobQualityScoreSchema, jobSkillsSchema, jobStatusOrder, labelEnum, lancerBiddingExceptionEventMetadata, leadAnalysisActivitySchema, leadResponseSchema, leadSchema, leadStatusActivitySchema, leadStatusEnum, leadStatusEventMetadata, limitsSchema, logEventSchema, loginFailedException, loginSchema, metadataSchema, multiloginAuthenticationException, navigationTimeoutException, newBrowserPageException, newPageException, noBidderAccountsAvailableException, noGoogleOAuthTokensFoundException, noScraperAccountAvailableException, nodeEnums, notificationConfigSchema, nuxtStateJobDetailsSchema, nuxtStateJobSchema, nuxtStateJobsSearchSchema, onboardingProgressSchema, openPageException, organizationCampaignStatsSchema, organizationMemberRoleEnum, organizationMemberSchema, organizationProfileSchema, organizationSchema, organizationSettingsSchema, organizationTierEnum, organizationTypeSchema, organizationUpdateSchema, pageClosedException, pageContentException, parseConnectsException, parseJobListingsException, passwordSchema, paymentTypeEnum, periodTypeSchema, periodUsageSchema, pickProfileRequestSchema, pickProfileResponseSchema, planFeatureSchema, planSchema, planSlugEnum, planSlugToNameMap, planStripeMetadataSchema, pluralize, portfolioSchema, privateJobException, processFeedPayloadSchema, profileSearchNuxtObjectSchema, profileSearchNuxtObjectStateSchema, projectDurationEnum, proposalCompleteEventMetadataSchema, proposalErrorAlertException, proposalFormWarningAlertException, proposalGenerationFailed, proposalSchema, proposalSentActivitySchema, proposalSubmitFailedException, proxyAvailableReplacementsSchema, proxyCountryEnum, proxyProviderSchema, proxySchema, proxyStatusSchema, proxyTypeSchema, puppeteerConnectionErrorException, questionAnswerPairSchema, questionPairNotMatchingException, questionRulesSchema, reconnectBidderAccountRequestBodySchema, reconnectBidderAccountResponseSchema, refreshRotatingProxiesRequestBodySchema, regionEnum, regionMapping, regionNames, regionSchema, registerSchema, requiredEarningsEnum, requiredJSSEnum, sampleSchema, savedSearchSchema, scrapeJobActivityPayloadSchema, scrapeJobPayloadSchema, scrapeJobsCompletedEventMetadata, scrapePayloadSchema, scrapeResultSchema, scrapeUserProfileRequestSchema, scraperAccountErrorEventMetadata, scraperAccountProxyNotFoundException, scraperAccountRegionEnum, scraperAccountSchema, scraperAccountSwapCompletedEventMetadata, scraperAccountSwapFailedEventMetadata, scraperAccountSwapStartedEventMetadata, scraperAccountTypeEnum, selectAgencyException, selectContractorException, selectorNotFoundError, sendAlertPayloadSchema, 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, typedValueInFieldNotMatchingException, typingInputFieldException, updateBidderAccountSchema, updateCampaignAnalyticsSchema, updateCampaignSchema, updateChatbotSchema, updateLeadStatusSchema, updateOrganizationLeadsStatusPayloadSchema, updateOrganizationProfileSchema, updateSampleSchema, updateScraperAccountSchema, updateSuitableLeadNotificationBodySchema, updateSuitableLeadNotificationType, upworkAccountConnectSchema, upworkAccountConnectStatusSchema, upworkJobSchema, upworkProfileSchema, upworkTalentSchema, usageEventMetadataSchema, usageEventSchema, usageEventTypeEnum, userAccountBiddingExceptionEventMetadata, userSchema, vendorQualificationSchema, vendorTypeEnum, verifyBidderAccountCredentialsResponseSchema, verifyBidderAccountCredentialsSchema, waitForFunctionTimeoutError, weekDaysEnum, workTimeSchema };
23898
+ export { BidderAccountAlreadyConnectedException, BoostAboveMaxConnectsException, CAMPAIGN_NOTIFICATION_SETTINGS, CAMPAIGN_NOTIFICATION_TYPES, CLIENT_SIZE_TO_NUMBER, CloudflareChallengeFailedException, DeleteMultiloginProfileException, DropdownOptionNotPresentException, ElementNotClickableException, EvaluateElementException, EvaluateFunctionException, FEED_JOB_TO_JOB_DETAILS_FIELD_MAPPING, FailedToParseNuxtJobException, FeedJobEnrichException, FeedScrapeException, GetMultiloginBrowserException, GoToUrlException, HIERARCHICAL_CATEGORIES_TO_CHILDREN, INFINITY, IncorrectSecurityQuestionAnswerException, InitBrowserException, InsufficientConnectsException, InvalidCredentialsException, InvalidGoogleOAuthTokenException, InvalidJobUrlException, JOB_FILTER_OPTIONS, JobAlreadyBiddedOnException, JobAlreadyProcessedInAnotherCampaignException, JobIsPrivateException, JobNoLongerAvailableException, LogEventTypeEnum, LoginFailedException, MultiloginAuthenticationException, NavigationTimeoutException, NewBrowserPageException, NewPageException, NoBidderAccountsAvailableException, NoGoogleOAuthTokensFoundException, NoScraperAccountAvailableException, OpenPageException, PageClosedException, PageContentException, ParseConnectsException, ParseJobListingsException, PrivateJobException, ProposalErrorAlertException, ProposalFormWarningAlertException, ProposalGenerationFailedException, ProposalSubmitFailedException, PuppeteerConnectionErrorException, QuestionPairNotMatchingException, ROUTES, ScraperAccountProxyNotFoundException, SearchFieldsSchema, SearchQueryBuilder, SelectAgencyException, SelectContractorException, SelectorNotFoundError, TypedValueInFieldNotMatchingException, TypingInputFieldException, WaitForFunctionTimeoutError, acceptUpworkInvitationResponseSchema, acceptUpworkInvitationSchema, accountStatusDisplayMap, accountStatusOrder, accountStatusSchema, addFromClientHireRateNodeFormSchema, addFromClientRatingNodeFormSchema, addFromClientSizeNodeFormSchema, addFromClientSpentNodeFormSchema, addFromHourlyRateNodeFormSchema, addFromSuitabilityNodeFormSchema, agencyBidPayloadSchema, agencyBidProposalDataSchema, agentCalculateSuitabilityRequestSchema, agentGenerateProposalRequestSchema, agentGenerateProposalResponseSchema, agentPickSpecialisedProfileRequestSchema, agentPickSpecialisedProfileResponseSchema, agentStatusSchema, agentTaskResponseSchema, aiConfigSchema, bidConfigSchema, bidDtoSchema, bidFailedSchema, bidPayloadProposalDataSchema, bidPayloadSchema, bidRangeSchema, bidSuccessSchema, bidWithWarningEnum, bidderAccountAgencyContractorSchema, bidderAccountAgencySchema, bidderAccountAlreadyConnectedException, bidderAccountProvider, bidderAccountProviderDisplayMap, bidderAccountSchema, bidderInstanceSchema, bidderInstanceStatusEnum, biddingCompletedEventMetadata, biddingFailedEventMetadata, biddingHourlyRateStrategyEnum, biddingProcessingEventMetadata, biddingRejectedWithFeedbackEventMetadata, 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, convertToUtc, countryMapping, coverLetterTemplateSchema, createBidderAccountSchema, createCampaignSchema, createChatbotSchema, createClientHireRateFormSchema, createClientRatingFormSchema, createClientSizeFormSchema, createClientSpentFormSchema, createCoverLetterTemplateSchema, createHourlyRateFormSchema, createOrganizationProfileSchema, createOrganizationSchema, 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, freelancerBidPayloadSchema, freelancerBidProposalDataSchema, generateLeadCountsRequestSchema, generateSlug, getBiddingProcessingEventFromAnotherCampaignsPayloadSchema, getBiddingProcessingEventFromAnotherCampaignsResponseSchema, getCampaignLeadsRequestQuerySchema, getCampaignLeadsResponseSchema, getCampaignLeadsStatusEnum, getMultiloginBrowserException, getNextStatus, getOrganizationLeadsRequestQuerySchema, getOrganizationLeadsStatusEnum, getPreviousStatus, getRouteWithoutAdminPrefix, getSamplesRequestSchema, goToUrlException, hasQuestionsEnum, incorrectSecurityQuestionAnswerException, initBrowserException, insufficeintBoostConnectsActionEnum, insufficientConnectsException, invalidCredentialsException, invalidGoogleOAuthTokenSchema, invalidJobUrlException, invoiceLineItemSchema, invoiceSchema, invoiceStatusEnum, invoiceStatusNames, invoiceStripeMetadataLineSchema, invoiceStripeMetadataSchema, isNumeric, isPaymentVerifiedEnum, isPhoneVerifiedEnum, isWorkTime, jobActivityDeltaSchema, jobActivityOffsetEnum, jobActivityOffsetHourSchema, jobActivityOffsetHours, jobActivitySchema, jobActivityScrapeFailedEventMetadata, jobActivityScrapedEventMetadata, jobActivitySnapshotSchema, jobActivityUpdateSchema, jobAlreadyBiddedOnException, jobAlreadyProcessedInAnotherCampaignException, jobDetailsStateSchema, jobFiltersSchema, jobIsPrivateException, jobListingSchema, jobNoLongerAvailableException, jobQualityScoreSchema, jobSkillsSchema, jobStatusOrder, labelEnum, lancerBiddingExceptionEventMetadata, leadAnalysisActivitySchema, leadResponseSchema, leadSchema, leadStatusActivitySchema, leadStatusEnum, leadStatusEventMetadata, limitsSchema, logEventSchema, loginFailedException, loginSchema, metadataSchema, multiloginAuthenticationException, navigationTimeoutException, newBrowserPageException, newPageException, noBidderAccountsAvailableException, noGoogleOAuthTokensFoundException, noScraperAccountAvailableException, nodeEnums, notificationConfigSchema, nuxtStateJobDetailsSchema, nuxtStateJobSchema, nuxtStateJobsSearchSchema, onboardingProgressSchema, openPageException, organizationCampaignStatsSchema, organizationMemberRoleEnum, organizationMemberSchema, organizationProfileSchema, organizationSchema, organizationSettingsSchema, organizationTierEnum, organizationTypeSchema, organizationUpdateSchema, pageClosedException, pageContentException, parseConnectsException, parseJobListingsException, passwordSchema, paymentTypeEnum, periodTypeSchema, periodUsageSchema, pickProfileRequestSchema, pickProfileResponseSchema, planFeatureSchema, planSchema, planSlugEnum, planSlugToNameMap, planStripeMetadataSchema, pluralize, portfolioSchema, privateJobException, processFeedPayloadSchema, profileSearchNuxtObjectSchema, profileSearchNuxtObjectStateSchema, projectDurationEnum, proposalCompleteEventMetadataSchema, proposalErrorAlertException, proposalFormWarningAlertException, proposalGenerationFailed, proposalSchema, proposalSentActivitySchema, proposalSubmitFailedException, proxyAvailableReplacementsSchema, proxyCountryEnum, proxyProviderSchema, proxySchema, proxyStatusSchema, proxyTypeSchema, puppeteerConnectionErrorException, questionAnswerPairSchema, questionPairNotMatchingException, questionRulesSchema, reconnectBidderAccountRequestBodySchema, reconnectBidderAccountResponseSchema, refreshRotatingProxiesRequestBodySchema, regionEnum, regionMapping, regionNames, regionSchema, registerSchema, requiredEarningsEnum, requiredJSSEnum, sampleSchema, savedSearchSchema, scrapeJobActivityPayloadSchema, scrapeJobPayloadSchema, scrapeJobsCompletedEventMetadata, scrapePayloadSchema, scrapeResultSchema, scrapeUserProfileRequestSchema, scraperAccountErrorEventMetadata, scraperAccountProxyNotFoundException, scraperAccountRegionEnum, scraperAccountSchema, scraperAccountSwapCompletedEventMetadata, scraperAccountSwapFailedEventMetadata, scraperAccountSwapStartedEventMetadata, scraperAccountTypeEnum, selectAgencyException, selectContractorException, selectorNotFoundError, sendAlertPayloadSchema, 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, typedValueInFieldNotMatchingException, typingInputFieldException, updateBidderAccountSchema, updateCampaignAnalyticsSchema, updateCampaignSchema, updateChatbotSchema, updateLeadStatusSchema, updateOrganizationLeadsStatusPayloadSchema, updateOrganizationProfileSchema, updateSampleSchema, updateScraperAccountSchema, updateSuitableLeadNotificationBodySchema, updateSuitableLeadNotificationType, upworkAccountConnectSchema, upworkAccountConnectStatusSchema, upworkJobSchema, upworkProfileSchema, upworkTalentSchema, usageEventMetadataSchema, usageEventSchema, usageEventTypeEnum, userAccountBiddingExceptionEventMetadata, userSchema, vendorQualificationSchema, vendorTypeEnum, verifyBidderAccountCredentialsResponseSchema, verifyBidderAccountCredentialsSchema, waitForFunctionTimeoutError, weekDaysEnum, workTimeSchema };
23831
23899
  //# sourceMappingURL=bundle.esm.js.map