firecrawl 4.1.1__py3-none-any.whl → 4.3.0__py3-none-any.whl

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.

Potentially problematic release.


This version of firecrawl might be problematic. Click here for more details.

firecrawl/__init__.py CHANGED
@@ -17,7 +17,7 @@ from .v1 import (
17
17
  V1ChangeTrackingOptions,
18
18
  )
19
19
 
20
- __version__ = "4.1.1"
20
+ __version__ = "4.3.0"
21
21
 
22
22
  # Define the logger for the Firecrawl project
23
23
  logger: logging.Logger = logging.getLogger("firecrawl")
firecrawl/v1/client.py CHANGED
@@ -358,6 +358,46 @@ class V1SearchResponse(pydantic.BaseModel):
358
358
  warning: Optional[str] = None
359
359
  error: Optional[str] = None
360
360
 
361
+ class V1CreditUsageData(pydantic.BaseModel):
362
+ remaining_credits: int
363
+ plan_credits: Optional[int] = None
364
+ billing_period_start: Optional[str] = None
365
+ billing_period_end: Optional[str] = None
366
+
367
+ class V1CreditUsageResponse(pydantic.BaseModel):
368
+ success: bool
369
+ data: V1CreditUsageData
370
+
371
+ class V1TokenUsageData(pydantic.BaseModel):
372
+ remaining_tokens: int
373
+ plan_tokens: Optional[int] = None
374
+ billing_period_start: Optional[str] = None
375
+ billing_period_end: Optional[str] = None
376
+
377
+ class V1TokenUsageResponse(pydantic.BaseModel):
378
+ success: bool
379
+ data: V1TokenUsageData
380
+
381
+ class V1CreditUsageHistoricalPeriod(pydantic.BaseModel):
382
+ startDate: Optional[str] = None
383
+ endDate: Optional[str] = None
384
+ apiKey: Optional[str] = None
385
+ creditsUsed: int
386
+
387
+ class V1CreditUsageHistoricalResponse(pydantic.BaseModel):
388
+ success: bool
389
+ periods: List[V1CreditUsageHistoricalPeriod]
390
+
391
+ class V1TokenUsageHistoricalPeriod(pydantic.BaseModel):
392
+ startDate: Optional[str] = None
393
+ endDate: Optional[str] = None
394
+ apiKey: Optional[str] = None
395
+ tokensUsed: int
396
+
397
+ class V1TokenUsageHistoricalResponse(pydantic.BaseModel):
398
+ success: bool
399
+ periods: List[V1TokenUsageHistoricalPeriod]
400
+
361
401
  class V1GenerateLLMsTextParams(pydantic.BaseModel):
362
402
  """
363
403
  Parameters for the LLMs.txt generation operation.
@@ -722,6 +762,90 @@ class V1FirecrawlApp:
722
762
  else:
723
763
  self._handle_error(response, 'search')
724
764
 
765
+ def get_credit_usage(self) -> V1CreditUsageResponse:
766
+ """Get current credit usage and billing period (v1)."""
767
+ _headers = self._prepare_headers()
768
+ response = self._get_request(
769
+ f"{self.api_url}/v1/team/credit-usage",
770
+ _headers
771
+ )
772
+
773
+ if response.status_code == 200:
774
+ try:
775
+ response_json = response.json()
776
+ if response_json.get('success') and 'data' in response_json:
777
+ return V1CreditUsageResponse(**response_json)
778
+ elif "error" in response_json:
779
+ raise Exception(f"Failed to get credit usage. Error: {response_json['error']}")
780
+ else:
781
+ raise Exception(f"Failed to get credit usage. Error: {response_json}")
782
+ except ValueError:
783
+ raise Exception('Failed to parse Firecrawl response as JSON.')
784
+ else:
785
+ self._handle_error(response, 'get credit usage')
786
+
787
+ def get_token_usage(self) -> V1TokenUsageResponse:
788
+ """Get current token usage and billing period (v1)."""
789
+ _headers = self._prepare_headers()
790
+ response = self._get_request(
791
+ f"{self.api_url}/v1/team/token-usage",
792
+ _headers
793
+ )
794
+
795
+ if response.status_code == 200:
796
+ try:
797
+ response_json = response.json()
798
+ if response_json.get('success') and 'data' in response_json:
799
+ return V1TokenUsageResponse(**response_json)
800
+ elif "error" in response_json:
801
+ raise Exception(f"Failed to get token usage. Error: {response_json['error']}")
802
+ else:
803
+ raise Exception(f"Failed to get token usage. Error: {response_json}")
804
+ except ValueError:
805
+ raise Exception('Failed to parse Firecrawl response as JSON.')
806
+ else:
807
+ self._handle_error(response, 'get token usage')
808
+
809
+ def get_credit_usage_historical(self, by_api_key: bool = False) -> V1CreditUsageHistoricalResponse:
810
+ """Get historical credit usage (v1)."""
811
+ _headers = self._prepare_headers()
812
+ url = f"{self.api_url}/v1/team/credit-usage/historical" + ("?byApiKey=true" if by_api_key else "")
813
+ response = self._get_request(url, _headers)
814
+
815
+ if response.status_code == 200:
816
+ try:
817
+ response_json = response.json()
818
+ if response_json.get('success') and 'periods' in response_json:
819
+ return V1CreditUsageHistoricalResponse(**response_json)
820
+ elif "error" in response_json:
821
+ raise Exception(f"Failed to get historical credit usage. Error: {response_json['error']}")
822
+ else:
823
+ raise Exception(f"Failed to get historical credit usage. Error: {response_json}")
824
+ except ValueError:
825
+ raise Exception('Failed to parse Firecrawl response as JSON.')
826
+ else:
827
+ self._handle_error(response, 'get credit usage historical')
828
+
829
+ def get_token_usage_historical(self, by_api_key: bool = False) -> V1TokenUsageHistoricalResponse:
830
+ """Get historical token usage (v1)."""
831
+ _headers = self._prepare_headers()
832
+ url = f"{self.api_url}/v1/team/token-usage/historical" + ("?byApiKey=true" if by_api_key else "")
833
+ response = self._get_request(url, _headers)
834
+
835
+ if response.status_code == 200:
836
+ try:
837
+ response_json = response.json()
838
+ if response_json.get('success') and 'periods' in response_json:
839
+ return V1TokenUsageHistoricalResponse(**response_json)
840
+ elif "error" in response_json:
841
+ raise Exception(f"Failed to get historical token usage. Error: {response_json['error']}")
842
+ else:
843
+ raise Exception(f"Failed to get historical token usage. Error: {response_json}")
844
+ except ValueError:
845
+ raise Exception('Failed to parse Firecrawl response as JSON.')
846
+ else:
847
+ self._handle_error(response, 'get token usage historical')
848
+
725
849
  def crawl_url(
726
850
  self,
727
851
  url: str,
@@ -2913,6 +3037,24 @@ class AsyncV1FirecrawlApp(V1FirecrawlApp):
2913
3037
  """
2914
3038
  return self._get_error_message(status_code, action, error_message, error_details)
2915
3039
 
3040
+ async def get_credit_usage(self) -> V1CreditUsageResponse:
3041
+ """Get current credit usage and billing period (v1, async)."""
3042
+ headers = self._prepare_headers()
3043
+ resp = await self._async_get_request(
3044
+ f"{self.api_url}/v1/team/credit-usage",
3045
+ headers
3046
+ )
3047
+ return V1CreditUsageResponse(**resp)
3048
+
3049
+ async def get_token_usage(self) -> V1TokenUsageResponse:
3050
+ """Get current token usage and billing period (v1, async)."""
3051
+ headers = self._prepare_headers()
3052
+ resp = await self._async_get_request(
3053
+ f"{self.api_url}/v1/team/token-usage",
3054
+ headers
3055
+ )
3056
+ return V1TokenUsageResponse(**resp)
3057
+
2916
3058
  async def crawl_url_and_watch(
2917
3059
  self,
2918
3060
  url: str,
firecrawl/v2/client.py CHANGED
@@ -727,6 +727,18 @@ class FirecrawlClient:
727
727
  """Get recent token usage metrics (v2)."""
728
728
  return usage_methods.get_token_usage(self.http_client)
729
729
 
730
+ def get_credit_usage_historical(self, by_api_key: bool = False):
731
+ """Get historical credit usage (v2)."""
732
+ return usage_methods.get_credit_usage_historical(self.http_client, by_api_key)
733
+
734
+ def get_token_usage_historical(self, by_api_key: bool = False):
735
+ """Get historical token usage (v2)."""
736
+ return usage_methods.get_token_usage_historical(self.http_client, by_api_key)
737
+
738
+ def get_queue_status(self):
739
+ """Get metrics about the team's scrape queue."""
740
+ return usage_methods.get_queue_status(self.http_client)
741
+
730
742
  def watcher(
731
743
  self,
732
744
  job_id: str,
@@ -1,6 +1,6 @@
1
1
  from ...utils.http_client_async import AsyncHttpClient
2
2
  from ...utils.error_handler import handle_response_error
3
- from ...types import ConcurrencyCheck, CreditUsage, TokenUsage
3
+ from ...types import ConcurrencyCheck, CreditUsage, TokenUsage, CreditUsageHistoricalResponse, TokenUsageHistoricalResponse
4
4
 
5
5
 
6
6
  async def get_concurrency(client: AsyncHttpClient) -> ConcurrencyCheck:
@@ -25,7 +25,12 @@ async def get_credit_usage(client: AsyncHttpClient) -> CreditUsage:
25
25
  if not body.get("success"):
26
26
  raise Exception(body.get("error", "Unknown error"))
27
27
  data = body.get("data", body)
28
- return CreditUsage(remaining_credits=data.get("remainingCredits", data.get("remaining_credits", 0)))
28
+ return CreditUsage(
29
+ remaining_credits=data.get("remainingCredits", data.get("remaining_credits", 0)),
30
+ plan_credits=data.get("planCredits", data.get("plan_credits")),
31
+ billing_period_start=data.get("billingPeriodStart", data.get("billing_period_start")),
32
+ billing_period_end=data.get("billingPeriodEnd", data.get("billing_period_end")),
33
+ )
29
34
 
30
35
 
31
36
  async def get_token_usage(client: AsyncHttpClient) -> TokenUsage:
@@ -37,6 +42,31 @@ async def get_token_usage(client: AsyncHttpClient) -> TokenUsage:
37
42
  raise Exception(body.get("error", "Unknown error"))
38
43
  data = body.get("data", body)
39
44
  return TokenUsage(
40
- remaining_tokens=data.get("remainingTokens", 0)
45
+ remaining_tokens=data.get("remainingTokens", data.get("remaining_tokens", 0)),
46
+ plan_tokens=data.get("planTokens", data.get("plan_tokens")),
47
+ billing_period_start=data.get("billingPeriodStart", data.get("billing_period_start")),
48
+ billing_period_end=data.get("billingPeriodEnd", data.get("billing_period_end")),
41
49
  )
42
50
 
51
+
52
+ async def get_credit_usage_historical(client: AsyncHttpClient, by_api_key: bool = False) -> CreditUsageHistoricalResponse:
53
+ query = "?byApiKey=true" if by_api_key else ""
54
+ resp = await client.get(f"/v2/team/credit-usage/historical{query}")
55
+ if resp.status_code >= 400:
56
+ handle_response_error(resp, "get credit usage historical")
57
+ body = resp.json()
58
+ if not body.get("success"):
59
+ raise Exception(body.get("error", "Unknown error"))
60
+ return CreditUsageHistoricalResponse(**body)
61
+
62
+
63
+ async def get_token_usage_historical(client: AsyncHttpClient, by_api_key: bool = False) -> TokenUsageHistoricalResponse:
64
+ query = "?byApiKey=true" if by_api_key else ""
65
+ resp = await client.get(f"/v2/team/token-usage/historical{query}")
66
+ if resp.status_code >= 400:
67
+ handle_response_error(resp, "get token usage historical")
68
+ body = resp.json()
69
+ if not body.get("success"):
70
+ raise Exception(body.get("error", "Unknown error"))
71
+ return TokenUsageHistoricalResponse(**body)
72
+
@@ -1,5 +1,5 @@
1
1
  from ..utils import HttpClient, handle_response_error
2
- from ..types import ConcurrencyCheck, CreditUsage, TokenUsage
2
+ from ..types import ConcurrencyCheck, CreditUsage, QueueStatusResponse, TokenUsage, CreditUsageHistoricalResponse, TokenUsageHistoricalResponse
3
3
 
4
4
 
5
5
  def get_concurrency(client: HttpClient) -> ConcurrencyCheck:
@@ -24,7 +24,12 @@ def get_credit_usage(client: HttpClient) -> CreditUsage:
24
24
  if not body.get("success"):
25
25
  raise Exception(body.get("error", "Unknown error"))
26
26
  data = body.get("data", body)
27
- return CreditUsage(remaining_credits=data.get("remainingCredits", data.get("remaining_credits", 0)))
27
+ return CreditUsage(
28
+ remaining_credits=data.get("remainingCredits", data.get("remaining_credits", 0)),
29
+ plan_credits=data.get("planCredits", data.get("plan_credits")),
30
+ billing_period_start=data.get("billingPeriodStart", data.get("billing_period_start")),
31
+ billing_period_end=data.get("billingPeriodEnd", data.get("billing_period_end")),
32
+ )
28
33
 
29
34
 
30
35
  def get_token_usage(client: HttpClient) -> TokenUsage:
@@ -36,6 +41,44 @@ def get_token_usage(client: HttpClient) -> TokenUsage:
36
41
  raise Exception(body.get("error", "Unknown error"))
37
42
  data = body.get("data", body)
38
43
  return TokenUsage(
39
- remaining_tokens=data.get("remainingTokens", 0)
44
+ remaining_tokens=data.get("remainingTokens", data.get("remaining_tokens", 0)),
45
+ plan_tokens=data.get("planTokens", data.get("plan_tokens")),
46
+ billing_period_start=data.get("billingPeriodStart", data.get("billing_period_start")),
47
+ billing_period_end=data.get("billingPeriodEnd", data.get("billing_period_end")),
48
+ )
49
+
50
+ def get_queue_status(client: HttpClient) -> QueueStatusResponse:
51
+ resp = client.get("/v2/team/queue-status")
52
+ if not resp.ok:
53
+ handle_response_error(resp, "get queue status")
54
+ body = resp.json()
55
+ if not body.get("success"):
56
+ raise Exception(body.get("error", "Unknown error"))
57
+ data = body.get("data", body)
58
+ return QueueStatusResponse(
59
+ jobs_in_queue=data.get("jobsInQueue", 0),
60
+ active_jobs_in_queue=data.get("activeJobsInQueue", 0),
61
+ waiting_jobs_in_queue=data.get("waitingJobsInQueue", 0),
62
+ max_concurrency=data.get("maxConcurrency", 0),
63
+ most_recent_success=data.get("mostRecentSuccess", None),
40
64
  )
41
65
 
66
+
67
+ def get_credit_usage_historical(client: HttpClient, by_api_key: bool = False) -> CreditUsageHistoricalResponse:
68
+ resp = client.get(f"/v2/team/credit-usage/historical{'?byApiKey=true' if by_api_key else ''}")
69
+ if not resp.ok:
70
+ handle_response_error(resp, "get credit usage historical")
71
+ body = resp.json()
72
+ if not body.get("success"):
73
+ raise Exception(body.get("error", "Unknown error"))
74
+ return CreditUsageHistoricalResponse(**body)
75
+
76
+
77
+ def get_token_usage_historical(client: HttpClient, by_api_key: bool = False) -> TokenUsageHistoricalResponse:
78
+ resp = client.get(f"/v2/team/token-usage/historical{'?byApiKey=true' if by_api_key else ''}")
79
+ if not resp.ok:
80
+ handle_response_error(resp, "get token usage historical")
81
+ body = resp.json()
82
+ if not body.get("success"):
83
+ raise Exception(body.get("error", "Unknown error"))
84
+ return TokenUsageHistoricalResponse(**body)
firecrawl/v2/types.py CHANGED
@@ -480,10 +480,44 @@ class ConcurrencyCheck(BaseModel):
480
480
  class CreditUsage(BaseModel):
481
481
  """Remaining credits for the team/API key."""
482
482
  remaining_credits: int
483
+ plan_credits: Optional[int] = None
484
+ billing_period_start: Optional[str] = None
485
+ billing_period_end: Optional[str] = None
483
486
 
484
487
  class TokenUsage(BaseModel):
485
488
  """Recent token usage metrics (if available)."""
486
489
  remaining_tokens: int
490
+ plan_tokens: Optional[int] = None
491
+ billing_period_start: Optional[str] = None
492
+ billing_period_end: Optional[str] = None
493
+
494
+ class QueueStatusResponse(BaseModel):
495
+ """Metrics about the team's scrape queue."""
496
+ jobs_in_queue: int
497
+ active_jobs_in_queue: int
498
+ waiting_jobs_in_queue: int
499
+ max_concurrency: int
500
+ most_recent_success: Optional[datetime] = None
501
+
502
+ class CreditUsageHistoricalPeriod(BaseModel):
503
+ startDate: Optional[str] = None
504
+ endDate: Optional[str] = None
505
+ apiKey: Optional[str] = None
506
+ creditsUsed: int
507
+
508
+ class CreditUsageHistoricalResponse(BaseModel):
509
+ success: bool
510
+ periods: List[CreditUsageHistoricalPeriod]
511
+
512
+ class TokenUsageHistoricalPeriod(BaseModel):
513
+ startDate: Optional[str] = None
514
+ endDate: Optional[str] = None
515
+ apiKey: Optional[str] = None
516
+ tokensUsed: int
517
+
518
+ class TokenUsageHistoricalResponse(BaseModel):
519
+ success: bool
520
+ periods: List[TokenUsageHistoricalPeriod]
487
521
 
488
522
  # Action types
489
523
  class WaitAction(BaseModel):
@@ -1,6 +1,6 @@
1
1
  Metadata-Version: 2.4
2
2
  Name: firecrawl
3
- Version: 4.1.1
3
+ Version: 4.3.0
4
4
  Summary: Python SDK for Firecrawl API
5
5
  Home-page: https://github.com/firecrawl/firecrawl
6
6
  Author: Mendable.ai
@@ -1,4 +1,4 @@
1
- firecrawl/__init__.py,sha256=PTxLZcB2UvYQVIzsA-XrGsaQamCdRO4yU96eKWMEwIs,2192
1
+ firecrawl/__init__.py,sha256=Lrk_X9oaNHYEYdzuPTdwX7kjhfoZbVCsyEd4wd9Qi5Q,2192
2
2
  firecrawl/client.py,sha256=tp3mUo_3aGPuZ53kpU4bhM-5EtwD_IUWrJ7wm0GMuCc,11159
3
3
  firecrawl/firecrawl.backup.py,sha256=v1FEN3jR4g5Aupg4xp6SLkuFvYMQuUKND2YELbYjE6c,200430
4
4
  firecrawl/types.py,sha256=W9N2pqQuevEIIjYHN9rbDf31E-nwdCECqIn11Foz2T8,2836
@@ -42,11 +42,11 @@ firecrawl/__tests__/unit/v2/methods/aio/test_ensure_async.py,sha256=pUwuWhRbVUTb
42
42
  firecrawl/__tests__/unit/v2/utils/test_validation.py,sha256=E4n4jpBhH_W7E0ikI5r8KMAKiOhbfGD3i_B8-dv3PlI,10803
43
43
  firecrawl/__tests__/unit/v2/watcher/test_ws_watcher.py,sha256=87w47n0iOihtu4jTR4-4rw1-xVKWmLg2BOBGxjQPnUk,9517
44
44
  firecrawl/v1/__init__.py,sha256=aP1oisPeZVGGZynvENc07JySMOZfv_4zAlxQ0ecMJXA,481
45
- firecrawl/v1/client.py,sha256=sydurfEFTsXyowyaGryA1lkPxN_r9Nf6iQpM43OwJyM,201672
45
+ firecrawl/v1/client.py,sha256=33o_sPOyPsRfM1j2PUiKTkvbnPCkmL7-Ou54D1sx-rE,207710
46
46
  firecrawl/v2/__init__.py,sha256=Jc6a8tBjYG5OPkjDM5pl-notyys-7DEj7PLEfepv3fc,137
47
- firecrawl/v2/client.py,sha256=AMAHQ8Uz9bsEIy2vmIDNNUIT0FOivhLyj6lesEr1Rbg,31260
47
+ firecrawl/v2/client.py,sha256=aEISMnyKKzh5jcrLdpkC3WCZ7cMWj5vo1Gk7ljc9gwk,31821
48
48
  firecrawl/v2/client_async.py,sha256=XyzojIJlWatBGlAMish22H-XHkkH9zHsD6MGtAdtFg8,10487
49
- firecrawl/v2/types.py,sha256=aD_q4wVUksZKyKifYn1lbNgZeSPAZjAIxa1lPwEKckU,23266
49
+ firecrawl/v2/types.py,sha256=itKhycxDQ9a3wltK28qFLxLVVvsvb5APoS1kOiiS8ac,24341
50
50
  firecrawl/v2/watcher.py,sha256=FOU71tqSKxgeuGycu4ye0SLc2dw7clIcoQjPsi-4Csc,14229
51
51
  firecrawl/v2/watcher_async.py,sha256=AVjW2mgABniolSsauK4u0FW8ya6WzRUdyEg2R-8vGCw,10278
52
52
  firecrawl/v2/methods/batch.py,sha256=jFSIPtvulUrPz3Y3zT1gDNwYEf8Botpfh4GOeYsVYRI,14852
@@ -55,7 +55,7 @@ firecrawl/v2/methods/extract.py,sha256=-Jr4BtraU3b7hd3JIY73V-S69rUclxyXyUpoQb6DC
55
55
  firecrawl/v2/methods/map.py,sha256=4SADb0-lkbdOWDmO6k8_TzK0yRti5xsN40N45nUl9uA,2592
56
56
  firecrawl/v2/methods/scrape.py,sha256=CSHBwC-P91UfrW3zHirjNAs2h899FKcWvd1DY_4fJdo,1921
57
57
  firecrawl/v2/methods/search.py,sha256=6BKiQ1aKJjWBKm9BBtKxFKGD74kCKBeMIp_OgjcDFAw,7673
58
- firecrawl/v2/methods/usage.py,sha256=OJlkxwaB-AAtgO3WLr9QiqBRmjdh6GVhroCgleegupQ,1460
58
+ firecrawl/v2/methods/usage.py,sha256=NqkmFd-ziw8ijbZxwaxjxZHl85u0LTe_TYqr_NGWFwE,3693
59
59
  firecrawl/v2/methods/aio/__init__.py,sha256=RocMJnGwnLIvGu3G8ZvY8INkipC7WHZiu2bE31eSyJs,35
60
60
  firecrawl/v2/methods/aio/batch.py,sha256=4Uj05ffpMhQA2J_mkvHYYogdXb0IgbKGbomO43b4m94,6741
61
61
  firecrawl/v2/methods/aio/crawl.py,sha256=j2Tb2AcGsT6bCiUbB2yjrfvGZqkinUt0tU-SzWmB7Jw,11551
@@ -63,7 +63,7 @@ firecrawl/v2/methods/aio/extract.py,sha256=IfNr2ETqt4dR73JFzrEYI4kk5vpKnJOG0BmPE
63
63
  firecrawl/v2/methods/aio/map.py,sha256=EuT-5A0cQr_e5SBfEZ6pnl8u0JUwEEvSwhyT2N-QoKU,2326
64
64
  firecrawl/v2/methods/aio/scrape.py,sha256=ilA9qco8YGwCFpE0PN1XBQUyuHPQwH2QioZ-xsfxhgU,1386
65
65
  firecrawl/v2/methods/aio/search.py,sha256=_TqTFGQLlOCCLNdWcOvakTqPGD2r9AOlBg8RasOgmvw,6177
66
- firecrawl/v2/methods/aio/usage.py,sha256=OtBi6X-aT09MMR2dpm3vBCm9JrJZIJLCQ8jJ3L7vie4,1606
66
+ firecrawl/v2/methods/aio/usage.py,sha256=qM5PsPuA_N1pUTnZF4Raq4VkBf_XCMSQdhOJBFFs17k,3239
67
67
  firecrawl/v2/utils/__init__.py,sha256=i1GgxySmqEXpWSBQCu3iZBPIJG7fXj0QXCDWGwerWNs,338
68
68
  firecrawl/v2/utils/error_handler.py,sha256=Iuf916dHphDY8ObNNlWy75628DFeJ0Rv8ljRp4LttLE,4199
69
69
  firecrawl/v2/utils/get_version.py,sha256=0CxW_41q2hlzIxEWOivUCaYw3GFiSIH32RPUMcIgwAY,492
@@ -71,10 +71,10 @@ firecrawl/v2/utils/http_client.py,sha256=gUrC1CvU5sj03w27Lbq-3-yH38Yi_OXiI01-piw
71
71
  firecrawl/v2/utils/http_client_async.py,sha256=iy89_bk2HS3afSRHZ8016eMCa9Fk-5MFTntcOHfbPgE,1936
72
72
  firecrawl/v2/utils/normalize.py,sha256=nlTU6QRghT1YKZzNZlIQj4STSRuSUGrS9cCErZIcY5w,3636
73
73
  firecrawl/v2/utils/validation.py,sha256=qWWiWaVcvODmVxf9rxIVy1j_dyuJCvdMMUoYhvWUEIU,15269
74
- firecrawl-4.1.1.dist-info/licenses/LICENSE,sha256=nPCunEDwjRGHlmjvsiDUyIWbkqqyj3Ej84ntnh0g0zA,1084
74
+ firecrawl-4.3.0.dist-info/licenses/LICENSE,sha256=nPCunEDwjRGHlmjvsiDUyIWbkqqyj3Ej84ntnh0g0zA,1084
75
75
  tests/test_change_tracking.py,sha256=_IJ5ShLcoj2fHDBaw-nE4I4lHdmDB617ocK_XMHhXps,4177
76
76
  tests/test_timeout_conversion.py,sha256=PWlIEMASQNhu4cp1OW_ebklnE9NCiigPnEFCtI5N3w0,3996
77
- firecrawl-4.1.1.dist-info/METADATA,sha256=D6H49PROhKlcEYd-216G5QQ1DlXLutq6SQv876cKivg,7392
78
- firecrawl-4.1.1.dist-info/WHEEL,sha256=_zCd3N1l69ArxyTb8rzEoP9TpbYXkqRFSNOD5OuxnTs,91
79
- firecrawl-4.1.1.dist-info/top_level.txt,sha256=8T3jOaSN5mtLghO-R3MQ8KO290gIX8hmfxQmglBPdLE,16
80
- firecrawl-4.1.1.dist-info/RECORD,,
77
+ firecrawl-4.3.0.dist-info/METADATA,sha256=xWtTodBOtFYrrFuKAOC7i657fmT45ZtpRXyNWd7i7mU,7392
78
+ firecrawl-4.3.0.dist-info/WHEEL,sha256=_zCd3N1l69ArxyTb8rzEoP9TpbYXkqRFSNOD5OuxnTs,91
79
+ firecrawl-4.3.0.dist-info/top_level.txt,sha256=8T3jOaSN5mtLghO-R3MQ8KO290gIX8hmfxQmglBPdLE,16
80
+ firecrawl-4.3.0.dist-info/RECORD,,