webscout 4.4__py3-none-any.whl → 4.6__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 webscout might be problematic. Click here for more details.

webscout/websx_search.py CHANGED
@@ -1,370 +1,19 @@
1
- from __future__ import annotations
2
-
3
- import os
4
- from typing import Any, Dict, Optional
5
- import json
6
- from typing import Any, Dict, List, Optional
7
-
8
- import aiohttp
9
1
  import requests
10
- from importlib import metadata
11
-
12
- try:
13
- from pydantic.v1 import *
14
- except ImportError:
15
- from pydantic import *
16
-
17
-
18
- try:
19
- _PYDANTIC_MAJOR_VERSION: int = int(metadata.version("pydantic").split(".")[0])
20
- except metadata.PackageNotFoundError:
21
- _PYDANTIC_MAJOR_VERSION = 0
22
-
23
-
24
-
25
-
26
- def env_var_is_set(env_var: str) -> bool:
27
- """Check if an environment variable is set.
28
-
29
- Args:
30
- env_var (str): The name of the environment variable.
31
-
32
- Returns:
33
- bool: True if the environment variable is set, False otherwise.
34
- """
35
- return env_var in os.environ and os.environ[env_var] not in (
36
- "",
37
- "0",
38
- "false",
39
- "False",
40
- )
41
-
42
-
43
- def get_from_dict_or_env(
44
- data: Dict[str, Any], key: str, env_key: str, default: Optional[str] = None
45
- ) -> str:
46
- """Get a value from a dictionary or an environment variable."""
47
- if key in data and data[key]:
48
- return data[key]
49
- else:
50
- return get_from_env(key, env_key, default=default)
51
-
52
-
53
- def get_from_env(key: str, env_key: str, default: Optional[str] = None) -> str:
54
- """Get a value from a dictionary or an environment variable."""
55
- if env_key in os.environ and os.environ[env_key]:
56
- return os.environ[env_key]
57
- elif default is not None:
58
- return default
59
- else:
60
- raise ValueError(
61
- f"Did not find {key}, please add an environment variable"
62
- f" `{env_key}` which contains it, or pass"
63
- f" `{key}` as a named parameter."
64
- )
65
-
66
-
67
- def _get_default_params() -> dict:
68
- return {"language": "en", "format": "json"}
69
-
70
-
71
- class WEBSXResults(dict):
72
- """Dict like wrapper around search api results."""
73
-
74
- _data: str = ""
75
-
76
- def __init__(self, data: str):
77
- """Take a raw result from WEBSX and make it into a dict like object."""
78
- json_data = json.loads(data)
79
- super().__init__(json_data)
80
- self.__dict__ = self
81
-
82
- def __str__(self) -> str:
83
- """Text representation of WEBSX result."""
84
- return self._data
85
-
86
- @property
87
- def results(self) -> Any:
88
- """Silence mypy for accessing this field.
89
-
90
- :meta private:
91
- """
92
- return self.get("results")
93
-
94
- @property
95
- def answers(self) -> Any:
96
- """Helper accessor on the json result."""
97
- return self.get("answers")
98
-
99
-
100
- class WEBSX(BaseModel):
101
-
102
- _result: WEBSXResults = PrivateAttr()
103
- WEBSX_host: str = "https://8080-01j06maryf9vpw2mm2afqkypps.cloudspaces.litng.ai/"
104
- unsecure: bool = False
105
- params: dict = Field(default_factory=_get_default_params)
106
- headers: Optional[dict] = None
107
- engines: Optional[List[str]] = []
108
- categories: Optional[List[str]] = []
109
- query_suffix: Optional[str] = ""
110
- k: int = 10
111
- aiosession: Optional[Any] = None
112
-
113
- @validator("unsecure")
114
- def disable_ssl_warnings(cls, v: bool) -> bool:
115
- """Disable SSL warnings."""
116
- if v:
117
- # requests.urllib3.disable_warnings()
118
- try:
119
- import urllib3
120
-
121
- urllib3.disable_warnings()
122
- except ImportError as e:
123
- print(e) # noqa: T201
124
-
125
- return v
126
-
127
- @root_validator()
128
- def validate_params(cls, values: Dict) -> Dict:
129
- """Validate that custom WEBSX params are merged with default ones."""
130
- user_params = values["params"]
131
- default = _get_default_params()
132
- values["params"] = {**default, **user_params}
133
-
134
- engines = values.get("engines")
135
- if engines:
136
- values["params"]["engines"] = ",".join(engines)
137
-
138
- categories = values.get("categories")
139
- if categories:
140
- values["params"]["categories"] = ",".join(categories)
141
-
142
- WEBSX_host = get_from_dict_or_env(values, "WEBSX_host", "WEBSX_HOST")
143
- if not WEBSX_host.startswith("http"):
144
- print( # noqa: T201
145
- f"Warning: missing the url scheme on host \
146
- ! assuming secure https://{WEBSX_host} "
147
- )
148
- WEBSX_host = "https://" + WEBSX_host
149
- elif WEBSX_host.startswith("http://"):
150
- values["unsecure"] = True
151
- cls.disable_ssl_warnings(True)
152
- values["WEBSX_host"] = WEBSX_host
153
-
154
- return values
155
-
156
- class Config:
157
- """Configuration for this pydantic object."""
158
-
159
- extra = Extra.forbid
160
-
161
- def _WEBSX_api_query(self, params: dict) -> WEBSXResults:
162
- """Actual request to WEBSX API."""
163
- raw_result = requests.get(
164
- self.WEBSX_host,
165
- headers=self.headers,
166
- params=params,
167
- verify=not self.unsecure,
168
- )
169
- # test if http result is ok
170
- if not raw_result.ok:
171
- raise ValueError("WEBSX API returned an error: ", raw_result.text)
172
- res = WEBSXResults(raw_result.text)
173
- self._result = res
174
- return res
175
-
176
- async def _aWEBSX_api_query(self, params: dict) -> WEBSXResults:
177
- if not self.aiosession:
178
- async with aiohttp.ClientSession() as session:
179
- async with session.get(
180
- self.WEBSX_host,
181
- headers=self.headers,
182
- params=params,
183
- ssl=(lambda: False if self.unsecure else None)(),
184
- ) as response:
185
- if not response.ok:
186
- raise ValueError("WEBSX API returned an error: ", response.text)
187
- result = WEBSXResults(await response.text())
188
- self._result = result
189
- else:
190
- async with self.aiosession.get(
191
- self.WEBSX_host,
192
- headers=self.headers,
193
- params=params,
194
- verify=not self.unsecure,
195
- ) as response:
196
- if not response.ok:
197
- raise ValueError("WEBSX API returned an error: ", response.text)
198
- result = WEBSXResults(await response.text())
199
- self._result = result
200
-
201
- return result
202
-
203
- def run(
204
- self,
205
- query: str,
206
- engines: Optional[List[str]] = None,
207
- categories: Optional[List[str]] = None,
208
- query_suffix: Optional[str] = "",
209
- **kwargs: Any,
210
- ) -> str:
211
- _params = {
212
- "q": query,
213
- }
214
- params = {**self.params, **_params, **kwargs}
215
-
216
- if self.query_suffix and len(self.query_suffix) > 0:
217
- params["q"] += " " + self.query_suffix
218
-
219
- if isinstance(query_suffix, str) and len(query_suffix) > 0:
220
- params["q"] += " " + query_suffix
221
-
222
- if isinstance(engines, list) and len(engines) > 0:
223
- params["engines"] = ",".join(engines)
224
-
225
- if isinstance(categories, list) and len(categories) > 0:
226
- params["categories"] = ",".join(categories)
227
-
228
- res = self._WEBSX_api_query(params)
229
-
230
- if len(res.answers) > 0:
231
- toret = res.answers[0]
232
-
233
- # only return the content of the results list
234
- elif len(res.results) > 0:
235
- toret = "\n\n".join([r.get("content", "") for r in res.results[: self.k]])
236
- else:
237
- toret = "No good search result found"
238
-
239
- return toret
240
-
241
- async def arun(
242
- self,
243
- query: str,
244
- engines: Optional[List[str]] = None,
245
- query_suffix: Optional[str] = "",
246
- **kwargs: Any,
247
- ) -> str:
248
- """Asynchronously version of `run`."""
249
- _params = {
250
- "q": query,
251
- }
252
- params = {**self.params, **_params, **kwargs}
253
-
254
- if self.query_suffix and len(self.query_suffix) > 0:
255
- params["q"] += " " + self.query_suffix
256
-
257
- if isinstance(query_suffix, str) and len(query_suffix) > 0:
258
- params["q"] += " " + query_suffix
259
-
260
- if isinstance(engines, list) and len(engines) > 0:
261
- params["engines"] = ",".join(engines)
262
-
263
- res = await self._aWEBSX_api_query(params)
264
-
265
- if len(res.answers) > 0:
266
- toret = res.answers[0]
267
-
268
- # only return the content of the results list
269
- elif len(res.results) > 0:
270
- toret = "\n\n".join([r.get("content", "") for r in res.results[: self.k]])
271
- else:
272
- toret = "No good search result found"
273
-
274
- return toret
275
-
276
- def results(
277
- self,
278
- query: str,
279
- num_results: int,
280
- engines: Optional[List[str]] = None,
281
- categories: Optional[List[str]] = None,
282
- query_suffix: Optional[str] = "",
283
- **kwargs: Any,
284
- ) -> List[Dict]:
285
- """Run query through WEBSX API and returns the results with metadata.
286
-
287
- Args:
288
- query: The query to search for.
289
- query_suffix: Extra suffix appended to the query.
290
- num_results: Limit the number of results to return.
291
- engines: List of engines to use for the query.
292
- categories: List of categories to use for the query.
293
- **kwargs: extra parameters to pass to the WEBSX API.
294
-
295
- Returns:
296
- Dict with the following keys:
297
- {
298
- snippet: The description of the result.
299
- title: The title of the result.
300
- link: The link to the result.
301
- engines: The engines used for the result.
302
- category: WEBSX category of the result.
303
- }
304
-
305
- """
306
- _params = {
307
- "q": query,
308
- }
309
- params = {**self.params, **_params, **kwargs}
310
- if self.query_suffix and len(self.query_suffix) > 0:
311
- params["q"] += " " + self.query_suffix
312
- if isinstance(query_suffix, str) and len(query_suffix) > 0:
313
- params["q"] += " " + query_suffix
314
- if isinstance(engines, list) and len(engines) > 0:
315
- params["engines"] = ",".join(engines)
316
- if isinstance(categories, list) and len(categories) > 0:
317
- params["categories"] = ",".join(categories)
318
- results = self._WEBSX_api_query(params).results[:num_results]
319
- if len(results) == 0:
320
- return [{"Result": "No good Search Result was found"}]
321
-
322
- return [
323
- {
324
- "snippet": result.get("content", ""),
325
- "title": result["title"],
326
- "link": result["url"],
327
- "engines": result["engines"],
328
- "category": result["category"],
329
- }
330
- for result in results
331
- ]
332
-
333
- async def aresults(
334
- self,
335
- query: str,
336
- num_results: int,
337
- engines: Optional[List[str]] = None,
338
- query_suffix: Optional[str] = "",
339
- **kwargs: Any,
340
- ) -> List[Dict]:
341
- """Asynchronously query with json results.
342
-
343
- Uses aiohttp. See `results` for more info.
344
- """
345
- _params = {
346
- "q": query,
347
- }
348
- params = {**self.params, **_params, **kwargs}
349
-
350
- if self.query_suffix and len(self.query_suffix) > 0:
351
- params["q"] += " " + self.query_suffix
352
- if isinstance(query_suffix, str) and len(query_suffix) > 0:
353
- params["q"] += " " + query_suffix
354
- if isinstance(engines, list) and len(engines) > 0:
355
- params["engines"] = ",".join(engines)
356
- results = (await self._aWEBSX_api_query(params)).results[:num_results]
357
- if len(results) == 0:
358
- return [{"Result": "No good Search Result was found"}]
359
-
360
- return [
361
- {
362
- "snippet": result.get("content", ""),
363
- "title": result["title"],
364
- "link": result["url"],
365
- "engines": result["engines"],
366
- "category": result["category"],
367
- }
368
- for result in results
369
- ]
370
-
2
+ from rich import print
3
+
4
+ def WEBSX(query):
5
+ url = 'https://searx.bnngpt.com/api/v1/scrape/'
6
+ data = {'query': query}
7
+ response = requests.post(url, data=data)
8
+ responses = response.json().get('responses')
9
+ return responses
10
+
11
+ if __name__ == "__main__":
12
+ # Example search query
13
+ search_query = "Python development tools"
14
+
15
+ # Call the WEBSX function with the search query
16
+ result = WEBSX(search_query)
17
+
18
+ # Pretty-print the JSON response
19
+ print(result)
@@ -1,6 +1,6 @@
1
1
  Metadata-Version: 2.1
2
2
  Name: webscout
3
- Version: 4.4
3
+ Version: 4.6
4
4
  Summary: Search for anything using Google, DuckDuckGo, brave, qwant, phind.com, Contains AI models, can transcribe yt videos, temporary email and phone number generation, has TTS support, webai (terminal gpt and open interpreter) and offline LLMs and more
5
5
  Author: OEvortex
6
6
  Author-email: helpingai5@gmail.com
@@ -61,6 +61,7 @@ Requires-Dist: PyExecJS
61
61
  Requires-Dist: ollama
62
62
  Requires-Dist: pyfiglet
63
63
  Requires-Dist: yaspin
64
+ Requires-Dist: pillow
64
65
  Provides-Extra: dev
65
66
  Requires-Dist: ruff >=0.1.6 ; extra == 'dev'
66
67
  Requires-Dist: pytest >=7.4.2 ; extra == 'dev'
@@ -742,30 +743,11 @@ with WEBS() as WEBS:
742
743
  ## usage of WEBSX -- Another Websearch thing
743
744
  ```python
744
745
  from webscout import WEBSX
746
+ s = "Python development tools"
745
747
 
746
- def main():
747
- # Initialize the WEBSX client
748
- search = WEBSX(
749
- k=10,
750
- )
751
-
752
- # Example using `run` method - Get a summary
753
- query = "What is the capital of France?"
754
- answer = search.run(query)
755
- print(f"Answer: {answer}\n")
756
-
757
- # Example using `results` method - Get detailed results with metadata
758
- query = "What is the capital of France?"
759
- results = search.results(query, num_results=3)
760
- print("Search Results:")
761
- for result in results:
762
- print(f"Title: {result['title']}")
763
- print(f"Snippet: {result['snippet']}")
764
- print(f"Link: {result['link']}\n")
765
- print(f'Engines: {result["engines"]}')
748
+ result = WEBSX(s)
766
749
 
767
- if __name__ == "__main__":
768
- main()
750
+ print(result)
769
751
  ```
770
752
  ## ALL acts
771
753
  <details>
@@ -1028,7 +1010,7 @@ ___
1028
1010
  ### 0. `Duckchat` - chat with LLM
1029
1011
  ```python
1030
1012
  from webscout import WEBS as w
1031
- R = w().chat("hello", model='claude-3-haiku') # GPT-3.5 Turbo, mixtral-8x7b, llama-3-70b, claude-3-haiku
1013
+ R = w().chat("Who are you", model='gpt-4o-mini') # GPT-3.5 Turbo, mixtral-8x7b, llama-3-70b, claude-3-haiku, gpt-4o-mini
1032
1014
  print(R)
1033
1015
  ```
1034
1016
  ### 1. `PhindSearch` - Search using Phind.com
@@ -1387,7 +1369,7 @@ from rich import print
1387
1369
 
1388
1370
  ai = DeepSeek(
1389
1371
  is_conversation=True,
1390
- api_key='', # Watch this video https://youtu.be/Euin6p5Ryks?si=-84JBtyqGwMzvdIq to know from where u can get this key for free
1372
+ api_key='23bfff080d38429c9fbbf3c76f88454c',
1391
1373
  max_tokens=800,
1392
1374
  timeout=30,
1393
1375
  intro=None,
@@ -1399,18 +1381,12 @@ ai = DeepSeek(
1399
1381
  model="deepseek_chat"
1400
1382
  )
1401
1383
 
1402
- # Start an infinite loop for continuous interaction
1403
- while True:
1404
- # Define a prompt to send to the AI
1405
- prompt = input("Enter your prompt: ")
1406
-
1407
- # Check if the user wants to exit the loop
1408
- if prompt.lower() == "exit":
1409
- break
1410
-
1411
- # Use the 'chat' method to send the prompt and receive a response
1412
- r = ai.chat(prompt)
1413
- print(r)
1384
+
1385
+ # Define a prompt to send to the AI
1386
+ prompt = "Tell me about india"
1387
+ # Use the 'chat' method to send the prompt and receive a response
1388
+ r = ai.chat(prompt)
1389
+ print(r)
1414
1390
  ```
1415
1391
  ### 18. `Deepinfra`
1416
1392
  ```python
@@ -1505,7 +1481,15 @@ llama = LLAMA()
1505
1481
  r = llama.chat("What is the meaning of life?")
1506
1482
  print(r)
1507
1483
  ```
1484
+ ### 25. AndiSearch
1485
+ ```python
1486
+ from webscout import AndiSearch
1487
+ a = AndiSearch()
1488
+ print(a.chat("HelpingAI-9B"))
1489
+ ```
1508
1490
 
1491
+ ### 25. LLAMA3, pizzagpt, RUBIKSAI, Koala, Darkai
1492
+ code similar to other providers
1509
1493
  ### `LLM`
1510
1494
  ```python
1511
1495
  from webscout.LLM import LLM
@@ -1,11 +1,11 @@
1
1
  webscout/AIauto.py,sha256=gC01wLPpnqONf9DwKqkmbC_gIWo5Lh5V8YPu4OmYnhE,19923
2
2
  webscout/AIbase.py,sha256=GoHbN8r0gq2saYRZv6LA-Fr9Jlcjv80STKFXUq2ZeGU,4710
3
- webscout/AIutel.py,sha256=1NQAchS2e6c1SrIq0efsVtX3ANZ5XI1hjKVHGpJG7OU,34076
3
+ webscout/AIutel.py,sha256=e1RbQHMMPL_sB_P_lNk8DKWDNiTGteMiCK-_uUKagbw,34248
4
4
  webscout/DWEBS.py,sha256=QLuT1IKu0lnwdl7W6c-ctBAO7Jj0Zk3PYm6-13BC7rU,25740
5
5
  webscout/GoogleS.py,sha256=dW_iArNTyFT5MWBEI1HQvqf-Noj3uJeJA_Eods8D4ms,11587
6
6
  webscout/LLM.py,sha256=LbGCZdJf8A5dwfoGS4tyy39tAh5BDdhMZP0ScKaaQfU,4184
7
7
  webscout/YTdownloader.py,sha256=uWpUWnw9pxeEGw9KJ_3XDyQ5gd38gH1dJpr-HJo4vzU,39144
8
- webscout/__init__.py,sha256=teSwl1Gx50AfNu7OibwZrltsErbRDcUuD7W5oAjIc7M,2257
8
+ webscout/__init__.py,sha256=NK2atRuAg26zcT1g5bkwOwPDZyBbTud1mjbrDexjvhI,2282
9
9
  webscout/__main__.py,sha256=ZtTRgsRjUi2JOvYFLF1ZCh55Sdoz94I-BS-TlJC7WDU,126
10
10
  webscout/async_providers.py,sha256=MRj0klEhBYVQXnzZGG_15d0e-TPA0nOc2nn735H-wR4,622
11
11
  webscout/cli.py,sha256=RlBKeS9CSIsiBMqlzxevWtKjbY9htkZvA7J0bM_hHE8,14999
@@ -15,15 +15,18 @@ webscout/models.py,sha256=5iQIdtedT18YuTZ3npoG7kLMwcrKwhQ7928dl_7qZW0,692
15
15
  webscout/tempid.py,sha256=5oc3UbXhPGKxrMRTfRABT-V-dNzH_hOKWtLYM6iCWd4,5896
16
16
  webscout/transcriber.py,sha256=EddvTSq7dPJ42V3pQVnGuEiYQ7WjJ9uyeR9kMSxN7uY,20622
17
17
  webscout/utils.py,sha256=2O8_lftBKsv5OEvVaXCN-h0sipup0m3jxzhFdWQrdY8,2873
18
- webscout/version.py,sha256=Pp5thQN3CvwDpubKz9MHn-UvDhuocamnBfB2VckwBGI,44
19
- webscout/voice.py,sha256=0QjXTHAQmCK07IDZXRc7JXem47cnPJH7u3X0sVP1-UQ,967
20
- webscout/webai.py,sha256=32mRZqAGCOSCeyfAMzqac-94r2RD5_SWUxfh4QjZ95M,89037
21
- webscout/webscout_search.py,sha256=lYrsPVB4QdSGJl4zehvSmGxK61xBAZ2dZGCmuN3ar2w,43686
18
+ webscout/version.py,sha256=KMQp1OFSXS2c5ktgRbsGATEX6rfWibjyO1pA1IvlI2g,44
19
+ webscout/voice.py,sha256=AHyeb3D8rYuAa-zBJsuMDgHq_Zvi98ROMKAUnEsKldo,1169
20
+ webscout/webai.py,sha256=MyKfQ7QftSQGX8iBlQrcNZcn23bf8wSdwCIZnY6LpTI,90162
21
+ webscout/webscout_search.py,sha256=evbJPy8vG2YgBuUwyHaOkinIdVlgM-esvjVOvy6N8jY,43729
22
22
  webscout/webscout_search_async.py,sha256=dooKGwLm0cwTml55Vy6NHPPY-nymEqX2h8laX94Zg5A,14537
23
- webscout/websx_search.py,sha256=n-qVwiHozJEF-GFRPcAfh4k1d_tscTmDe1dNL-1ngcU,12094
23
+ webscout/websx_search.py,sha256=5hfkkmGFhyQzojUpvMzIOJ3DBZIBNS90UReaacsfu6s,521
24
+ webscout/Agents/Onlinesearcher.py,sha256=GzF2JcMfj07d74mxQEoaxwtxahgLHl3b_ugTbXjOwq4,7113
25
+ webscout/Agents/__init__.py,sha256=VbGyW5pulh3LRqbVTv54n5TwWsrTqOANRioG18xtdJ0,58
26
+ webscout/Agents/functioncall.py,sha256=5Nfmh8gmFOs7ZV7jJgZElZlJhi7hHrhxbITgLT7UpeI,5242
24
27
  webscout/Extra/__init__.py,sha256=GG1qUwS-HspT4TeeAIT4qFpM8PaO1ZdQhpelctaM7Rs,99
25
28
  webscout/Extra/autollama.py,sha256=8lyodIWAgJABzlMMHytlolPCgvUKh8ynkZD6MMEltXs,5970
26
- webscout/Extra/gguf.py,sha256=3QzQIClcVoHyAeb60xxv4msJudC2Maf41StdbzAq1bk,7009
29
+ webscout/Extra/gguf.py,sha256=RvSp7xuaD6epAA9iAzthUnAQ3HA5N-svMyKUadAVnw8,7009
27
30
  webscout/Extra/weather.py,sha256=wdSrQxZRpbNfyaux0BeLdaDWyde5KwxZjSUM13820X0,2460
28
31
  webscout/Extra/weather_ascii.py,sha256=Aed-_EUzvTEjBXbOpNRxkJBLa6fXsclknXP06HnQD18,808
29
32
  webscout/Local/__init__.py,sha256=RN6klpbabPGNX2YzPm_hdeUcQvieUwvJt22uAO2RKSM,238
@@ -34,13 +37,15 @@ webscout/Local/rawdog.py,sha256=ojY_O8Vb1KvR34OwWdfLgllgaAK_7HMf64ElMATvCXs,3668
34
37
  webscout/Local/samplers.py,sha256=qXwU4eLXER-2aCYzcJcTgA6BeFmi5GMpTDUX1C9pTN4,4372
35
38
  webscout/Local/thread.py,sha256=Lyf_N2CaGAn2usSWSiUXLPAgpWub8vUu_tgFgtnvZVA,27408
36
39
  webscout/Local/utils.py,sha256=CSt9IqHhVGk_nJEnKvSFbLhC5nNf01e0MtwpgMmF9pA,6197
37
- webscout/Provider/BasedGPT.py,sha256=LhC9WdRXhmzPEUaCYTNQF9CRFqhH4BeV1KtVf-B_Hc8,8416
40
+ webscout/Provider/Andi.py,sha256=y7Y9sC83NeMvK3MheROFoMttrFs9nGwjYaLNLPZMGCQ,10485
41
+ webscout/Provider/BasedGPT.py,sha256=c03PWIsDbG98XD7EOKYmuxaaevOAcYmkRFSB2fYj4MU,8683
38
42
  webscout/Provider/Berlin4h.py,sha256=zMpmWmdFCbcE3UWB-F9xbbTWZTfx4GnjnRf6sDoaiC0,8552
39
- webscout/Provider/Blackboxai.py,sha256=HUk0moEGsgGvidD1LF9tbfaKdx7bPnGU_SrYPdcfHU8,17182
43
+ webscout/Provider/Blackboxai.py,sha256=ywq3PFDmogYzyNm12cdXyndaC3mL80mU-17zeB-y1vE,17154
40
44
  webscout/Provider/ChatGPTUK.py,sha256=qmuCb_a71GNE5LelOb5AKJUBndvj7soebiNey4VdDvE,8570
41
45
  webscout/Provider/Cohere.py,sha256=IXnRosYOaMAA65nvsKmN6ZkJGSdZFYQYBidzuNaCqX8,8711
46
+ webscout/Provider/DARKAI.py,sha256=dbTX6dpS_13bX7AfOMUyDdhLNQJIpB7mTs_28hDuPXE,8538
42
47
  webscout/Provider/Deepinfra.py,sha256=kVnWARJdEtIeIsZwGw3POq8B2dO87bDcJso3uOeCeOA,18750
43
- webscout/Provider/Deepseek.py,sha256=pnOB44ObuOfAsoi_bUGUvha3tfwd0rTJ9rnX-14QkL4,10550
48
+ webscout/Provider/Deepseek.py,sha256=IYJHZsM3ezhwzn4Wg1Ms-ZDyMH71Frtnfi3XZxGQpuw,8691
44
49
  webscout/Provider/FreeGemini.py,sha256=GbTJEG09vs5IKWKy9FqHBvDNKVq-HdMexOplctpb0RI,6426
45
50
  webscout/Provider/Gemini.py,sha256=_4DHWvlWuNAmVHPwHB1RjmryjTZZCthLa6lvPEHLvkQ,8451
46
51
  webscout/Provider/Geminiflash.py,sha256=1kMPA-ypi1gmJoms606Z7j_51znpdofM2aAyo4Hl7wU,5951
@@ -49,22 +54,26 @@ webscout/Provider/Groq.py,sha256=QfgP3hKUcqq5vUA4Pzuu3HAgpJkKwLWNjjsnxtkCYd8,210
49
54
  webscout/Provider/Koboldai.py,sha256=KwWx2yPlvT9BGx37iNvSbgzWkJ9I8kSOmeg7sL1hb0M,15806
50
55
  webscout/Provider/Leo.py,sha256=wbuDR-vFjLptfRC6yDlk74tINqNvCOzpISsK92lIgGg,19987
51
56
  webscout/Provider/Llama.py,sha256=F_srqtdo6ws03tnEaetZOfDolXrQEnLZaIxmQaY_tJQ,8052
57
+ webscout/Provider/Llama3.py,sha256=HIDLC2uYHOF-8D0XjOJZ-VJdBPLTdpyO-hlbXCZU05o,7199
52
58
  webscout/Provider/OLLAMA.py,sha256=G8sz_P7OZINFI1qGnpDhNPWU789Sv2cpDnShOA5Nbmw,7075
53
59
  webscout/Provider/OpenGPT.py,sha256=ZymwLgNJSPlGZHW3msMlnRR7NxmALqJw9yuToqrRrhw,35515
54
60
  webscout/Provider/Openai.py,sha256=SjfVOwY94unVnXhvN0Fkome-q2-wi4mPJk_vCGq5Fjc,20617
55
61
  webscout/Provider/Perplexity.py,sha256=CPdKqkdlVejXDcf1uycNO4LPCVNUADSCetvyJEGepSw,8826
56
62
  webscout/Provider/Phind.py,sha256=bkgKVtggRJSbJAG1tXviW9BqDvcgqPBlSr88Q6rlFHw,39226
63
+ webscout/Provider/PizzaGPT.py,sha256=bxCf91sgu9iZAaBzyfaVVHWqz-nt6FfKhQUqCZdfv1g,7065
57
64
  webscout/Provider/Poe.py,sha256=ObUxa-Fa2Dq7sJcV0hc65m09StS9uWsB2-bR2rSjXDY,7510
65
+ webscout/Provider/RUBIKSAI.py,sha256=HPY8klGBNVVkfAXb-RziNrEtJGItjiqbSyXKXTOIHW4,7954
58
66
  webscout/Provider/Reka.py,sha256=F0ZXENkhARprj5biK3mRxwiuPH0BW3ga7EWsi8agbtE,8917
59
67
  webscout/Provider/ThinkAnyAI.py,sha256=_qFjj0djxxrranyEY33w14oizyRjzlVwMv_hzvVtwNc,11616
60
68
  webscout/Provider/VTLchat.py,sha256=_sErGr-wOi16ZAfiGOo0bPsAEMkjzzwreEsIqjIZMIU,10041
61
69
  webscout/Provider/Xjai.py,sha256=BIlk2ouz9Kh_0Gg9hPvTqhI7XtcmWdg5vHSX_4uGrIs,9039
62
70
  webscout/Provider/Yepchat.py,sha256=2Eit-A7w1ph1GQKNQuur_yaDzI64r0yBGxCIjDefJxQ,19875
63
71
  webscout/Provider/Youchat.py,sha256=fhMpt94pIPE_XDbC4z9xyfgA7NbkNE2wlRFJabsjv90,8069
64
- webscout/Provider/__init__.py,sha256=j6lZqjLYext2a-KTnvGEvVm-D3jezHIlnanlj2H37FI,1962
65
- webscout-4.4.dist-info/LICENSE.md,sha256=9P0imsudI7MEvZe2pOcg8rKBn6E5FGHQ-riYozZI-Bk,2942
66
- webscout-4.4.dist-info/METADATA,sha256=bgSEbiMKbSplv_CNKFCFWvY9Mp44VyxuuWpBJSxIKgQ,57749
67
- webscout-4.4.dist-info/WHEEL,sha256=cpQTJ5IWu9CdaPViMhC9YzF8gZuS5-vlfoFihTBC86A,91
68
- webscout-4.4.dist-info/entry_points.txt,sha256=Hh4YIIjvkqB9SVxZ2ri4DZUkgEu_WF_5_r_nZDIvfG8,73
69
- webscout-4.4.dist-info/top_level.txt,sha256=nYIw7OKBQDr_Z33IzZUKidRD3zQEo8jOJYkMVMeN334,9
70
- webscout-4.4.dist-info/RECORD,,
72
+ webscout/Provider/__init__.py,sha256=MBOhedREt8-ic3CrNoq952u5ytMl6-Wa_MgtnQwx1QM,2204
73
+ webscout/Provider/koala.py,sha256=uBYJU_3YmC1qyCugDOrMSLoUR8my76zt_WqIUiGgf2Q,9840
74
+ webscout-4.6.dist-info/LICENSE.md,sha256=9P0imsudI7MEvZe2pOcg8rKBn6E5FGHQ-riYozZI-Bk,2942
75
+ webscout-4.6.dist-info/METADATA,sha256=lBjTpCHhckbEcAKYzIkW5ng5R8kgrpEIgJNM3uM42KE,57059
76
+ webscout-4.6.dist-info/WHEEL,sha256=R0nc6qTxuoLk7ShA2_Y-UWkN8ZdfDBG2B6Eqpz2WXbs,91
77
+ webscout-4.6.dist-info/entry_points.txt,sha256=Hh4YIIjvkqB9SVxZ2ri4DZUkgEu_WF_5_r_nZDIvfG8,73
78
+ webscout-4.6.dist-info/top_level.txt,sha256=nYIw7OKBQDr_Z33IzZUKidRD3zQEo8jOJYkMVMeN334,9
79
+ webscout-4.6.dist-info/RECORD,,
@@ -1,5 +1,5 @@
1
1
  Wheel-Version: 1.0
2
- Generator: setuptools (70.1.0)
2
+ Generator: setuptools (72.1.0)
3
3
  Root-Is-Purelib: true
4
4
  Tag: py3-none-any
5
5