diff options
Diffstat (limited to 'g4f/.v1/gpt4free')
72 files changed, 0 insertions, 3908 deletions
diff --git a/g4f/.v1/gpt4free/README.md b/g4f/.v1/gpt4free/README.md deleted file mode 100644 index 73e7fa09..00000000 --- a/g4f/.v1/gpt4free/README.md +++ /dev/null @@ -1,110 +0,0 @@ -# gpt4free package - -### What is it? - -gpt4free is a python package that provides some language model api's - -### Main Features - -- It's free to use -- Easy access - -### Installation: - -```bash -pip install gpt4free -``` - -#### Usage: - -```python -import gpt4free -from gpt4free import Provider, quora, forefront - -# usage You -response = gpt4free.Completion.create(Provider.You, prompt='Write a poem on Lionel Messi') -print(response) - -# usage Poe -token = quora.Account.create(logging=False) -response = gpt4free.Completion.create(Provider.Poe, prompt='Write a poem on Lionel Messi', token=token, model='ChatGPT') -print(response) - -# usage forefront -token = forefront.Account.create(logging=False) -response = gpt4free.Completion.create( - Provider.ForeFront, prompt='Write a poem on Lionel Messi', model='gpt-4', token=token -) -print(response) -print(f'END') - -# usage theb -response = gpt4free.Completion.create(Provider.Theb, prompt='Write a poem on Lionel Messi') -print(response) - - -``` - -### Invocation Arguments - -`gpt4free.Completion.create()` method has two required arguments - -1. Provider: This is an enum representing different provider -2. prompt: This is the user input - -#### Keyword Arguments - -Some of the keyword arguments are optional, while others are required. - -- You: - - `safe_search`: boolean - default value is `False` - - `include_links`: boolean - default value is `False` - - `detailed`: boolean - default value is `False` -- Quora: - - `token`: str - this needs to be provided by the user - - `model`: str - default value is `gpt-4`. - - (Available models: `['Sage', 'GPT-4', 'Claude+', 'Claude-instant', 'ChatGPT', 'Dragonfly', 'NeevaAI']`) -- ForeFront: - - `token`: str - this need to be provided by the user - -- Theb: - (no keyword arguments required) - -#### Token generation of quora -```python -from gpt4free import quora - -token = quora.Account.create(logging=False) -``` - -### Token generation of ForeFront -```python -from gpt4free import forefront - -token = forefront.Account.create(logging=False) -``` - -## Copyright: - -This program is licensed under the [GNU GPL v3](https://www.gnu.org/licenses/gpl-3.0.txt) - -### Copyright Notice: <a name="copyright"></a> - -``` -xtekky/gpt4free: multiple reverse engineered language-model api's to decentralise the ai industry. -Copyright (C) 2023 xtekky - -This program is free software: you can redistribute it and/or modify -it under the terms of the GNU General Public License as published by -the Free Software Foundation, either version 3 of the License, or -(at your option) any later version. - -This program is distributed in the hope that it will be useful, -but WITHOUT ANY WARRANTY; without even the implied warranty of -MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the -GNU General Public License for more details. - -You should have received a copy of the GNU General Public License -along with this program. If not, see <https://www.gnu.org/licenses/>. -``` diff --git a/g4f/.v1/gpt4free/__init__.py b/g4f/.v1/gpt4free/__init__.py deleted file mode 100644 index bcc03a3b..00000000 --- a/g4f/.v1/gpt4free/__init__.py +++ /dev/null @@ -1,103 +0,0 @@ -from enum import Enum - -from gpt4free import forefront -from gpt4free import quora -from gpt4free import theb -from gpt4free import usesless -from gpt4free import you -from gpt4free import aicolors -from gpt4free import deepai - - -class Provider(Enum): - """An enum representing different providers.""" - - You = "you" - Poe = "poe" - ForeFront = "fore_front" - Theb = "theb" - UseLess = "useless" - AiColors = "ai_colors" - DeepAI = "deepai" - - -class Completion: - """This class will be used for invoking the given provider""" - - @staticmethod - def create(provider: Provider, prompt: str, **kwargs) -> str: - """ - Invokes the given provider with given prompt and addition arguments and returns the string response - - :param provider: an enum representing the provider to use while invoking - :param prompt: input provided by the user - :param kwargs: Additional keyword arguments to pass to the provider while invoking - :return: A string representing the response from the provider - """ - if provider == Provider.Poe: - return Completion.__poe_service(prompt, **kwargs) - elif provider == Provider.You: - return Completion.__you_service(prompt, **kwargs) - elif provider == Provider.ForeFront: - return Completion.__fore_front_service(prompt, **kwargs) - elif provider == Provider.Theb: - return Completion.__theb_service(prompt, **kwargs) - elif provider == Provider.UseLess: - return Completion.__useless_service(prompt, **kwargs) - elif provider == Provider.AiColors: - return Completion.__ai_colors_service(prompt, **kwargs) - elif provider == Provider.DeepAI: - return Completion.__deepai_service(prompt, **kwargs) - else: - raise Exception("Provider not exist, Please try again") - - @staticmethod - def __ai_colors_service(prompt: str): - return aicolors.Completion.create(prompt=prompt) - - @staticmethod - def __useless_service(prompt: str, **kwargs) -> str: - return usesless.Completion.create(prompt=prompt, **kwargs) - - @staticmethod - def __you_service(prompt: str, **kwargs) -> str: - return you.Completion.create(prompt, **kwargs).text - - @staticmethod - def __poe_service(prompt: str, **kwargs) -> str: - return quora.Completion.create(prompt=prompt, **kwargs).text - - @staticmethod - def __fore_front_service(prompt: str, **kwargs) -> str: - return forefront.Completion.create(prompt=prompt, **kwargs).text - - @staticmethod - def __theb_service(prompt: str, **kwargs): - return "".join(theb.Completion.create(prompt=prompt)) - - @staticmethod - def __deepai_service(prompt: str, **kwargs): - return "".join(deepai.Completion.create(prompt=prompt)) - - -class ChatCompletion: - """This class is used to execute a chat completion for a specified provider""" - - @staticmethod - def create(provider: Provider, messages: list, **kwargs) -> str: - """ - Invokes the given provider with given chat messages and addition arguments and returns the string response - - :param provider: an enum representing the provider to use while invoking - :param messages: a list of chat messages, see the OpenAI docs for how to format this (https://platform.openai.com/docs/guides/chat/introduction) - :param kwargs: Additional keyword arguments to pass to the provider while invoking - :return: A string representing the response from the provider - """ - if provider == Provider.DeepAI: - return ChatCompletion.__deepai_service(messages, **kwargs) - else: - raise Exception("Provider not exist, Please try again") - - @staticmethod - def __deepai_service(messages: list, **kwargs): - return "".join(deepai.ChatCompletion.create(messages=messages)) diff --git a/g4f/.v1/gpt4free/aiassist/README.md b/g4f/.v1/gpt4free/aiassist/README.md deleted file mode 100644 index b6101784..00000000 --- a/g4f/.v1/gpt4free/aiassist/README.md +++ /dev/null @@ -1,19 +0,0 @@ -aiassist.site - -### Example: `aiassist` <a name="example-assist"></a> - -```python -import aiassist - -question1 = "Who won the world series in 2020?" -req = aiassist.Completion.create(prompt=question1) -answer = req["text"] -message_id = req["parentMessageId"] - -question2 = "Where was it played?" -req2 = aiassist.Completion.create(prompt=question2, parentMessageId=message_id) -answer2 = req2["text"] - -print(answer) -print(answer2) -``` diff --git a/g4f/.v1/gpt4free/aiassist/__init__.py b/g4f/.v1/gpt4free/aiassist/__init__.py deleted file mode 100644 index 95a9f08b..00000000 --- a/g4f/.v1/gpt4free/aiassist/__init__.py +++ /dev/null @@ -1,36 +0,0 @@ -import urllib.request -import json - - -class Completion: - @staticmethod - def create( - systemMessage: str = "You are a helpful assistant", - prompt: str = "", - parentMessageId: str = "", - temperature: float = 0.8, - top_p: float = 1, - ): - json_data = { - "prompt": prompt, - "options": {"parentMessageId": parentMessageId}, - "systemMessage": systemMessage, - "temperature": temperature, - "top_p": top_p, - } - - url = "http://43.153.7.56:8080/api/chat-process" - headers = {"Content-type": "application/json"} - - data = json.dumps(json_data).encode("utf-8") - req = urllib.request.Request(url, data=data, headers=headers) - response = urllib.request.urlopen(req) - content = response.read().decode() - - return Completion.__load_json(content) - - @classmethod - def __load_json(cls, content) -> dict: - split = content.rsplit("\n", 1)[1] - to_json = json.loads(split) - return to_json diff --git a/g4f/.v1/gpt4free/aicolors/__init__.py b/g4f/.v1/gpt4free/aicolors/__init__.py deleted file mode 100644 index a69276b8..00000000 --- a/g4f/.v1/gpt4free/aicolors/__init__.py +++ /dev/null @@ -1,30 +0,0 @@ -import fake_useragent -import requests -import json -from .typings import AiColorsResponse - - -class Completion: - @staticmethod - def create( - query: str = "", - ) -> AiColorsResponse: - headers = { - "authority": "jsuifmbqefnxytqwmaoy.functions.supabase.co", - "accept": "*/*", - "accept-language": "en-US,en;q=0.5", - "cache-control": "no-cache", - "sec-fetch-dest": "empty", - "sec-fetch-mode": "cors", - "sec-fetch-site": "same-origin", - "user-agent": fake_useragent.UserAgent().random, - } - - json_data = {"query": query} - - url = "https://jsuifmbqefnxytqwmaoy.functions.supabase.co/chatgpt" - request = requests.post(url, headers=headers, json=json_data, timeout=30) - data = request.json().get("text").get("content") - json_data = json.loads(data.replace("\n ", "")) - - return AiColorsResponse(**json_data) diff --git a/g4f/.v1/gpt4free/aicolors/typings/__init__.py b/g4f/.v1/gpt4free/aicolors/typings/__init__.py deleted file mode 100644 index 8c4f29d1..00000000 --- a/g4f/.v1/gpt4free/aicolors/typings/__init__.py +++ /dev/null @@ -1,9 +0,0 @@ -from dataclasses import dataclass - - -@dataclass -class AiColorsResponse: - background: str - primary: str - accent: str - text: str diff --git a/g4f/.v1/gpt4free/deepai/README.md b/g4f/.v1/gpt4free/deepai/README.md deleted file mode 100644 index a287cdb7..00000000 --- a/g4f/.v1/gpt4free/deepai/README.md +++ /dev/null @@ -1,26 +0,0 @@ -# DeepAI Wrapper -Written by [ading2210](https://github.com/ading2210/). - -## Examples: -These functions are generators which yield strings containing the newly generated text. - -### Completion: -```python -for chunk in deepai.Completion.create("Who are you?"): - print(chunk, end="", flush=True) -print() -``` - -### Chat Completion: -Use the same format for the messages as you would for the [official OpenAI API](https://platform.openai.com/docs/guides/chat/introduction). -```python -messages = [ - {"role": "system", "content": "You are a helpful assistant."}, - {"role": "user", "content": "Who won the world series in 2020?"}, - {"role": "assistant", "content": "The Los Angeles Dodgers won the World Series in 2020."}, - {"role": "user", "content": "Where was it played?"} -] -for chunk in deepai.ChatCompletion.create(messages): - print(chunk, end="", flush=True) -print() -```
\ No newline at end of file diff --git a/g4f/.v1/gpt4free/deepai/__init__.py b/g4f/.v1/gpt4free/deepai/__init__.py deleted file mode 100644 index a2fc6f5a..00000000 --- a/g4f/.v1/gpt4free/deepai/__init__.py +++ /dev/null @@ -1,46 +0,0 @@ -import requests -import json -import hashlib -import random -import string -from fake_useragent import UserAgent - -class ChatCompletion: - @classmethod - def md5(self, text): - return hashlib.md5(text.encode()).hexdigest()[::-1] - - @classmethod - def get_api_key(self, user_agent): - part1 = str(random.randint(0, 10**11)) - part2 = self.md5(user_agent+self.md5(user_agent+self.md5(user_agent+part1+"x"))) - return f"tryit-{part1}-{part2}" - - @classmethod - def create(self, messages): - user_agent = UserAgent().random - api_key = self.get_api_key(user_agent) - headers = { - "api-key": api_key, - "user-agent": user_agent - } - files = { - "chat_style": (None, "chat"), - "chatHistory": (None, json.dumps(messages)) - } - - r = requests.post("https://api.deepai.org/chat_response", headers=headers, files=files, stream=True) - - for chunk in r.iter_content(chunk_size=None): - r.raise_for_status() - yield chunk.decode() - -class Completion: - @classmethod - def create(self, prompt): - return ChatCompletion.create([ - { - "role": "user", - "content": prompt - } - ])
\ No newline at end of file diff --git a/g4f/.v1/gpt4free/forefront/README.md b/g4f/.v1/gpt4free/forefront/README.md deleted file mode 100644 index 7a59fe8e..00000000 --- a/g4f/.v1/gpt4free/forefront/README.md +++ /dev/null @@ -1,19 +0,0 @@ -### Example: `forefront` (use like openai pypi package) <a name="example-forefront"></a> - -```python -from gpt4free import forefront - - -# create an account -account_data = forefront.Account.create(logging=False) - -# get a response -for response in forefront.StreamingCompletion.create( - account_data=account_data, - prompt='hello world', - model='gpt-4' -): - print(response.choices[0].text, end='') -print("") - -```
\ No newline at end of file diff --git a/g4f/.v1/gpt4free/forefront/__init__.py b/g4f/.v1/gpt4free/forefront/__init__.py deleted file mode 100644 index 240ee0a4..00000000 --- a/g4f/.v1/gpt4free/forefront/__init__.py +++ /dev/null @@ -1,214 +0,0 @@ -import hashlib -from base64 import b64encode -from json import loads -from re import findall -from time import time, sleep -from typing import Generator, Optional -from uuid import uuid4 - -from Crypto.Cipher import AES -from Crypto.Random import get_random_bytes -from fake_useragent import UserAgent -from mailgw_temporary_email import Email -from requests import post -from tls_client import Session - -from .typing import ForeFrontResponse, AccountData - - -class Account: - @staticmethod - def create(proxy: Optional[str] = None, logging: bool = False) -> AccountData: - proxies = {'http': 'http://' + proxy, 'https': 'http://' + proxy} if proxy else False - - start = time() - - mail_client = Email() - mail_client.register() - mail_address = mail_client.address - - client = Session(client_identifier='chrome110') - client.proxies = proxies - client.headers = { - 'origin': 'https://accounts.forefront.ai', - 'user-agent': UserAgent().random, - } - - response = client.post( - 'https://clerk.forefront.ai/v1/client/sign_ups?_clerk_js_version=4.38.4', - data={'email_address': mail_address}, - ) - - try: - trace_token = response.json()['response']['id'] - if logging: - print(trace_token) - except KeyError: - raise RuntimeError('Failed to create account!') - - response = client.post( - f'https://clerk.forefront.ai/v1/client/sign_ups/{trace_token}/prepare_verification?_clerk_js_version=4.38.4', - data={ - 'strategy': 'email_link', - 'redirect_url': 'https://accounts.forefront.ai/sign-up/verify' - }, - ) - - if logging: - print(response.text) - - if 'sign_up_attempt' not in response.text: - raise RuntimeError('Failed to create account!') - - while True: - sleep(5) - message_id = mail_client.message_list()[0]['id'] - message = mail_client.message(message_id) - verification_url = findall(r'https:\/\/clerk\.forefront\.ai\/v1\/verify\?token=\w.+', message["text"])[0] - if verification_url: - break - - if logging: - print(verification_url) - client.get(verification_url) - - response = client.get('https://clerk.forefront.ai/v1/client?_clerk_js_version=4.38.4').json() - session_data = response['response']['sessions'][0] - - user_id = session_data['user']['id'] - session_id = session_data['id'] - token = session_data['last_active_token']['jwt'] - - with open('accounts.txt', 'a') as f: - f.write(f'{mail_address}:{token}\n') - - if logging: - print(time() - start) - - return AccountData(token=token, user_id=user_id, session_id=session_id) - - -class StreamingCompletion: - @staticmethod - def create( - prompt: str, - account_data: AccountData, - chat_id=None, - action_type='new', - default_persona='607e41fe-95be-497e-8e97-010a59b2e2c0', # default - model='gpt-4', - proxy=None - ) -> Generator[ForeFrontResponse, None, None]: - token = account_data.token - if not chat_id: - chat_id = str(uuid4()) - - proxies = {'http': 'http://' + proxy, 'https': 'http://' + proxy} if proxy else None - base64_data = b64encode((account_data.user_id + default_persona + chat_id).encode()).decode() - encrypted_signature = StreamingCompletion.__encrypt(base64_data, account_data.session_id) - - headers = { - 'authority': 'chat-server.tenant-forefront-default.knative.chi.coreweave.com', - 'accept': '*/*', - 'accept-language': 'en,fr-FR;q=0.9,fr;q=0.8,es-ES;q=0.7,es;q=0.6,en-US;q=0.5,am;q=0.4,de;q=0.3', - 'cache-control': 'no-cache', - 'content-type': 'application/json', - 'origin': 'https://chat.forefront.ai', - 'pragma': 'no-cache', - 'referer': 'https://chat.forefront.ai/', - 'sec-ch-ua': '"Chromium";v="112", "Google Chrome";v="112", "Not:A-Brand";v="99"', - 'sec-ch-ua-mobile': '?0', - 'sec-ch-ua-platform': '"macOS"', - 'sec-fetch-dest': 'empty', - 'sec-fetch-mode': 'cors', - 'sec-fetch-site': 'cross-site', - 'authorization': f"Bearer {token}", - 'X-Signature': encrypted_signature, - 'user-agent': UserAgent().random, - } - - json_data = { - 'text': prompt, - 'action': action_type, - 'parentId': chat_id, - 'workspaceId': chat_id, - 'messagePersona': default_persona, - 'model': model, - } - - for chunk in post( - 'https://streaming.tenant-forefront-default.knative.chi.coreweave.com/chat', - headers=headers, - proxies=proxies, - json=json_data, - stream=True, - ).iter_lines(): - if b'finish_reason":null' in chunk: - data = loads(chunk.decode('utf-8').split('data: ')[1]) - token = data['choices'][0]['delta'].get('content') - - if token is not None: - yield ForeFrontResponse( - **{ - 'id': chat_id, - 'object': 'text_completion', - 'created': int(time()), - 'text': token, - 'model': model, - 'choices': [{'text': token, 'index': 0, 'logprobs': None, 'finish_reason': 'stop'}], - 'usage': { - 'prompt_tokens': len(prompt), - 'completion_tokens': len(token), - 'total_tokens': len(prompt) + len(token), - }, - } - ) - - @staticmethod - def __encrypt(data: str, key: str) -> str: - hash_key = hashlib.sha256(key.encode()).digest() - iv = get_random_bytes(16) - cipher = AES.new(hash_key, AES.MODE_CBC, iv) - encrypted_data = cipher.encrypt(StreamingCompletion.__pad_data(data.encode())) - return iv.hex() + encrypted_data.hex() - - @staticmethod - def __pad_data(data: bytes) -> bytes: - block_size = AES.block_size - padding_size = block_size - len(data) % block_size - padding = bytes([padding_size] * padding_size) - return data + padding - - -class Completion: - @staticmethod - def create( - prompt: str, - account_data: AccountData, - chat_id=None, - action_type='new', - default_persona='607e41fe-95be-497e-8e97-010a59b2e2c0', # default - model='gpt-4', - proxy=None - ) -> ForeFrontResponse: - text = '' - final_response = None - for response in StreamingCompletion.create( - account_data=account_data, - chat_id=chat_id, - prompt=prompt, - action_type=action_type, - default_persona=default_persona, - model=model, - proxy=proxy - ): - if response: - final_response = response - text += response.text - - if final_response: - final_response.text = text - else: - raise RuntimeError('Unable to get the response, Please try again') - - return final_response diff --git a/g4f/.v1/gpt4free/forefront/typing.py b/g4f/.v1/gpt4free/forefront/typing.py deleted file mode 100644 index b572e2c2..00000000 --- a/g4f/.v1/gpt4free/forefront/typing.py +++ /dev/null @@ -1,32 +0,0 @@ -from typing import Any, List - -from pydantic import BaseModel - - -class Choice(BaseModel): - text: str - index: int - logprobs: Any - finish_reason: str - - -class Usage(BaseModel): - prompt_tokens: int - completion_tokens: int - total_tokens: int - - -class ForeFrontResponse(BaseModel): - id: str - object: str - created: int - model: str - choices: List[Choice] - usage: Usage - text: str - - -class AccountData(BaseModel): - token: str - user_id: str - session_id: str diff --git a/g4f/.v1/gpt4free/gptworldAi/README.md b/g4f/.v1/gpt4free/gptworldAi/README.md deleted file mode 100644 index a6b07f86..00000000 --- a/g4f/.v1/gpt4free/gptworldAi/README.md +++ /dev/null @@ -1,25 +0,0 @@ -# gptworldAi -Written by [hp_mzx](https://github.com/hpsj). - -## Examples: -### Completion: -```python -for chunk in gptworldAi.Completion.create("你是谁", "127.0.0.1:7890"): - print(chunk, end="", flush=True) - print() -``` - -### Chat Completion: -Support context -```python -message = [] -while True: - prompt = input("请输入问题:") - message.append({"role": "user","content": prompt}) - text = "" - for chunk in gptworldAi.ChatCompletion.create(message,'127.0.0.1:7890'): - text = text+chunk - print(chunk, end="", flush=True) - print() - message.append({"role": "assistant", "content": text}) -```
\ No newline at end of file diff --git a/g4f/.v1/gpt4free/gptworldAi/__init__.py b/g4f/.v1/gpt4free/gptworldAi/__init__.py deleted file mode 100644 index e7f76c61..00000000 --- a/g4f/.v1/gpt4free/gptworldAi/__init__.py +++ /dev/null @@ -1,105 +0,0 @@ -# -*- coding: utf-8 -*- -""" -@Time : 2023/5/23 13:37 -@Auth : Hp_mzx -@File :__init__.py.py -@IDE :PyCharm -""" -import json -import uuid -import random -import binascii -import requests -import Crypto.Cipher.AES as AES -from fake_useragent import UserAgent - -class ChatCompletion: - @staticmethod - def create(messages:[],proxy: str = None): - url = "https://chat.getgpt.world/api/chat/stream" - headers = { - "Content-Type": "application/json", - "Referer": "https://chat.getgpt.world/", - 'user-agent': UserAgent().random, - } - proxies = {'http': 'http://' + proxy, 'https': 'http://' + proxy} if proxy else None - data = json.dumps({ - "messages": messages, - "frequency_penalty": 0, - "max_tokens": 4000, - "model": "gpt-3.5-turbo", - "presence_penalty": 0, - "temperature": 1, - "top_p": 1, - "stream": True, - "uuid": str(uuid.uuid4()) - }) - signature = ChatCompletion.encrypt(data) - res = requests.post(url, headers=headers, data=json.dumps({"signature": signature}), proxies=proxies,stream=True) - for chunk in res.iter_content(chunk_size=None): - res.raise_for_status() - datas = chunk.decode('utf-8').split('data: ') - for data in datas: - if not data or "[DONE]" in data: - continue - data_json = json.loads(data) - content = data_json['choices'][0]['delta'].get('content') - if content: - yield content - - - @staticmethod - def random_token(e): - token = "ABCDEFGHIJKLMNOPQRSTUVWXYZabcdefghijklmnopqrstuvwxyz0123456789" - n = len(token) - return "".join([token[random.randint(0, n - 1)] for i in range(e)]) - - @staticmethod - def encrypt(e): - t = ChatCompletion.random_token(16).encode('utf-8') - n = ChatCompletion.random_token(16).encode('utf-8') - r = e.encode('utf-8') - cipher = AES.new(t, AES.MODE_CBC, n) - ciphertext = cipher.encrypt(ChatCompletion.__pad_data(r)) - return binascii.hexlify(ciphertext).decode('utf-8') + t.decode('utf-8') + n.decode('utf-8') - - @staticmethod - def __pad_data(data: bytes) -> bytes: - block_size = AES.block_size - padding_size = block_size - len(data) % block_size - padding = bytes([padding_size] * padding_size) - return data + padding - - -class Completion: - @staticmethod - def create(prompt:str,proxy:str=None): - return ChatCompletion.create([ - { - "content": "You are ChatGPT, a large language model trained by OpenAI.\nCarefully heed the user's instructions. \nRespond using Markdown.", - "role": "system" - }, - {"role": "user", "content": prompt} - ], proxy) - - -if __name__ == '__main__': - # single completion - text = "" - for chunk in Completion.create("你是谁", "127.0.0.1:7890"): - text = text + chunk - print(chunk, end="", flush=True) - print() - - - #chat completion - message = [] - while True: - prompt = input("请输入问题:") - message.append({"role": "user","content": prompt}) - text = "" - for chunk in ChatCompletion.create(message,'127.0.0.1:7890'): - text = text+chunk - print(chunk, end="", flush=True) - print() - message.append({"role": "assistant", "content": text})
\ No newline at end of file diff --git a/g4f/.v1/gpt4free/hpgptai/README.md b/g4f/.v1/gpt4free/hpgptai/README.md deleted file mode 100644 index 2735902f..00000000 --- a/g4f/.v1/gpt4free/hpgptai/README.md +++ /dev/null @@ -1,39 +0,0 @@ -# HpgptAI -Written by [hp_mzx](https://github.com/hpsj). - -## Examples: -### Completion: -```python -res = hpgptai.Completion.create("你是谁","127.0.0.1:7890") -print(res["reply"]) -``` - -### Chat Completion: -Support context -```python -messages = [ - { - "content": "你是谁", - "html": "你是谁", - "id": hpgptai.ChatCompletion.randomStr(), - "role": "user", - "who": "User: ", - }, - { - "content": "我是一位AI助手,专门为您提供各种服务和支持。我可以回答您的问题,帮助您解决问题,提供相关信息,并执行一些任务。请随时告诉我您需要什么帮助。", - "html": "我是一位AI助手,专门为您提供各种服务和支持。我可以回答您的问题,帮助您解决问题,提供相关信息,并执行一些任务。请随时告诉我您需要什么帮助。", - "id": hpgptai.ChatCompletion.randomStr(), - "role": "assistant", - "who": "AI: ", - }, - { - "content": "我上一句问的是什么?", - "html": "我上一句问的是什么?", - "id": hpgptai.ChatCompletion.randomStr(), - "role": "user", - "who": "User: ", - }, -] -res = hpgptai.ChatCompletion.create(messages,proxy="127.0.0.1:7890") -print(res["reply"]) -```
\ No newline at end of file diff --git a/g4f/.v1/gpt4free/hpgptai/__init__.py b/g4f/.v1/gpt4free/hpgptai/__init__.py deleted file mode 100644 index f5d1f0ed..00000000 --- a/g4f/.v1/gpt4free/hpgptai/__init__.py +++ /dev/null @@ -1,103 +0,0 @@ -# -*- coding: utf-8 -*- -""" -@Time : 2023/5/22 14:04 -@Auth : Hp_mzx -@File :__init__.py.py -@IDE :PyCharm -""" -import re -import json -import base64 -import random -import string -import requests -from fake_useragent import UserAgent - - -class ChatCompletion: - @staticmethod - def create( - messages: list, - context: str = "Converse as if you were an AI assistant. Be friendly, creative.", - restNonce: str = None, - proxy: str = None - ): - url = "https://chatgptlogin.ac/wp-json/ai-chatbot/v1/chat" - if not restNonce: - restNonce = ChatCompletion.get_restNonce(proxy) - headers = { - "Content-Type": "application/json", - "X-Wp-Nonce": restNonce - } - proxies = {'http': 'http://' + proxy, 'https': 'http://' + proxy} if proxy else None - data = { - "env": "chatbot", - "session": "N/A", - "prompt": ChatCompletion.__build_prompt(context, messages), - "context": context, - "messages": messages, - "newMessage": messages[-1]["content"], - "userName": "<div class=\"mwai-name-text\">User:</div>", - "aiName": "<div class=\"mwai-name-text\">AI:</div>", - "model": "gpt-3.5-turbo", - "temperature": 0.8, - "maxTokens": 1024, - "maxResults": 1, - "apiKey": "", - "service": "openai", - "embeddingsIndex": "", - "stop": "", - "clientId": ChatCompletion.randomStr(), - } - res = requests.post(url=url, data=json.dumps(data), headers=headers, proxies=proxies) - if res.status_code == 200: - return res.json() - return res.text - - @staticmethod - def randomStr(): - return ''.join(random.choices(string.ascii_lowercase + string.digits, k=34))[:11] - - @classmethod - def __build_prompt(cls, context: str, message: list, isCasuallyFineTuned=False, last=15): - prompt = context + '\n\n' if context else '' - message = message[-last:] - if isCasuallyFineTuned: - lastLine = message[-1] - prompt = lastLine.content + "" - return prompt - conversation = [x["who"] + x["content"] for x in message] - prompt += '\n'.join(conversation) - prompt += '\n' + "AI: " - return prompt - - @classmethod - def get_restNonce(cls, proxy: str = None): - url = "https://chatgptlogin.ac/" - headers = { - "Referer": "https://chatgptlogin.ac/", - "User-Agent": UserAgent().random - } - proxies = {'http': 'http://' + proxy, 'https': 'http://' + proxy} if proxy else None - res = requests.get(url, headers=headers, proxies=proxies) - src = re.search( - 'class="mwai-chat mwai-chatgpt">.*<span>Send</span></button></div></div></div> <script defer src="(.*?)">', - res.text).group(1) - decoded_string = base64.b64decode(src.split(",")[-1]).decode('utf-8') - restNonce = re.search(r"let restNonce = '(.*?)';", decoded_string).group(1) - return restNonce - - -class Completion: - @staticmethod - def create(prompt: str, proxy: str): - messages = [ - { - "content": prompt, - "html": prompt, - "id": ChatCompletion.randomStr(), - "role": "user", - "who": "User: ", - }, - ] - return ChatCompletion.create(messages=messages, proxy=proxy)
\ No newline at end of file diff --git a/g4f/.v1/gpt4free/italygpt2/README.md b/g4f/.v1/gpt4free/italygpt2/README.md deleted file mode 100644 index 0845e89a..00000000 --- a/g4f/.v1/gpt4free/italygpt2/README.md +++ /dev/null @@ -1,29 +0,0 @@ -# Itagpt2(Rewrite) -Written by [sife-shuo](https://github.com/sife-shuo/). - -## Description -Unlike gpt4free. italygpt in the pypi package, italygpt2 supports stream calls and has changed the request sending method to enable continuous and logical conversations. - -The speed will increase when calling the conversation multiple times. - -### Completion: -```python -account_data=italygpt2.Account.create() -for chunk in italygpt2.Completion.create(account_data=account_data,prompt="Who are you?"): - print(chunk, end="", flush=True) -print() -``` - -### Chat -Like most chatgpt projects, format is supported. -Use the same format for the messages as you would for the [official OpenAI API](https://platform.openai.com/docs/guides/chat/introduction). -```python -messages = [ - {"role": "system", "content": ""},#... - {"role": "user", "content": ""}#.... -] -account_data=italygpt2.Account.create() -for chunk in italygpt2.Completion.create(account_data=account_data,prompt="Who are you?",message=messages): - print(chunk, end="", flush=True) -print() -```
\ No newline at end of file diff --git a/g4f/.v1/gpt4free/italygpt2/__init__.py b/g4f/.v1/gpt4free/italygpt2/__init__.py deleted file mode 100644 index 1eb191c0..00000000 --- a/g4f/.v1/gpt4free/italygpt2/__init__.py +++ /dev/null @@ -1,70 +0,0 @@ -import re -import requests -import hashlib -from fake_useragent import UserAgent -class Account: - @staticmethod - def create(): - r=requests.get("https://italygpt.it/",headers=Account._header) - f=r.text - tid=re.search('<input type=\"hidden\" name=\"next_id\" id=\"next_id\" value=\"(\w+)\">',f).group(1) - if len(tid)==0: - raise RuntimeError("NetWorkError:failed to get id.") - else: - Account._tid=tid - Account._raw="[]" - return Account - def next(next_id:str)->str: - Account._tid=next_id - return Account._tid - def get()->str: - return Account._tid - _header={ - "Host": "italygpt.it", - "Referer":"https://italygpt.it/", - "User-Agent":"Mozilla/5.0 (Windows NT 10.0; Win64; x64) AppleWebKit/537.36 (KHTML, like Gecko) Chrome/113.0.0.0 Safari/537.36",#UserAgent().random, - "Accept":"text/html,application/xhtml+xml,application/xml;q=0.9,image/avif,image/webp,*/*;q=0.8", - "Accept-Language":"zh-CN,zh;q=0.8,zh-TW;q=0.7,zh-HK;q=0.5,en-US;q=0.3,en;q=0.2", - "Upgrade-Insecure-Requests":"1", - "Sec-Fetch-Dest":"document", - "Sec-Fetch-Mode":"navigate", - "Sec-Fetch-Site":"none", - "Sec-Fetch-User":"?1", - "Connection":"keep-alive", - "Alt-Used":"italygpt.it", - "Pragma":"no-cache", - "Cache-Control":"no-cache", - "TE": "trailers" - } - def settraw(raws:str): - Account._raw=raws - return Account._raw - def gettraw(): - return Account._raw - -class Completion: - @staticmethod - def create( - account_data, - prompt: str, - message=False - ): - param={ - "prompt":prompt.replace(" ","+"), - "creative":"off", - "internet":"false", - "detailed":"off", - "current_id":"0", - "code":"", - "gpt4":"false", - "raw_messages":account_data.gettraw(), - "hash":hashlib.sha256(account_data.get().encode()).hexdigest() - } - if(message): - param["raw_messages"]=str(message) - r = requests.get("https://italygpt.it/question",headers=account_data._header,params=param,stream=True) - account_data.next(r.headers["Next_id"]) - account_data.settraw(r.headers["Raw_messages"]) - for chunk in r.iter_content(chunk_size=None): - r.raise_for_status() - yield chunk.decode()
\ No newline at end of file diff --git a/g4f/.v1/gpt4free/quora/README.md b/g4f/.v1/gpt4free/quora/README.md deleted file mode 100644 index 88fd0093..00000000 --- a/g4f/.v1/gpt4free/quora/README.md +++ /dev/null @@ -1,77 +0,0 @@ - -> ⚠ Warning !!! -poe.com added security and can detect if you are making automated requests. You may get your account banned if you are using this api. -The normal non-driver api is also currently not very stable - - -### Example: `quora (poe)` (use like openai pypi package) - GPT-4 <a name="example-poe"></a> - -```python -# quora model names: (use left key as argument) -models = { - 'sage' : 'capybara', - 'gpt-4' : 'beaver', - 'claude-v1.2' : 'a2_2', - 'claude-instant-v1.0' : 'a2', - 'gpt-3.5-turbo' : 'chinchilla' -} -``` - -### New: bot creation - -```python -# import quora (poe) package -from gpt4free import quora - -# create account -# make sure to set enable_bot_creation to True -token = quora.Account.create(logging=True, enable_bot_creation=True) - -model = quora.Model.create( - token=token, - model='gpt-3.5-turbo', # or claude-instant-v1.0 - system_prompt='you are ChatGPT a large language model ...' -) - -print(model.name) # gptx.... - -# streaming response -for response in quora.StreamingCompletion.create( - custom_model=model.name, - prompt='hello world', - token=token): - print(response.completion.choices[0].text) -``` - -### Normal Response: -```python - -response = quora.Completion.create(model = 'gpt-4', - prompt = 'hello world', - token = token) - -print(response.completion.choices[0].text) -``` - -### Update Use This For Poe -```python -from gpt4free.quora import Poe - -# available models: ['Sage', 'GPT-4', 'Claude+', 'Claude-instant', 'ChatGPT', 'Dragonfly', 'NeevaAI'] - -poe = Poe(model='ChatGPT', driver='firefox', cookie_path='cookie.json', driver_path='path_of_driver') -poe.chat('who won the football world cup most?') - -# new bot creation -poe.create_bot('new_bot_name', prompt='You are new test bot', base_model='gpt-3.5-turbo') - -# delete account -poe.delete_account() -``` - -### Deleting the Poe Account -```python -from gpt4free import quora - -quora.Account.delete(token='') -``` diff --git a/g4f/.v1/gpt4free/quora/__init__.py b/g4f/.v1/gpt4free/quora/__init__.py deleted file mode 100644 index 5d9e80c1..00000000 --- a/g4f/.v1/gpt4free/quora/__init__.py +++ /dev/null @@ -1,478 +0,0 @@ -import json -from datetime import datetime -from hashlib import md5 -from json import dumps -from pathlib import Path -from random import choice, choices, randint -from re import search, findall -from string import ascii_letters, digits -from typing import Optional, Union, List, Any, Generator -from urllib.parse import unquote - -import selenium.webdriver.support.expected_conditions as EC -from fake_useragent import UserAgent -from pydantic import BaseModel -from pypasser import reCaptchaV3 -from requests import Session -from selenium.webdriver import Firefox, Chrome, FirefoxOptions, ChromeOptions -from selenium.webdriver.common.by import By -from selenium.webdriver.support.wait import WebDriverWait -from tls_client import Session as TLS - -from .api import Client as PoeClient -from .mail import Emailnator - -SELENIUM_WEB_DRIVER_ERROR_MSG = b'''The error message you are receiving is due to the `geckodriver` executable not -being found in your system\'s PATH. To resolve this issue, you need to download the geckodriver and add its location -to your system\'s PATH.\n\nHere are the steps to resolve the issue:\n\n1. Download the geckodriver for your platform -(Windows, macOS, or Linux) from the following link: https://github.com/mozilla/geckodriver/releases\n\n2. Extract the -downloaded archive and locate the geckodriver executable.\n\n3. Add the geckodriver executable to your system\'s -PATH.\n\nFor macOS and Linux:\n\n- Open a terminal window.\n- Move the geckodriver executable to a directory that is -already in your PATH, or create a new directory and add it to your PATH:\n\n```bash\n# Example: Move geckodriver to -/usr/local/bin\nmv /path/to/your/geckodriver /usr/local/bin\n```\n\n- If you created a new directory, add it to your -PATH:\n\n```bash\n# Example: Add a new directory to PATH\nexport PATH=$PATH:/path/to/your/directory\n```\n\nFor -Windows:\n\n- Right-click on "My Computer" or "This PC" and select "Properties".\n- Click on "Advanced system -settings".\n- Click on the "Environment Variables" button.\n- In the "System variables" section, find the "Path" -variable, select it, and click "Edit".\n- Click "New" and add the path to the directory containing the geckodriver -executable.\n\nAfter adding the geckodriver to your PATH, restart your terminal or command prompt and try running -your script again. The error should be resolved.''' - -# from twocaptcha import TwoCaptcha -# solver = TwoCaptcha('72747bf24a9d89b4dcc1b24875efd358') - -MODELS = { - 'Sage': 'capybara', - 'GPT-4': 'beaver', - 'Claude+': 'a2_2', - 'Claude-instant': 'a2', - 'ChatGPT': 'chinchilla', - 'Dragonfly': 'nutria', - 'NeevaAI': 'hutia', -} - - -def extract_formkey(html): - script_regex = r'<script>if\(.+\)throw new Error;(.+)</script>' - script_text = search(script_regex, html).group(1) - key_regex = r'var .="([0-9a-f]+)",' - key_text = search(key_regex, script_text).group(1) - cipher_regex = r'.\[(\d+)\]=.\[(\d+)\]' - cipher_pairs = findall(cipher_regex, script_text) - - formkey_list = [''] * len(cipher_pairs) - for pair in cipher_pairs: - formkey_index, key_index = map(int, pair) - formkey_list[formkey_index] = key_text[key_index] - formkey = ''.join(formkey_list) - - return formkey - - -class Choice(BaseModel): - text: str - index: int - logprobs: Any - finish_reason: str - - -class Usage(BaseModel): - prompt_tokens: int - completion_tokens: int - total_tokens: int - - -class PoeResponse(BaseModel): - id: int - object: str - created: int - model: str - choices: List[Choice] - usage: Usage - text: str - - -class ModelResponse: - def __init__(self, json_response: dict) -> None: - self.id = json_response['data']['poeBotCreate']['bot']['id'] - self.name = json_response['data']['poeBotCreate']['bot']['displayName'] - self.limit = json_response['data']['poeBotCreate']['bot']['messageLimit']['dailyLimit'] - self.deleted = json_response['data']['poeBotCreate']['bot']['deletionState'] - - -class Model: - @staticmethod - def create( - token: str, - model: str = 'gpt-3.5-turbo', # claude-instant - system_prompt: str = 'You are ChatGPT a large language model. Answer as consisely as possible', - description: str = 'gpt-3.5 language model', - handle: str = None, - ) -> ModelResponse: - if not handle: - handle = f'gptx{randint(1111111, 9999999)}' - - client = Session() - client.cookies['p-b'] = token - - formkey = extract_formkey(client.get('https://poe.com').text) - settings = client.get('https://poe.com/api/settings').json() - - client.headers = { - 'host': 'poe.com', - 'origin': 'https://poe.com', - 'referer': 'https://poe.com/', - 'poe-formkey': formkey, - 'poe-tchannel': settings['tchannelData']['channel'], - 'user-agent': UserAgent().random, - 'connection': 'keep-alive', - 'sec-ch-ua': '"Chromium";v="112", "Google Chrome";v="112", "Not:A-Brand";v="99"', - 'sec-ch-ua-mobile': '?0', - 'sec-ch-ua-platform': '"macOS"', - 'content-type': 'application/json', - 'sec-fetch-site': 'same-origin', - 'sec-fetch-mode': 'cors', - 'sec-fetch-dest': 'empty', - 'accept': '*/*', - 'accept-encoding': 'gzip, deflate, br', - 'accept-language': 'en-GB,en-US;q=0.9,en;q=0.8', - } - - payload = dumps( - separators=(',', ':'), - obj={ - 'queryName': 'CreateBotMain_poeBotCreate_Mutation', - 'variables': { - 'model': MODELS[model], - 'handle': handle, - 'prompt': system_prompt, - 'isPromptPublic': True, - 'introduction': '', - 'description': description, - 'profilePictureUrl': 'https://qph.fs.quoracdn.net/main-qimg-24e0b480dcd946e1cc6728802c5128b6', - 'apiUrl': None, - 'apiKey': ''.join(choices(ascii_letters + digits, k=32)), - 'isApiBot': False, - 'hasLinkification': False, - 'hasMarkdownRendering': False, - 'hasSuggestedReplies': False, - 'isPrivateBot': False, - }, - 'query': 'mutation CreateBotMain_poeBotCreate_Mutation(\n $model: String!\n $handle: String!\n $prompt: String!\n $isPromptPublic: Boolean!\n $introduction: String!\n $description: String!\n $profilePictureUrl: String\n $apiUrl: String\n $apiKey: String\n $isApiBot: Boolean\n $hasLinkification: Boolean\n $hasMarkdownRendering: Boolean\n $hasSuggestedReplies: Boolean\n $isPrivateBot: Boolean\n) {\n poeBotCreate(model: $model, handle: $handle, promptPlaintext: $prompt, isPromptPublic: $isPromptPublic, introduction: $introduction, description: $description, profilePicture: $profilePictureUrl, apiUrl: $apiUrl, apiKey: $apiKey, isApiBot: $isApiBot, hasLinkification: $hasLinkification, hasMarkdownRendering: $hasMarkdownRendering, hasSuggestedReplies: $hasSuggestedReplies, isPrivateBot: $isPrivateBot) {\n status\n bot {\n id\n ...BotHeader_bot\n }\n }\n}\n\nfragment BotHeader_bot on Bot {\n displayName\n messageLimit {\n dailyLimit\n }\n ...BotImage_bot\n ...BotLink_bot\n ...IdAnnotation_node\n ...botHelpers_useViewerCanAccessPrivateBot\n ...botHelpers_useDeletion_bot\n}\n\nfragment BotImage_bot on Bot {\n displayName\n ...botHelpers_useDeletion_bot\n ...BotImage_useProfileImage_bot\n}\n\nfragment BotImage_useProfileImage_bot on Bot {\n image {\n __typename\n ... on LocalBotImage {\n localName\n }\n ... on UrlBotImage {\n url\n }\n }\n ...botHelpers_useDeletion_bot\n}\n\nfragment BotLink_bot on Bot {\n displayName\n}\n\nfragment IdAnnotation_node on Node {\n __isNode: __typename\n id\n}\n\nfragment botHelpers_useDeletion_bot on Bot {\n deletionState\n}\n\nfragment botHelpers_useViewerCanAccessPrivateBot on Bot {\n isPrivateBot\n viewerIsCreator\n}\n', - }, - ) - - base_string = payload + client.headers['poe-formkey'] + 'WpuLMiXEKKE98j56k' - client.headers['poe-tag-id'] = md5(base_string.encode()).hexdigest() - - response = client.post('https://poe.com/api/gql_POST', data=payload) - - if 'success' not in response.text: - raise Exception( - ''' - Bot creation Failed - !! Important !! - Bot creation was not enabled on this account - please use: quora.Account.create with enable_bot_creation set to True - ''' - ) - - return ModelResponse(response.json()) - - -class Account: - @staticmethod - def create( - proxy: Optional[str] = None, - logging: bool = False, - enable_bot_creation: bool = False, - ): - client = TLS(client_identifier='chrome110') - client.proxies = {'http': f'http://{proxy}', 'https': f'http://{proxy}'} if proxy else {} - - mail_client = Emailnator() - mail_address = mail_client.get_mail() - - if logging: - print('email', mail_address) - - client.headers = { - 'authority': 'poe.com', - 'accept': '*/*', - 'accept-language': 'en,fr-FR;q=0.9,fr;q=0.8,es-ES;q=0.7,es;q=0.6,en-US;q=0.5,am;q=0.4,de;q=0.3', - 'content-type': 'application/json', - 'origin': 'https://poe.com', - 'poe-tag-id': 'null', - 'referer': 'https://poe.com/login', - 'sec-ch-ua': '"Chromium";v="112", "Google Chrome";v="112", "Not:A-Brand";v="99"', - 'sec-ch-ua-mobile': '?0', - 'sec-ch-ua-platform': '"macOS"', - 'sec-fetch-dest': 'empty', - 'sec-fetch-mode': 'cors', - 'sec-fetch-site': 'same-origin', - 'user-agent': 'Mozilla/5.0 (Macintosh; Intel Mac OS X 10_15_7) AppleWebKit/537.36 (KHTML, like Gecko) Chrome/112.0.0.0 Safari/537.36', - 'poe-formkey': extract_formkey(client.get('https://poe.com/login').text), - 'poe-tchannel': client.get('https://poe.com/api/settings').json()['tchannelData']['channel'], - } - - token = reCaptchaV3( - 'https://www.recaptcha.net/recaptcha/enterprise/anchor?ar=1&k=6LflhEElAAAAAI_ewVwRWI9hsyV4mbZnYAslSvlG&co=aHR0cHM6Ly9wb2UuY29tOjQ0Mw..&hl=en&v=4PnKmGB9wRHh1i04o7YUICeI&size=invisible&cb=bi6ivxoskyal' - ) - # token = solver.recaptcha(sitekey='6LflhEElAAAAAI_ewVwRWI9hsyV4mbZnYAslSvlG', - # url = 'https://poe.com/login?redirect_url=%2F', - # version = 'v3', - # enterprise = 1, - # invisible = 1, - # action = 'login',)['code'] - - payload = dumps( - separators=(',', ':'), - obj={ - 'queryName': 'MainSignupLoginSection_sendVerificationCodeMutation_Mutation', - 'variables': { - 'emailAddress': mail_address, - 'phoneNumber': None, - 'recaptchaToken': token, - }, - 'query': 'mutation MainSignupLoginSection_sendVerificationCodeMutation_Mutation(\n $emailAddress: String\n $phoneNumber: String\n $recaptchaToken: String\n) {\n sendVerificationCode(verificationReason: login, emailAddress: $emailAddress, phoneNumber: $phoneNumber, recaptchaToken: $recaptchaToken) {\n status\n errorMessage\n }\n}\n', - }, - ) - - base_string = payload + client.headers['poe-formkey'] + 'WpuLMiXEKKE98j56k' - client.headers['poe-tag-id'] = md5(base_string.encode()).hexdigest() - - print(dumps(client.headers, indent=4)) - - response = client.post('https://poe.com/api/gql_POST', data=payload) - - if 'automated_request_detected' in response.text: - print('please try using a proxy / wait for fix') - - if 'Bad Request' in response.text: - if logging: - print('bad request, retrying...', response.json()) - quit() - - if logging: - print('send_code', response.json()) - - mail_content = mail_client.get_message() - mail_token = findall(r';">(\d{6,7})</div>', mail_content)[0] - - if logging: - print('code', mail_token) - - payload = dumps( - separators=(',', ':'), - obj={ - 'queryName': 'SignupOrLoginWithCodeSection_signupWithVerificationCodeMutation_Mutation', - 'variables': { - 'verificationCode': str(mail_token), - 'emailAddress': mail_address, - 'phoneNumber': None, - }, - 'query': 'mutation SignupOrLoginWithCodeSection_signupWithVerificationCodeMutation_Mutation(\n $verificationCode: String!\n $emailAddress: String\n $phoneNumber: String\n) {\n signupWithVerificationCode(verificationCode: $verificationCode, emailAddress: $emailAddress, phoneNumber: $phoneNumber) {\n status\n errorMessage\n }\n}\n', - }, - ) - - base_string = payload + client.headers['poe-formkey'] + 'WpuLMiXEKKE98j56k' - client.headers['poe-tag-id'] = md5(base_string.encode()).hexdigest() - - response = client.post('https://poe.com/api/gql_POST', data=payload) - if logging: - print('verify_code', response.json()) - - def get(self): - cookies = open(Path(__file__).resolve().parent / 'cookies.txt', 'r').read().splitlines() - return choice(cookies) - - @staticmethod - def delete(token: str, proxy: Optional[str] = None): - client = PoeClient(token, proxy=proxy) - client.delete_account() - - -class StreamingCompletion: - @staticmethod - def create( - model: str = 'gpt-4', - custom_model: bool = None, - prompt: str = 'hello world', - token: str = '', - proxy: Optional[str] = None, - ) -> Generator[PoeResponse, None, None]: - _model = MODELS[model] if not custom_model else custom_model - - proxies = {'http': 'http://' + proxy, 'https': 'http://' + proxy} if proxy else False - client = PoeClient(token) - client.proxy = proxies - - for chunk in client.send_message(_model, prompt): - yield PoeResponse( - **{ - 'id': chunk['messageId'], - 'object': 'text_completion', - 'created': chunk['creationTime'], - 'model': _model, - 'text': chunk['text_new'], - 'choices': [ - { - 'text': chunk['text_new'], - 'index': 0, - 'logprobs': None, - 'finish_reason': 'stop', - } - ], - 'usage': { - 'prompt_tokens': len(prompt), - 'completion_tokens': len(chunk['text_new']), - 'total_tokens': len(prompt) + len(chunk['text_new']), - }, - } - ) - - -class Completion: - @staticmethod - def create( - model: str = 'gpt-4', - custom_model: str = None, - prompt: str = 'hello world', - token: str = '', - proxy: Optional[str] = None, - ) -> PoeResponse: - _model = MODELS[model] if not custom_model else custom_model - - proxies = {'http': 'http://' + proxy, 'https': 'http://' + proxy} if proxy else False - client = PoeClient(token) - client.proxy = proxies - - chunk = None - for response in client.send_message(_model, prompt): - chunk = response - - return PoeResponse( - **{ - 'id': chunk['messageId'], - 'object': 'text_completion', - 'created': chunk['creationTime'], - 'model': _model, - 'text': chunk['text'], - 'choices': [ - { - 'text': chunk['text'], - 'index': 0, - 'logprobs': None, - 'finish_reason': 'stop', - } - ], - 'usage': { - 'prompt_tokens': len(prompt), - 'completion_tokens': len(chunk['text']), - 'total_tokens': len(prompt) + len(chunk['text']), - }, - } - ) - - -class Poe: - def __init__( - self, - model: str = 'ChatGPT', - driver: str = 'firefox', - download_driver: bool = False, - driver_path: Optional[str] = None, - cookie_path: str = './quora/cookie.json', - ): - # validating the model - if model and model not in MODELS: - raise RuntimeError('Sorry, the model you provided does not exist. Please check and try again.') - self.model = MODELS[model] - self.cookie_path = cookie_path - self.cookie = self.__load_cookie(driver, driver_path=driver_path) - self.client = PoeClient(self.cookie) - - def __load_cookie(self, driver: str, driver_path: Optional[str] = None) -> str: - if (cookie_file := Path(self.cookie_path)).exists(): - with cookie_file.open() as fp: - cookie = json.load(fp) - if datetime.fromtimestamp(cookie['expiry']) < datetime.now(): - cookie = self.__register_and_get_cookie(driver, driver_path=driver_path) - else: - print('Loading the cookie from file') - else: - cookie = self.__register_and_get_cookie(driver, driver_path=driver_path) - - return unquote(cookie['value']) - - def __register_and_get_cookie(self, driver: str, driver_path: Optional[str] = None) -> dict: - mail_client = Emailnator() - mail_address = mail_client.get_mail() - - driver = self.__resolve_driver(driver, driver_path=driver_path) - driver.get("https://www.poe.com") - - # clicking use email button - driver.find_element(By.XPATH, '//button[contains(text(), "Use email")]').click() - - email = WebDriverWait(driver, 30).until(EC.presence_of_element_located((By.XPATH, '//input[@type="email"]'))) - email.send_keys(mail_address) - driver.find_element(By.XPATH, '//button[text()="Go"]').click() - - code = findall(r';">(\d{6,7})</div>', mail_client.get_message())[0] - print(code) - - verification_code = WebDriverWait(driver, 30).until( - EC.presence_of_element_located((By.XPATH, '//input[@placeholder="Code"]')) - ) - verification_code.send_keys(code) - verify_button = EC.presence_of_element_located((By.XPATH, '//button[text()="Verify"]')) - login_button = EC.presence_of_element_located((By.XPATH, '//button[text()="Log In"]')) - - WebDriverWait(driver, 30).until(EC.any_of(verify_button, login_button)).click() - - cookie = driver.get_cookie('p-b') - - with open(self.cookie_path, 'w') as fw: - json.dump(cookie, fw) - - driver.close() - return cookie - - @staticmethod - def __resolve_driver(driver: str, driver_path: Optional[str] = None) -> Union[Firefox, Chrome]: - options = FirefoxOptions() if driver == 'firefox' else ChromeOptions() - options.add_argument('-headless') - - if driver_path: - options.binary_location = driver_path - try: - return Firefox(options=options) if driver == 'firefox' else Chrome(options=options) - except Exception: - raise Exception(SELENIUM_WEB_DRIVER_ERROR_MSG) - - def chat(self, message: str, model: Optional[str] = None) -> str: - if model and model not in MODELS: - raise RuntimeError('Sorry, the model you provided does not exist. Please check and try again.') - model = MODELS[model] if model else self.model - response = None - for chunk in self.client.send_message(model, message): - response = chunk['text'] - return response - - def create_bot(self, name: str, /, prompt: str = '', base_model: str = 'ChatGPT', description: str = '') -> None: - if base_model not in MODELS: - raise RuntimeError('Sorry, the base_model you provided does not exist. Please check and try again.') - - response = self.client.create_bot( - handle=name, - prompt=prompt, - base_model=MODELS[base_model], - description=description, - ) - print(f'Successfully created bot with name: {response["bot"]["displayName"]}') - - def list_bots(self) -> list: - return list(self.client.bot_names.values()) - - def delete_account(self) -> None: - self.client.delete_account() diff --git a/g4f/.v1/gpt4free/quora/api.py b/g4f/.v1/gpt4free/quora/api.py deleted file mode 100644 index 64021489..00000000 --- a/g4f/.v1/gpt4free/quora/api.py +++ /dev/null @@ -1,558 +0,0 @@ -# This file was taken from the repository poe-api https://github.com/ading2210/poe-api and is unmodified -# This file is licensed under the GNU GPL v3 and written by @ading2210 - -# license: -# ading2210/poe-api: a reverse engineered Python API wrapepr for Quora's Poe -# Copyright (C) 2023 ading2210 - -# This program is free software: you can redistribute it and/or modify -# it under the terms of the GNU General Public License as published by -# the Free Software Foundation, either version 3 of the License, or -# (at your option) any later version. - -# This program is distributed in the hope that it will be useful, -# but WITHOUT ANY WARRANTY; without even the implied warranty of -# MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the -# GNU General Public License for more details. - -# You should have received a copy of the GNU General Public License -# along with this program. If not, see <https://www.gnu.org/licenses/>. - -import hashlib -import json -import logging -import queue -import random -import re -import threading -import time -import traceback -from pathlib import Path -from urllib.parse import urlparse - -import requests -import requests.adapters -import websocket - -parent_path = Path(__file__).resolve().parent -queries_path = parent_path / "graphql" -queries = {} - -logging.basicConfig() -logger = logging.getLogger() - -user_agent = "Mozilla/5.0 (X11; Linux x86_64; rv:102.0) Gecko/20100101 Firefox/102.0" - - -def load_queries(): - for path in queries_path.iterdir(): - if path.suffix != ".graphql": - continue - with open(path) as f: - queries[path.stem] = f.read() - - -def generate_payload(query_name, variables): - return {"query": queries[query_name], "variables": variables} - - -def retry_request(method, *args, **kwargs): - """Retry a request with 10 attempts by default, delay increases exponentially""" - max_attempts: int = kwargs.pop("max_attempts", 10) - delay = kwargs.pop("delay", 1) - url = args[0] - - for attempt in range(1, max_attempts + 1): - try: - response = method(*args, **kwargs) - response.raise_for_status() - return response - except Exception as error: - logger.warning( - f"Attempt {attempt}/{max_attempts} failed with error: {error}. " - f"Retrying in {delay} seconds..." - ) - time.sleep(delay) - delay *= 2 - raise RuntimeError(f"Failed to download {url} after {max_attempts} attempts.") - - -class Client: - gql_url = "https://poe.com/api/gql_POST" - gql_recv_url = "https://poe.com/api/receive_POST" - home_url = "https://poe.com" - settings_url = "https://poe.com/api/settings" - - def __init__(self, token, proxy=None): - self.proxy = proxy - self.session = requests.Session() - self.adapter = requests.adapters.HTTPAdapter(pool_connections=100, pool_maxsize=100) - self.session.mount("http://", self.adapter) - self.session.mount("https://", self.adapter) - - if proxy: - self.session.proxies = {"http": self.proxy, "https": self.proxy} - logger.info(f"Proxy enabled: {self.proxy}") - - self.active_messages = {} - self.message_queues = {} - - self.session.cookies.set("p-b", token, domain="poe.com") - self.headers = { - "User-Agent": user_agent, - "Referrer": "https://poe.com/", - "Origin": "https://poe.com", - } - self.session.headers.update(self.headers) - - self.setup_connection() - self.connect_ws() - - def setup_connection(self): - self.ws_domain = f"tch{random.randint(1, 1e6)}" - self.next_data = self.get_next_data(overwrite_vars=True) - self.channel = self.get_channel_data() - self.bots = self.get_bots(download_next_data=False) - self.bot_names = self.get_bot_names() - - self.gql_headers = { - "poe-formkey": self.formkey, - "poe-tchannel": self.channel["channel"], - } - self.gql_headers = {**self.gql_headers, **self.headers} - self.subscribe() - - def extract_formkey(self, html): - script_regex = r"<script>if\(.+\)throw new Error;(.+)</script>" - script_text = re.search(script_regex, html).group(1) - key_regex = r'var .="([0-9a-f]+)",' - key_text = re.search(key_regex, script_text).group(1) - cipher_regex = r".\[(\d+)\]=.\[(\d+)\]" - cipher_pairs = re.findall(cipher_regex, script_text) - - formkey_list = [""] * len(cipher_pairs) - for pair in cipher_pairs: - formkey_index, key_index = map(int, pair) - formkey_list[formkey_index] = key_text[key_index] - formkey = "".join(formkey_list) - - return formkey - - def get_next_data(self, overwrite_vars=False): - logger.info("Downloading next_data...") - - r = retry_request(self.session.get, self.home_url) - json_regex = r'<script id="__NEXT_DATA__" type="application\/json">(.+?)</script>' - json_text = re.search(json_regex, r.text).group(1) - next_data = json.loads(json_text) - - if overwrite_vars: - self.formkey = self.extract_formkey(r.text) - self.viewer = next_data["props"]["pageProps"]["payload"]["viewer"] - self.next_data = next_data - - return next_data - - def get_bot(self, display_name): - url = f'https://poe.com/_next/data/{self.next_data["buildId"]}/{display_name}.json' - - r = retry_request(self.session.get, url) - - chat_data = r.json()["pageProps"]["payload"]["chatOfBotDisplayName"] - return chat_data - - def get_bots(self, download_next_data=True): - logger.info("Downloading all bots...") - if download_next_data: - next_data = self.get_next_data(overwrite_vars=True) - else: - next_data = self.next_data - - if not "viewerBotList" in self.viewer: - raise RuntimeError("Invalid token or no bots are available.") - bot_list = self.viewer["viewerBotList"] - - threads = [] - bots = {} - - def get_bot_thread(bot): - chat_data = self.get_bot(bot["displayName"]) - bots[chat_data["defaultBotObject"]["nickname"]] = chat_data - - for bot in bot_list: - thread = threading.Thread(target=get_bot_thread, args=(bot,), daemon=True) - threads.append(thread) - - for thread in threads: - thread.start() - for thread in threads: - thread.join() - - self.bots = bots - self.bot_names = self.get_bot_names() - return bots - - def get_bot_names(self): - bot_names = {} - for bot_nickname in self.bots: - bot_obj = self.bots[bot_nickname]["defaultBotObject"] - bot_names[bot_nickname] = bot_obj["displayName"] - return bot_names - - def get_remaining_messages(self, chatbot): - chat_data = self.get_bot(self.bot_names[chatbot]) - return chat_data["defaultBotObject"]["messageLimit"]["numMessagesRemaining"] - - def get_channel_data(self, channel=None): - logger.info("Downloading channel data...") - r = retry_request(self.session.get, self.settings_url) - data = r.json() - - return data["tchannelData"] - - def get_websocket_url(self, channel=None): - if channel is None: - channel = self.channel - query = f'?min_seq={channel["minSeq"]}&channel={channel["channel"]}&hash={channel["channelHash"]}' - return f'wss://{self.ws_domain}.tch.{channel["baseHost"]}/up/{channel["boxName"]}/updates' + query - - def send_query(self, query_name, variables): - for i in range(20): - json_data = generate_payload(query_name, variables) - payload = json.dumps(json_data, separators=(",", ":")) - - base_string = payload + self.gql_headers["poe-formkey"] + "WpuLMiXEKKE98j56k" - - headers = { - "content-type": "application/json", - "poe-tag-id": hashlib.md5(base_string.encode()).hexdigest(), - } - headers = {**self.gql_headers, **headers} - - r = retry_request(self.session.post, self.gql_url, data=payload, headers=headers) - - data = r.json() - if data["data"] is None: - logger.warn(f'{query_name} returned an error: {data["errors"][0]["message"]} | Retrying ({i + 1}/20)') - time.sleep(2) - continue - - return r.json() - - raise RuntimeError(f"{query_name} failed too many times.") - - def subscribe(self): - logger.info("Subscribing to mutations") - result = self.send_query( - "SubscriptionsMutation", - { - "subscriptions": [ - { - "subscriptionName": "messageAdded", - "query": queries["MessageAddedSubscription"], - }, - { - "subscriptionName": "viewerStateUpdated", - "query": queries["ViewerStateUpdatedSubscription"], - }, - ] - }, - ) - - def ws_run_thread(self): - kwargs = {} - if self.proxy: - proxy_parsed = urlparse(self.proxy) - kwargs = { - "proxy_type": proxy_parsed.scheme, - "http_proxy_host": proxy_parsed.hostname, - "http_proxy_port": proxy_parsed.port, - } - - self.ws.run_forever(**kwargs) - - def connect_ws(self): - self.ws_connected = False - self.ws = websocket.WebSocketApp( - self.get_websocket_url(), - header={"User-Agent": user_agent}, - on_message=self.on_message, - on_open=self.on_ws_connect, - on_error=self.on_ws_error, - on_close=self.on_ws_close, - ) - t = threading.Thread(target=self.ws_run_thread, daemon=True) - t.start() - while not self.ws_connected: - time.sleep(0.01) - - def disconnect_ws(self): - if self.ws: - self.ws.close() - self.ws_connected = False - - def on_ws_connect(self, ws): - self.ws_connected = True - - def on_ws_close(self, ws, close_status_code, close_message): - self.ws_connected = False - logger.warn(f"Websocket closed with status {close_status_code}: {close_message}") - - def on_ws_error(self, ws, error): - self.disconnect_ws() - self.connect_ws() - - def on_message(self, ws, msg): - try: - data = json.loads(msg) - - if not "messages" in data: - return - - for message_str in data["messages"]: - message_data = json.loads(message_str) - if message_data["message_type"] != "subscriptionUpdate": - continue - message = message_data["payload"]["data"]["messageAdded"] - - copied_dict = self.active_messages.copy() - for key, value in copied_dict.items(): - # add the message to the appropriate queue - if value == message["messageId"] and key in self.message_queues: - self.message_queues[key].put(message) - return - - # indicate that the response id is tied to the human message id - elif key != "pending" and value is None and message["state"] != "complete": - self.active_messages[key] = message["messageId"] - self.message_queues[key].put(message) - return - - except Exception: - logger.error(traceback.format_exc()) - self.disconnect_ws() - self.connect_ws() - - def send_message(self, chatbot, message, with_chat_break=False, timeout=20): - # if there is another active message, wait until it has finished sending - while None in self.active_messages.values(): - time.sleep(0.01) - - # None indicates that a message is still in progress - self.active_messages["pending"] = None - - logger.info(f"Sending message to {chatbot}: {message}") - - # reconnect websocket - if not self.ws_connected: - self.disconnect_ws() - self.setup_connection() - self.connect_ws() - - message_data = self.send_query( - "SendMessageMutation", - { - "bot": chatbot, - "query": message, - "chatId": self.bots[chatbot]["chatId"], - "source": None, - "withChatBreak": with_chat_break, - }, - ) - del self.active_messages["pending"] - - if not message_data["data"]["messageEdgeCreate"]["message"]: - raise RuntimeError(f"Daily limit reached for {chatbot}.") - try: - human_message = message_data["data"]["messageEdgeCreate"]["message"] - human_message_id = human_message["node"]["messageId"] - except TypeError: - raise RuntimeError(f"An unknown error occurred. Raw response data: {message_data}") - - # indicate that the current message is waiting for a response - self.active_messages[human_message_id] = None - self.message_queues[human_message_id] = queue.Queue() - - last_text = "" - message_id = None - while True: - try: - message = self.message_queues[human_message_id].get(timeout=timeout) - except queue.Empty: - del self.active_messages[human_message_id] - del self.message_queues[human_message_id] - raise RuntimeError("Response timed out.") - - # only break when the message is marked as complete - if message["state"] == "complete": - if last_text and message["messageId"] == message_id: - break - else: - continue - - # update info about response - message["text_new"] = message["text"][len(last_text) :] - last_text = message["text"] - message_id = message["messageId"] - - yield message - - del self.active_messages[human_message_id] - del self.message_queues[human_message_id] - - def send_chat_break(self, chatbot): - logger.info(f"Sending chat break to {chatbot}") - result = self.send_query("AddMessageBreakMutation", {"chatId": self.bots[chatbot]["chatId"]}) - return result["data"]["messageBreakCreate"]["message"] - - def get_message_history(self, chatbot, count=25, cursor=None): - logger.info(f"Downloading {count} messages from {chatbot}") - - messages = [] - if cursor is None: - chat_data = self.get_bot(self.bot_names[chatbot]) - if not chat_data["messagesConnection"]["edges"]: - return [] - messages = chat_data["messagesConnection"]["edges"][:count] - cursor = chat_data["messagesConnection"]["pageInfo"]["startCursor"] - count -= len(messages) - - cursor = str(cursor) - if count > 50: - messages = self.get_message_history(chatbot, count=50, cursor=cursor) + messages - while count > 0: - count -= 50 - new_cursor = messages[0]["cursor"] - new_messages = self.get_message_history(chatbot, min(50, count), cursor=new_cursor) - messages = new_messages + messages - return messages - elif count <= 0: - return messages - - result = self.send_query( - "ChatListPaginationQuery", - {"count": count, "cursor": cursor, "id": self.bots[chatbot]["id"]}, - ) - query_messages = result["data"]["node"]["messagesConnection"]["edges"] - messages = query_messages + messages - return messages - - def delete_message(self, message_ids): - logger.info(f"Deleting messages: {message_ids}") - if not type(message_ids) is list: - message_ids = [int(message_ids)] - - result = self.send_query("DeleteMessageMutation", {"messageIds": message_ids}) - - def purge_conversation(self, chatbot, count=-1): - logger.info(f"Purging messages from {chatbot}") - last_messages = self.get_message_history(chatbot, count=50)[::-1] - while last_messages: - message_ids = [] - for message in last_messages: - if count == 0: - break - count -= 1 - message_ids.append(message["node"]["messageId"]) - - self.delete_message(message_ids) - - if count == 0: - return - last_messages = self.get_message_history(chatbot, count=50)[::-1] - logger.info(f"No more messages left to delete.") - - def create_bot( - self, - handle, - prompt="", - base_model="chinchilla", - description="", - intro_message="", - api_key=None, - api_bot=False, - api_url=None, - prompt_public=True, - pfp_url=None, - linkification=False, - markdown_rendering=True, - suggested_replies=False, - private=False, - ): - result = self.send_query( - "PoeBotCreateMutation", - { - "model": base_model, - "handle": handle, - "prompt": prompt, - "isPromptPublic": prompt_public, - "introduction": intro_message, - "description": description, - "profilePictureUrl": pfp_url, - "apiUrl": api_url, - "apiKey": api_key, - "isApiBot": api_bot, - "hasLinkification": linkification, - "hasMarkdownRendering": markdown_rendering, - "hasSuggestedReplies": suggested_replies, - "isPrivateBot": private, - }, - ) - - data = result["data"]["poeBotCreate"] - if data["status"] != "success": - raise RuntimeError(f"Poe returned an error while trying to create a bot: {data['status']}") - self.get_bots() - return data - - def edit_bot( - self, - bot_id, - handle, - prompt="", - base_model="chinchilla", - description="", - intro_message="", - api_key=None, - api_url=None, - private=False, - prompt_public=True, - pfp_url=None, - linkification=False, - markdown_rendering=True, - suggested_replies=False, - ): - result = self.send_query( - "PoeBotEditMutation", - { - "baseBot": base_model, - "botId": bot_id, - "handle": handle, - "prompt": prompt, - "isPromptPublic": prompt_public, - "introduction": intro_message, - "description": description, - "profilePictureUrl": pfp_url, - "apiUrl": api_url, - "apiKey": api_key, - "hasLinkification": linkification, - "hasMarkdownRendering": markdown_rendering, - "hasSuggestedReplies": suggested_replies, - "isPrivateBot": private, - }, - ) - - data = result["data"]["poeBotEdit"] - if data["status"] != "success": - raise RuntimeError(f"Poe returned an error while trying to edit a bot: {data['status']}") - self.get_bots() - return data - - def delete_account(self) -> None: - response = self.send_query('SettingsDeleteAccountButton_deleteAccountMutation_Mutation', {}) - data = response['data']['deleteAccount'] - if 'viewer' not in data: - raise RuntimeError(f'Error occurred while deleting the account, Please try again!') - - -load_queries() diff --git a/g4f/.v1/gpt4free/quora/backup-mail.py b/g4f/.v1/gpt4free/quora/backup-mail.py deleted file mode 100644 index 749149fd..00000000 --- a/g4f/.v1/gpt4free/quora/backup-mail.py +++ /dev/null @@ -1,45 +0,0 @@ -from json import loads -from re import findall -from time import sleep - -from requests import Session - - -class Mail: - def __init__(self) -> None: - self.client = Session() - self.client.post("https://etempmail.com/") - self.cookies = {'acceptcookie': 'true'} - self.cookies["ci_session"] = self.client.cookies.get_dict()["ci_session"] - self.email = None - - def get_mail(self): - respone = self.client.post("https://etempmail.com/getEmailAddress") - # cookies - self.cookies["lisansimo"] = eval(respone.text)["recover_key"] - self.email = eval(respone.text)["address"] - return self.email - - def get_message(self): - print("Waiting for message...") - while True: - sleep(5) - respone = self.client.post("https://etempmail.com/getInbox") - mail_token = loads(respone.text) - print(self.client.cookies.get_dict()) - if len(mail_token) == 1: - break - - params = { - 'id': '1', - } - self.mail_context = self.client.post("https://etempmail.com/getInbox", params=params) - self.mail_context = eval(self.mail_context.text)[0]["body"] - return self.mail_context - - # ,cookies=self.cookies - def get_verification_code(self): - message = self.mail_context - code = findall(r';">(\d{6,7})</div>', message)[0] - print(f"Verification code: {code}") - return code diff --git a/g4f/.v1/gpt4free/quora/cookies.txt b/g4f/.v1/gpt4free/quora/cookies.txt deleted file mode 100644 index 9cccf6ba..00000000 --- a/g4f/.v1/gpt4free/quora/cookies.txt +++ /dev/null @@ -1,30 +0,0 @@ -SmPiNXZI9hBTuf3viz74PA== -zw7RoKQfeEehiaelYMRWeA== -NEttgJ_rRQdO05Tppx6hFw== -3OnmC0r9njYdNWhWszdQJg== -8hZKR7MxwUTEHvO45TEViw== -Eea6BqK0AmosTKzoI3AAow== -pUEbtxobN_QUSpLIR8RGww== -9_dUWxKkHHhpQRSvCvBk2Q== -UV45rvGwUwi2qV9QdIbMcw== -cVIN0pK1Wx-F7zCdUxlYqA== -UP2wQVds17VFHh6IfCQFrA== -18eKr0ME2Tzifdfqat38Aw== -FNgKEpc2r-XqWe0rHBfYpg== -juCAh6kB0sUpXHvKik2woA== -nBvuNYRLaE4xE4HuzBPiIQ== -oyae3iClomSrk6RJywZ4iw== -1Z27Ul8BTdNOhncT5H6wdg== -wfUfJIlwQwUss8l-3kDt3w== -f6Jw_Nr0PietpNCtOCXJTw== -6Jc3yCs7XhDRNHa4ZML09g== -3vy44sIy-ZlTMofFiFDttw== -p9FbMGGiK1rShKgL3YWkDg== -pw6LI5Op84lf4HOY7fn91A== -QemKm6aothMvqcEgeKFDlQ== -cceZzucA-CEHR0Gt6VLYLQ== -JRRObMp2RHVn5u4730DPvQ== -XNt0wLTjX7Z-EsRR3TJMIQ== -csjjirAUKtT5HT1KZUq1kg== -8qZdCatCPQZyS7jsO4hkdQ== -esnUxcBhvH1DmCJTeld0qw== diff --git a/g4f/.v1/gpt4free/quora/graphql/AddHumanMessageMutation.graphql b/g4f/.v1/gpt4free/quora/graphql/AddHumanMessageMutation.graphql deleted file mode 100644 index 01e6bc8c..00000000 --- a/g4f/.v1/gpt4free/quora/graphql/AddHumanMessageMutation.graphql +++ /dev/null @@ -1,52 +0,0 @@ -mutation AddHumanMessageMutation( - $chatId: BigInt! - $bot: String! - $query: String! - $source: MessageSource - $withChatBreak: Boolean! = false -) { - messageCreateWithStatus( - chatId: $chatId - bot: $bot - query: $query - source: $source - withChatBreak: $withChatBreak - ) { - message { - id - __typename - messageId - text - linkifiedText - authorNickname - state - vote - voteReason - creationTime - suggestedReplies - chat { - id - shouldShowDisclaimer - } - } - messageLimit{ - canSend - numMessagesRemaining - resetTime - shouldShowReminder - } - chatBreak { - id - __typename - messageId - text - linkifiedText - authorNickname - state - vote - voteReason - creationTime - suggestedReplies - } - } -} diff --git a/g4f/.v1/gpt4free/quora/graphql/AddMessageBreakMutation.graphql b/g4f/.v1/gpt4free/quora/graphql/AddMessageBreakMutation.graphql deleted file mode 100644 index b28d9903..00000000 --- a/g4f/.v1/gpt4free/quora/graphql/AddMessageBreakMutation.graphql +++ /dev/null @@ -1,17 +0,0 @@ -mutation AddMessageBreakMutation($chatId: BigInt!) { - messageBreakCreate(chatId: $chatId) { - message { - id - __typename - messageId - text - linkifiedText - authorNickname - state - vote - voteReason - creationTime - suggestedReplies - } - } -} diff --git a/g4f/.v1/gpt4free/quora/graphql/AutoSubscriptionMutation.graphql b/g4f/.v1/gpt4free/quora/graphql/AutoSubscriptionMutation.graphql deleted file mode 100644 index 6cf7bf74..00000000 --- a/g4f/.v1/gpt4free/quora/graphql/AutoSubscriptionMutation.graphql +++ /dev/null @@ -1,7 +0,0 @@ -mutation AutoSubscriptionMutation($subscriptions: [AutoSubscriptionQuery!]!) { - autoSubscribe(subscriptions: $subscriptions) { - viewer { - id - } - } -} diff --git a/g4f/.v1/gpt4free/quora/graphql/BioFragment.graphql b/g4f/.v1/gpt4free/quora/graphql/BioFragment.graphql deleted file mode 100644 index c4218030..00000000 --- a/g4f/.v1/gpt4free/quora/graphql/BioFragment.graphql +++ /dev/null @@ -1,8 +0,0 @@ -fragment BioFragment on Viewer { - id - poeUser { - id - uid - bio - } -} diff --git a/g4f/.v1/gpt4free/quora/graphql/ChatAddedSubscription.graphql b/g4f/.v1/gpt4free/quora/graphql/ChatAddedSubscription.graphql deleted file mode 100644 index 664b107f..00000000 --- a/g4f/.v1/gpt4free/quora/graphql/ChatAddedSubscription.graphql +++ /dev/null @@ -1,5 +0,0 @@ -subscription ChatAddedSubscription { - chatAdded { - ...ChatFragment - } -} diff --git a/g4f/.v1/gpt4free/quora/graphql/ChatFragment.graphql b/g4f/.v1/gpt4free/quora/graphql/ChatFragment.graphql deleted file mode 100644 index 605645ff..00000000 --- a/g4f/.v1/gpt4free/quora/graphql/ChatFragment.graphql +++ /dev/null @@ -1,6 +0,0 @@ -fragment ChatFragment on Chat { - id - chatId - defaultBotNickname - shouldShowDisclaimer -} diff --git a/g4f/.v1/gpt4free/quora/graphql/ChatListPaginationQuery.graphql b/g4f/.v1/gpt4free/quora/graphql/ChatListPaginationQuery.graphql deleted file mode 100644 index 6d9ae884..00000000 --- a/g4f/.v1/gpt4free/quora/graphql/ChatListPaginationQuery.graphql +++ /dev/null @@ -1,378 +0,0 @@ -query ChatListPaginationQuery( - $count: Int = 5 - $cursor: String - $id: ID! -) { - node(id: $id) { - __typename - ...ChatPageMain_chat_1G22uz - id - } -} - -fragment BotImage_bot on Bot { - displayName - ...botHelpers_useDeletion_bot - ...BotImage_useProfileImage_bot -} - -fragment BotImage_useProfileImage_bot on Bot { - image { - __typename - ... on LocalBotImage { - localName - } - ... on UrlBotImage { - url - } - } - ...botHelpers_useDeletion_bot -} - -fragment ChatMessageDownvotedButton_message on Message { - ...MessageFeedbackReasonModal_message - ...MessageFeedbackOtherModal_message -} - -fragment ChatMessageDropdownMenu_message on Message { - id - messageId - vote - text - author - ...chatHelpers_isBotMessage -} - -fragment ChatMessageFeedbackButtons_message on Message { - id - messageId - vote - voteReason - ...ChatMessageDownvotedButton_message -} - -fragment ChatMessageInputView_chat on Chat { - id - chatId - defaultBotObject { - nickname - messageLimit { - dailyBalance - shouldShowRemainingMessageCount - } - hasClearContext - isDown - ...botHelpers_useDeletion_bot - id - } - shouldShowDisclaimer - ...chatHelpers_useSendMessage_chat - ...chatHelpers_useSendChatBreak_chat -} - -fragment ChatMessageInputView_edges on MessageEdge { - node { - ...chatHelpers_isChatBreak - ...chatHelpers_isHumanMessage - state - text - id - } -} - -fragment ChatMessageOverflowButton_message on Message { - text - ...ChatMessageDropdownMenu_message - ...chatHelpers_isBotMessage -} - -fragment ChatMessageSuggestedReplies_SuggestedReplyButton_chat on Chat { - ...chatHelpers_useSendMessage_chat -} - -fragment ChatMessageSuggestedReplies_SuggestedReplyButton_message on Message { - messageId -} - -fragment ChatMessageSuggestedReplies_chat on Chat { - ...ChatWelcomeView_chat - ...ChatMessageSuggestedReplies_SuggestedReplyButton_chat - defaultBotObject { - hasWelcomeTopics - id - } -} - -fragment ChatMessageSuggestedReplies_message on Message { - suggestedReplies - ...ChatMessageSuggestedReplies_SuggestedReplyButton_message -} - -fragment ChatMessage_chat on Chat { - defaultBotObject { - hasWelcomeTopics - hasSuggestedReplies - disclaimerText - messageLimit { - ...ChatPageRateLimitedBanner_messageLimit - } - ...ChatPageDisclaimer_bot - id - } - ...ChatMessageSuggestedReplies_chat - ...ChatWelcomeView_chat -} - -fragment ChatMessage_message on Message { - id - messageId - text - author - linkifiedText - state - contentType - ...ChatMessageSuggestedReplies_message - ...ChatMessageFeedbackButtons_message - ...ChatMessageOverflowButton_message - ...chatHelpers_isHumanMessage - ...chatHelpers_isBotMessage - ...chatHelpers_isChatBreak - ...chatHelpers_useTimeoutLevel - ...MarkdownLinkInner_message - ...IdAnnotation_node -} - -fragment ChatMessagesView_chat on Chat { - ...ChatMessage_chat - ...ChatWelcomeView_chat - ...IdAnnotation_node - defaultBotObject { - hasWelcomeTopics - messageLimit { - ...ChatPageRateLimitedBanner_messageLimit - } - id - } -} - -fragment ChatMessagesView_edges on MessageEdge { - node { - id - messageId - creationTime - ...ChatMessage_message - ...chatHelpers_isBotMessage - ...chatHelpers_isHumanMessage - ...chatHelpers_isChatBreak - } -} - -fragment ChatPageDeleteFooter_chat on Chat { - ...MessageDeleteConfirmationModal_chat -} - -fragment ChatPageDisclaimer_bot on Bot { - disclaimerText -} - -fragment ChatPageMainFooter_chat on Chat { - defaultBotObject { - ...ChatPageMainFooter_useAccessMessage_bot - id - } - ...ChatMessageInputView_chat - ...ChatPageShareFooter_chat - ...ChatPageDeleteFooter_chat -} - -fragment ChatPageMainFooter_edges on MessageEdge { - ...ChatMessageInputView_edges -} - -fragment ChatPageMainFooter_useAccessMessage_bot on Bot { - ...botHelpers_useDeletion_bot - ...botHelpers_useViewerCanAccessPrivateBot -} - -fragment ChatPageMain_chat_1G22uz on Chat { - id - chatId - ...ChatPageShareFooter_chat - ...ChatPageDeleteFooter_chat - ...ChatMessagesView_chat - ...MarkdownLinkInner_chat - ...chatHelpers_useUpdateStaleChat_chat - ...ChatSubscriptionPaywallContextWrapper_chat - ...ChatPageMainFooter_chat - messagesConnection(last: $count, before: $cursor) { - edges { - ...ChatMessagesView_edges - ...ChatPageMainFooter_edges - ...MarkdownLinkInner_edges - node { - ...chatHelpers_useUpdateStaleChat_message - id - __typename - } - cursor - id - } - pageInfo { - hasPreviousPage - startCursor - } - id - } -} - -fragment ChatPageRateLimitedBanner_messageLimit on MessageLimit { - numMessagesRemaining -} - -fragment ChatPageShareFooter_chat on Chat { - chatId -} - -fragment ChatSubscriptionPaywallContextWrapper_chat on Chat { - defaultBotObject { - messageLimit { - numMessagesRemaining - shouldShowRemainingMessageCount - } - ...SubscriptionPaywallModal_bot - id - } -} - -fragment ChatWelcomeView_ChatWelcomeButton_chat on Chat { - ...chatHelpers_useSendMessage_chat -} - -fragment ChatWelcomeView_chat on Chat { - ...ChatWelcomeView_ChatWelcomeButton_chat - defaultBotObject { - displayName - id - } -} - -fragment IdAnnotation_node on Node { - __isNode: __typename - id -} - -fragment MarkdownLinkInner_chat on Chat { - id - chatId - defaultBotObject { - nickname - id - } - ...chatHelpers_useSendMessage_chat -} - -fragment MarkdownLinkInner_edges on MessageEdge { - node { - state - id - } -} - -fragment MarkdownLinkInner_message on Message { - messageId -} - -fragment MessageDeleteConfirmationModal_chat on Chat { - id -} - -fragment MessageFeedbackOtherModal_message on Message { - id - messageId -} - -fragment MessageFeedbackReasonModal_message on Message { - id - messageId -} - -fragment SubscriptionPaywallModal_bot on Bot { - displayName - messageLimit { - dailyLimit - numMessagesRemaining - shouldShowRemainingMessageCount - resetTime - } - ...BotImage_bot -} - -fragment botHelpers_useDeletion_bot on Bot { - deletionState -} - -fragment botHelpers_useViewerCanAccessPrivateBot on Bot { - isPrivateBot - viewerIsCreator -} - -fragment chatHelpers_isBotMessage on Message { - ...chatHelpers_isHumanMessage - ...chatHelpers_isChatBreak -} - -fragment chatHelpers_isChatBreak on Message { - author -} - -fragment chatHelpers_isHumanMessage on Message { - author -} - -fragment chatHelpers_useSendChatBreak_chat on Chat { - id - chatId - defaultBotObject { - nickname - introduction - model - id - } - shouldShowDisclaimer -} - -fragment chatHelpers_useSendMessage_chat on Chat { - id - chatId - defaultBotObject { - id - nickname - } - shouldShowDisclaimer -} - -fragment chatHelpers_useTimeoutLevel on Message { - id - state - text - messageId - chat { - chatId - defaultBotNickname - id - } -} - -fragment chatHelpers_useUpdateStaleChat_chat on Chat { - chatId - defaultBotObject { - contextClearWindowSecs - id - } - ...chatHelpers_useSendChatBreak_chat -} - -fragment chatHelpers_useUpdateStaleChat_message on Message { - creationTime - ...chatHelpers_isChatBreak -} diff --git a/g4f/.v1/gpt4free/quora/graphql/ChatPaginationQuery.graphql b/g4f/.v1/gpt4free/quora/graphql/ChatPaginationQuery.graphql deleted file mode 100644 index f2452cd6..00000000 --- a/g4f/.v1/gpt4free/quora/graphql/ChatPaginationQuery.graphql +++ /dev/null @@ -1,26 +0,0 @@ -query ChatPaginationQuery($bot: String!, $before: String, $last: Int! = 10) { - chatOfBot(bot: $bot) { - id - __typename - messagesConnection(before: $before, last: $last) { - pageInfo { - hasPreviousPage - } - edges { - node { - id - __typename - messageId - text - linkifiedText - authorNickname - state - vote - voteReason - creationTime - suggestedReplies - } - } - } - } -} diff --git a/g4f/.v1/gpt4free/quora/graphql/ChatViewQuery.graphql b/g4f/.v1/gpt4free/quora/graphql/ChatViewQuery.graphql deleted file mode 100644 index c330107d..00000000 --- a/g4f/.v1/gpt4free/quora/graphql/ChatViewQuery.graphql +++ /dev/null @@ -1,8 +0,0 @@ -query ChatViewQuery($bot: String!) { - chatOfBot(bot: $bot) { - id - chatId - defaultBotNickname - shouldShowDisclaimer - } -} diff --git a/g4f/.v1/gpt4free/quora/graphql/DeleteHumanMessagesMutation.graphql b/g4f/.v1/gpt4free/quora/graphql/DeleteHumanMessagesMutation.graphql deleted file mode 100644 index 42692c6e..00000000 --- a/g4f/.v1/gpt4free/quora/graphql/DeleteHumanMessagesMutation.graphql +++ /dev/null @@ -1,7 +0,0 @@ -mutation DeleteHumanMessagesMutation($messageIds: [BigInt!]!) { - messagesDelete(messageIds: $messageIds) { - viewer { - id - } - } -} diff --git a/g4f/.v1/gpt4free/quora/graphql/DeleteMessageMutation.graphql b/g4f/.v1/gpt4free/quora/graphql/DeleteMessageMutation.graphql deleted file mode 100644 index 7b9e36d4..00000000 --- a/g4f/.v1/gpt4free/quora/graphql/DeleteMessageMutation.graphql +++ /dev/null @@ -1,7 +0,0 @@ -mutation deleteMessageMutation( - $messageIds: [BigInt!]! -) { - messagesDelete(messageIds: $messageIds) { - edgeIds - } -}
\ No newline at end of file diff --git a/g4f/.v1/gpt4free/quora/graphql/HandleFragment.graphql b/g4f/.v1/gpt4free/quora/graphql/HandleFragment.graphql deleted file mode 100644 index f53c484b..00000000 --- a/g4f/.v1/gpt4free/quora/graphql/HandleFragment.graphql +++ /dev/null @@ -1,8 +0,0 @@ -fragment HandleFragment on Viewer { - id - poeUser { - id - uid - handle - } -} diff --git a/g4f/.v1/gpt4free/quora/graphql/LoginWithVerificationCodeMutation.graphql b/g4f/.v1/gpt4free/quora/graphql/LoginWithVerificationCodeMutation.graphql deleted file mode 100644 index 723b1f44..00000000 --- a/g4f/.v1/gpt4free/quora/graphql/LoginWithVerificationCodeMutation.graphql +++ /dev/null @@ -1,13 +0,0 @@ -mutation LoginWithVerificationCodeMutation( - $verificationCode: String! - $emailAddress: String - $phoneNumber: String -) { - loginWithVerificationCode( - verificationCode: $verificationCode - emailAddress: $emailAddress - phoneNumber: $phoneNumber - ) { - status - } -} diff --git a/g4f/.v1/gpt4free/quora/graphql/MessageAddedSubscription.graphql b/g4f/.v1/gpt4free/quora/graphql/MessageAddedSubscription.graphql deleted file mode 100644 index 8dc9499c..00000000 --- a/g4f/.v1/gpt4free/quora/graphql/MessageAddedSubscription.graphql +++ /dev/null @@ -1,100 +0,0 @@ -subscription messageAdded ( - $chatId: BigInt! -) { - messageAdded(chatId: $chatId) { - id - messageId - creationTime - state - ...ChatMessage_message - ...chatHelpers_isBotMessage - } -} - -fragment ChatMessageDownvotedButton_message on Message { - ...MessageFeedbackReasonModal_message - ...MessageFeedbackOtherModal_message -} - -fragment ChatMessageDropdownMenu_message on Message { - id - messageId - vote - text - linkifiedText - ...chatHelpers_isBotMessage -} - -fragment ChatMessageFeedbackButtons_message on Message { - id - messageId - vote - voteReason - ...ChatMessageDownvotedButton_message -} - -fragment ChatMessageOverflowButton_message on Message { - text - ...ChatMessageDropdownMenu_message - ...chatHelpers_isBotMessage -} - -fragment ChatMessageSuggestedReplies_SuggestedReplyButton_message on Message { - messageId -} - -fragment ChatMessageSuggestedReplies_message on Message { - suggestedReplies - ...ChatMessageSuggestedReplies_SuggestedReplyButton_message -} - -fragment ChatMessage_message on Message { - id - messageId - text - author - linkifiedText - state - ...ChatMessageSuggestedReplies_message - ...ChatMessageFeedbackButtons_message - ...ChatMessageOverflowButton_message - ...chatHelpers_isHumanMessage - ...chatHelpers_isBotMessage - ...chatHelpers_isChatBreak - ...chatHelpers_useTimeoutLevel - ...MarkdownLinkInner_message -} - -fragment MarkdownLinkInner_message on Message { - messageId -} - -fragment MessageFeedbackOtherModal_message on Message { - id - messageId -} - -fragment MessageFeedbackReasonModal_message on Message { - id - messageId -} - -fragment chatHelpers_isBotMessage on Message { - ...chatHelpers_isHumanMessage - ...chatHelpers_isChatBreak -} - -fragment chatHelpers_isChatBreak on Message { - author -} - -fragment chatHelpers_isHumanMessage on Message { - author -} - -fragment chatHelpers_useTimeoutLevel on Message { - id - state - text - messageId -} diff --git a/g4f/.v1/gpt4free/quora/graphql/MessageDeletedSubscription.graphql b/g4f/.v1/gpt4free/quora/graphql/MessageDeletedSubscription.graphql deleted file mode 100644 index 54c1c164..00000000 --- a/g4f/.v1/gpt4free/quora/graphql/MessageDeletedSubscription.graphql +++ /dev/null @@ -1,6 +0,0 @@ -subscription MessageDeletedSubscription($chatId: BigInt!) { - messageDeleted(chatId: $chatId) { - id - messageId - } -} diff --git a/g4f/.v1/gpt4free/quora/graphql/MessageFragment.graphql b/g4f/.v1/gpt4free/quora/graphql/MessageFragment.graphql deleted file mode 100644 index cc860811..00000000 --- a/g4f/.v1/gpt4free/quora/graphql/MessageFragment.graphql +++ /dev/null @@ -1,13 +0,0 @@ -fragment MessageFragment on Message { - id - __typename - messageId - text - linkifiedText - authorNickname - state - vote - voteReason - creationTime - suggestedReplies -} diff --git a/g4f/.v1/gpt4free/quora/graphql/MessageRemoveVoteMutation.graphql b/g4f/.v1/gpt4free/quora/graphql/MessageRemoveVoteMutation.graphql deleted file mode 100644 index d5e6e610..00000000 --- a/g4f/.v1/gpt4free/quora/graphql/MessageRemoveVoteMutation.graphql +++ /dev/null @@ -1,7 +0,0 @@ -mutation MessageRemoveVoteMutation($messageId: BigInt!) { - messageRemoveVote(messageId: $messageId) { - message { - ...MessageFragment - } - } -} diff --git a/g4f/.v1/gpt4free/quora/graphql/MessageSetVoteMutation.graphql b/g4f/.v1/gpt4free/quora/graphql/MessageSetVoteMutation.graphql deleted file mode 100644 index 76000df0..00000000 --- a/g4f/.v1/gpt4free/quora/graphql/MessageSetVoteMutation.graphql +++ /dev/null @@ -1,7 +0,0 @@ -mutation MessageSetVoteMutation($messageId: BigInt!, $voteType: VoteType!, $reason: String) { - messageSetVote(messageId: $messageId, voteType: $voteType, reason: $reason) { - message { - ...MessageFragment - } - } -} diff --git a/g4f/.v1/gpt4free/quora/graphql/PoeBotCreateMutation.graphql b/g4f/.v1/gpt4free/quora/graphql/PoeBotCreateMutation.graphql deleted file mode 100644 index 971b4248..00000000 --- a/g4f/.v1/gpt4free/quora/graphql/PoeBotCreateMutation.graphql +++ /dev/null @@ -1,73 +0,0 @@ -mutation CreateBotMain_poeBotCreate_Mutation( - $model: String! - $handle: String! - $prompt: String! - $isPromptPublic: Boolean! - $introduction: String! - $description: String! - $profilePictureUrl: String - $apiUrl: String - $apiKey: String - $isApiBot: Boolean - $hasLinkification: Boolean - $hasMarkdownRendering: Boolean - $hasSuggestedReplies: Boolean - $isPrivateBot: Boolean -) { - poeBotCreate(model: $model, handle: $handle, promptPlaintext: $prompt, isPromptPublic: $isPromptPublic, introduction: $introduction, description: $description, profilePicture: $profilePictureUrl, apiUrl: $apiUrl, apiKey: $apiKey, isApiBot: $isApiBot, hasLinkification: $hasLinkification, hasMarkdownRendering: $hasMarkdownRendering, hasSuggestedReplies: $hasSuggestedReplies, isPrivateBot: $isPrivateBot) { - status - bot { - id - ...BotHeader_bot - } - } -} - -fragment BotHeader_bot on Bot { - displayName - messageLimit { - dailyLimit - } - ...BotImage_bot - ...BotLink_bot - ...IdAnnotation_node - ...botHelpers_useViewerCanAccessPrivateBot - ...botHelpers_useDeletion_bot -} - -fragment BotImage_bot on Bot { - displayName - ...botHelpers_useDeletion_bot - ...BotImage_useProfileImage_bot -} - -fragment BotImage_useProfileImage_bot on Bot { - image { - __typename - ... on LocalBotImage { - localName - } - ... on UrlBotImage { - url - } - } - ...botHelpers_useDeletion_bot -} - -fragment BotLink_bot on Bot { - displayName -} - -fragment IdAnnotation_node on Node { - __isNode: __typename - id -} - -fragment botHelpers_useDeletion_bot on Bot { - deletionState -} - -fragment botHelpers_useViewerCanAccessPrivateBot on Bot { - isPrivateBot - viewerIsCreator -}
\ No newline at end of file diff --git a/g4f/.v1/gpt4free/quora/graphql/PoeBotEditMutation.graphql b/g4f/.v1/gpt4free/quora/graphql/PoeBotEditMutation.graphql deleted file mode 100644 index fdd309ef..00000000 --- a/g4f/.v1/gpt4free/quora/graphql/PoeBotEditMutation.graphql +++ /dev/null @@ -1,24 +0,0 @@ -mutation EditBotMain_poeBotEdit_Mutation( - $botId: BigInt! - $handle: String! - $description: String! - $introduction: String! - $isPromptPublic: Boolean! - $baseBot: String! - $profilePictureUrl: String - $prompt: String! - $apiUrl: String - $apiKey: String - $hasLinkification: Boolean - $hasMarkdownRendering: Boolean - $hasSuggestedReplies: Boolean - $isPrivateBot: Boolean -) { - poeBotEdit(botId: $botId, handle: $handle, description: $description, introduction: $introduction, isPromptPublic: $isPromptPublic, model: $baseBot, promptPlaintext: $prompt, profilePicture: $profilePictureUrl, apiUrl: $apiUrl, apiKey: $apiKey, hasLinkification: $hasLinkification, hasMarkdownRendering: $hasMarkdownRendering, hasSuggestedReplies: $hasSuggestedReplies, isPrivateBot: $isPrivateBot) { - status - bot { - handle - id - } - } -}
\ No newline at end of file diff --git a/g4f/.v1/gpt4free/quora/graphql/SendMessageMutation.graphql b/g4f/.v1/gpt4free/quora/graphql/SendMessageMutation.graphql deleted file mode 100644 index 4b0a4383..00000000 --- a/g4f/.v1/gpt4free/quora/graphql/SendMessageMutation.graphql +++ /dev/null @@ -1,40 +0,0 @@ -mutation chatHelpers_sendMessageMutation_Mutation( - $chatId: BigInt! - $bot: String! - $query: String! - $source: MessageSource - $withChatBreak: Boolean! -) { - messageEdgeCreate(chatId: $chatId, bot: $bot, query: $query, source: $source, withChatBreak: $withChatBreak) { - chatBreak { - cursor - node { - id - messageId - text - author - suggestedReplies - creationTime - state - } - id - } - message { - cursor - node { - id - messageId - text - author - suggestedReplies - creationTime - state - chat { - shouldShowDisclaimer - id - } - } - id - } - } -} diff --git a/g4f/.v1/gpt4free/quora/graphql/SendVerificationCodeForLoginMutation.graphql b/g4f/.v1/gpt4free/quora/graphql/SendVerificationCodeForLoginMutation.graphql deleted file mode 100644 index 45af4799..00000000 --- a/g4f/.v1/gpt4free/quora/graphql/SendVerificationCodeForLoginMutation.graphql +++ /dev/null @@ -1,12 +0,0 @@ -mutation SendVerificationCodeForLoginMutation( - $emailAddress: String - $phoneNumber: String -) { - sendVerificationCode( - verificationReason: login - emailAddress: $emailAddress - phoneNumber: $phoneNumber - ) { - status - } -} diff --git a/g4f/.v1/gpt4free/quora/graphql/SettingsDeleteAccountButton_deleteAccountMutation_Mutation.graphql b/g4f/.v1/gpt4free/quora/graphql/SettingsDeleteAccountButton_deleteAccountMutation_Mutation.graphql deleted file mode 100644 index 0af50950..00000000 --- a/g4f/.v1/gpt4free/quora/graphql/SettingsDeleteAccountButton_deleteAccountMutation_Mutation.graphql +++ /dev/null @@ -1 +0,0 @@ -mutation SettingsDeleteAccountButton_deleteAccountMutation_Mutation{ deleteAccount { viewer { uid id } }}
\ No newline at end of file diff --git a/g4f/.v1/gpt4free/quora/graphql/ShareMessagesMutation.graphql b/g4f/.v1/gpt4free/quora/graphql/ShareMessagesMutation.graphql deleted file mode 100644 index 92e80db5..00000000 --- a/g4f/.v1/gpt4free/quora/graphql/ShareMessagesMutation.graphql +++ /dev/null @@ -1,9 +0,0 @@ -mutation ShareMessagesMutation( - $chatId: BigInt! - $messageIds: [BigInt!]! - $comment: String -) { - messagesShare(chatId: $chatId, messageIds: $messageIds, comment: $comment) { - shareCode - } -} diff --git a/g4f/.v1/gpt4free/quora/graphql/SignupWithVerificationCodeMutation.graphql b/g4f/.v1/gpt4free/quora/graphql/SignupWithVerificationCodeMutation.graphql deleted file mode 100644 index 06b2826f..00000000 --- a/g4f/.v1/gpt4free/quora/graphql/SignupWithVerificationCodeMutation.graphql +++ /dev/null @@ -1,13 +0,0 @@ -mutation SignupWithVerificationCodeMutation( - $verificationCode: String! - $emailAddress: String - $phoneNumber: String -) { - signupWithVerificationCode( - verificationCode: $verificationCode - emailAddress: $emailAddress - phoneNumber: $phoneNumber - ) { - status - } -} diff --git a/g4f/.v1/gpt4free/quora/graphql/StaleChatUpdateMutation.graphql b/g4f/.v1/gpt4free/quora/graphql/StaleChatUpdateMutation.graphql deleted file mode 100644 index de203d47..00000000 --- a/g4f/.v1/gpt4free/quora/graphql/StaleChatUpdateMutation.graphql +++ /dev/null @@ -1,7 +0,0 @@ -mutation StaleChatUpdateMutation($chatId: BigInt!) { - staleChatUpdate(chatId: $chatId) { - message { - ...MessageFragment - } - } -} diff --git a/g4f/.v1/gpt4free/quora/graphql/SubscriptionsMutation.graphql b/g4f/.v1/gpt4free/quora/graphql/SubscriptionsMutation.graphql deleted file mode 100644 index b864bd60..00000000 --- a/g4f/.v1/gpt4free/quora/graphql/SubscriptionsMutation.graphql +++ /dev/null @@ -1,9 +0,0 @@ -mutation subscriptionsMutation( - $subscriptions: [AutoSubscriptionQuery!]! -) { - autoSubscribe(subscriptions: $subscriptions) { - viewer { - id - } - } -}
\ No newline at end of file diff --git a/g4f/.v1/gpt4free/quora/graphql/SummarizePlainPostQuery.graphql b/g4f/.v1/gpt4free/quora/graphql/SummarizePlainPostQuery.graphql deleted file mode 100644 index afa2a84c..00000000 --- a/g4f/.v1/gpt4free/quora/graphql/SummarizePlainPostQuery.graphql +++ /dev/null @@ -1,3 +0,0 @@ -query SummarizePlainPostQuery($comment: String!) { - summarizePlainPost(comment: $comment) -} diff --git a/g4f/.v1/gpt4free/quora/graphql/SummarizeQuotePostQuery.graphql b/g4f/.v1/gpt4free/quora/graphql/SummarizeQuotePostQuery.graphql deleted file mode 100644 index 5147c3c5..00000000 --- a/g4f/.v1/gpt4free/quora/graphql/SummarizeQuotePostQuery.graphql +++ /dev/null @@ -1,3 +0,0 @@ -query SummarizeQuotePostQuery($comment: String, $quotedPostId: BigInt!) { - summarizeQuotePost(comment: $comment, quotedPostId: $quotedPostId) -} diff --git a/g4f/.v1/gpt4free/quora/graphql/SummarizeSharePostQuery.graphql b/g4f/.v1/gpt4free/quora/graphql/SummarizeSharePostQuery.graphql deleted file mode 100644 index cb4a623c..00000000 --- a/g4f/.v1/gpt4free/quora/graphql/SummarizeSharePostQuery.graphql +++ /dev/null @@ -1,3 +0,0 @@ -query SummarizeSharePostQuery($comment: String!, $chatId: BigInt!, $messageIds: [BigInt!]!) { - summarizeSharePost(comment: $comment, chatId: $chatId, messageIds: $messageIds) -} diff --git a/g4f/.v1/gpt4free/quora/graphql/UserSnippetFragment.graphql b/g4f/.v1/gpt4free/quora/graphql/UserSnippetFragment.graphql deleted file mode 100644 index 17fc8426..00000000 --- a/g4f/.v1/gpt4free/quora/graphql/UserSnippetFragment.graphql +++ /dev/null @@ -1,14 +0,0 @@ -fragment UserSnippetFragment on PoeUser { - id - uid - bio - handle - fullName - viewerIsFollowing - isPoeOnlyUser - profilePhotoURLTiny: profilePhotoUrl(size: tiny) - profilePhotoURLSmall: profilePhotoUrl(size: small) - profilePhotoURLMedium: profilePhotoUrl(size: medium) - profilePhotoURLLarge: profilePhotoUrl(size: large) - isFollowable -} diff --git a/g4f/.v1/gpt4free/quora/graphql/ViewerInfoQuery.graphql b/g4f/.v1/gpt4free/quora/graphql/ViewerInfoQuery.graphql deleted file mode 100644 index 1ecaf9e8..00000000 --- a/g4f/.v1/gpt4free/quora/graphql/ViewerInfoQuery.graphql +++ /dev/null @@ -1,21 +0,0 @@ -query ViewerInfoQuery { - viewer { - id - uid - ...ViewerStateFragment - ...BioFragment - ...HandleFragment - hasCompletedMultiplayerNux - poeUser { - id - ...UserSnippetFragment - } - messageLimit{ - canSend - numMessagesRemaining - resetTime - shouldShowReminder - } - } -} - diff --git a/g4f/.v1/gpt4free/quora/graphql/ViewerStateFragment.graphql b/g4f/.v1/gpt4free/quora/graphql/ViewerStateFragment.graphql deleted file mode 100644 index 3cd83e9c..00000000 --- a/g4f/.v1/gpt4free/quora/graphql/ViewerStateFragment.graphql +++ /dev/null @@ -1,30 +0,0 @@ -fragment ViewerStateFragment on Viewer { - id - __typename - iosMinSupportedVersion: integerGate(gateName: "poe_ios_min_supported_version") - iosMinEncouragedVersion: integerGate( - gateName: "poe_ios_min_encouraged_version" - ) - macosMinSupportedVersion: integerGate( - gateName: "poe_macos_min_supported_version" - ) - macosMinEncouragedVersion: integerGate( - gateName: "poe_macos_min_encouraged_version" - ) - showPoeDebugPanel: booleanGate(gateName: "poe_show_debug_panel") - enableCommunityFeed: booleanGate(gateName: "enable_poe_shares_feed") - linkifyText: booleanGate(gateName: "poe_linkify_response") - enableSuggestedReplies: booleanGate(gateName: "poe_suggested_replies") - removeInviteLimit: booleanGate(gateName: "poe_remove_invite_limit") - enableInAppPurchases: booleanGate(gateName: "poe_enable_in_app_purchases") - availableBots { - nickname - displayName - profilePicture - isDown - disclaimer - subtitle - poweredBy - } -} - diff --git a/g4f/.v1/gpt4free/quora/graphql/ViewerStateUpdatedSubscription.graphql b/g4f/.v1/gpt4free/quora/graphql/ViewerStateUpdatedSubscription.graphql deleted file mode 100644 index 03fc73d1..00000000 --- a/g4f/.v1/gpt4free/quora/graphql/ViewerStateUpdatedSubscription.graphql +++ /dev/null @@ -1,43 +0,0 @@ -subscription viewerStateUpdated { - viewerStateUpdated { - id - ...ChatPageBotSwitcher_viewer - } -} - -fragment BotHeader_bot on Bot { - displayName - messageLimit { - dailyLimit - } - ...BotImage_bot -} - -fragment BotImage_bot on Bot { - image { - __typename - ... on LocalBotImage { - localName - } - ... on UrlBotImage { - url - } - } - displayName -} - -fragment BotLink_bot on Bot { - displayName -} - -fragment ChatPageBotSwitcher_viewer on Viewer { - availableBots { - id - messageLimit { - dailyLimit - } - ...BotLink_bot - ...BotHeader_bot - } - allowUserCreatedBots: booleanGate(gateName: "enable_user_created_bots") -} diff --git a/g4f/.v1/gpt4free/quora/graphql/__init__.py b/g4f/.v1/gpt4free/quora/graphql/__init__.py deleted file mode 100644 index e69de29b..00000000 --- a/g4f/.v1/gpt4free/quora/graphql/__init__.py +++ /dev/null diff --git a/g4f/.v1/gpt4free/quora/mail.py b/g4f/.v1/gpt4free/quora/mail.py deleted file mode 100644 index 864d9568..00000000 --- a/g4f/.v1/gpt4free/quora/mail.py +++ /dev/null @@ -1,80 +0,0 @@ -from json import loads -from re import findall -from time import sleep - -from fake_useragent import UserAgent -from requests import Session - - -class Emailnator: - def __init__(self) -> None: - self.client = Session() - self.client.get("https://www.emailnator.com/", timeout=6) - self.cookies = self.client.cookies.get_dict() - - self.client.headers = { - "authority": "www.emailnator.com", - "origin": "https://www.emailnator.com", - "referer": "https://www.emailnator.com/", - "user-agent": UserAgent().random, - "x-xsrf-token": self.client.cookies.get("XSRF-TOKEN")[:-3] + "=", - } - - self.email = None - - def get_mail(self): - response = self.client.post( - "https://www.emailnator.com/generate-email", - json={ - "email": [ - "domain", - "plusGmail", - "dotGmail", - ] - }, - ) - - self.email = loads(response.text)["email"][0] - return self.email - - def get_message(self): - print("Waiting for message...") - - while True: - sleep(2) - mail_token = self.client.post("https://www.emailnator.com/message-list", json={"email": self.email}) - - mail_token = loads(mail_token.text)["messageData"] - - if len(mail_token) == 2: - print("Message received!") - print(mail_token[1]["messageID"]) - break - - mail_context = self.client.post( - "https://www.emailnator.com/message-list", - json={ - "email": self.email, - "messageID": mail_token[1]["messageID"], - }, - ) - - return mail_context.text - - def get_verification_code(self): - message = self.get_message() - code = findall(r';">(\d{6,7})</div>', message)[0] - print(f"Verification code: {code}") - return code - - def clear_inbox(self): - print("Clearing inbox...") - self.client.post( - "https://www.emailnator.com/delete-all", - json={"email": self.email}, - ) - print("Inbox cleared!") - - def __del__(self): - if self.email: - self.clear_inbox() diff --git a/g4f/.v1/gpt4free/quora/tests/__init__.py b/g4f/.v1/gpt4free/quora/tests/__init__.py deleted file mode 100644 index e69de29b..00000000 --- a/g4f/.v1/gpt4free/quora/tests/__init__.py +++ /dev/null diff --git a/g4f/.v1/gpt4free/quora/tests/test_api.py b/g4f/.v1/gpt4free/quora/tests/test_api.py deleted file mode 100644 index 2a4bb41b..00000000 --- a/g4f/.v1/gpt4free/quora/tests/test_api.py +++ /dev/null @@ -1,38 +0,0 @@ -import unittest -import requests -from unittest.mock import MagicMock -from gpt4free.quora.api import retry_request - - -class TestRetryRequest(unittest.TestCase): - def test_successful_request(self): - # Mock a successful request with a 200 status code - mock_response = MagicMock() - mock_response.status_code = 200 - requests.get = MagicMock(return_value=mock_response) - - # Call the function and assert that it returns the response - response = retry_request(requests.get, "http://example.com", max_attempts=3) - self.assertEqual(response.status_code, 200) - - def test_exponential_backoff(self): - # Mock a failed request that succeeds after two retries - mock_response = MagicMock() - mock_response.status_code = 200 - requests.get = MagicMock(side_effect=[requests.exceptions.RequestException] * 2 + [mock_response]) - - # Call the function and assert that it retries with exponential backoff - with self.assertLogs() as logs: - response = retry_request(requests.get, "http://example.com", max_attempts=3, delay=1) - self.assertEqual(response.status_code, 200) - self.assertGreaterEqual(len(logs.output), 2) - self.assertIn("Retrying in 1 seconds...", logs.output[0]) - self.assertIn("Retrying in 2 seconds...", logs.output[1]) - - def test_too_many_attempts(self): - # Mock a failed request that never succeeds - requests.get = MagicMock(side_effect=requests.exceptions.RequestException) - - # Call the function and assert that it raises an exception after the maximum number of attempts - with self.assertRaises(RuntimeError): - retry_request(requests.get, "http://example.com", max_attempts=3) diff --git a/g4f/.v1/gpt4free/test.py b/g4f/.v1/gpt4free/test.py deleted file mode 100644 index b2516748..00000000 --- a/g4f/.v1/gpt4free/test.py +++ /dev/null @@ -1,4 +0,0 @@ -import forefront -token = forefront.Account.create() -response = forefront.Completion.create(token=token, prompt='Hello!') -print(response)
\ No newline at end of file diff --git a/g4f/.v1/gpt4free/theb/README.md b/g4f/.v1/gpt4free/theb/README.md deleted file mode 100644 index a7af9dd8..00000000 --- a/g4f/.v1/gpt4free/theb/README.md +++ /dev/null @@ -1,14 +0,0 @@ -### Example: `theb` (use like openai pypi package) <a name="example-theb"></a> - -```python -# import library -from gpt4free import theb - -# simple streaming completion - -while True: - x = input() - for token in theb.Completion.create(x): - print(token, end='', flush=True) - print("") -``` diff --git a/g4f/.v1/gpt4free/theb/__init__.py b/g4f/.v1/gpt4free/theb/__init__.py deleted file mode 100644 index 0177194e..00000000 --- a/g4f/.v1/gpt4free/theb/__init__.py +++ /dev/null @@ -1,76 +0,0 @@ -from json import loads -from queue import Queue, Empty -from re import findall -from threading import Thread -from typing import Generator, Optional - -from curl_cffi import requests -from fake_useragent import UserAgent - - -class Completion: - # experimental - part1 = '{"role":"assistant","id":"chatcmpl' - part2 = '"},"index":0,"finish_reason":null}]}}' - regex = rf'{part1}(.*){part2}' - - timer = None - message_queue = Queue() - stream_completed = False - last_msg_id = None - - @staticmethod - def request(prompt: str, proxy: Optional[str] = None): - headers = { - 'authority': 'chatbot.theb.ai', - 'content-type': 'application/json', - 'origin': 'https://chatbot.theb.ai', - 'user-agent': UserAgent().random, - } - - proxies = {'http': 'http://' + proxy, 'https': 'http://' + proxy} if proxy else None - - options = {} - if Completion.last_msg_id: - options['parentMessageId'] = Completion.last_msg_id - - requests.post( - 'https://chatbot.theb.ai/api/chat-process', - headers=headers, - proxies=proxies, - content_callback=Completion.handle_stream_response, - json={'prompt': prompt, 'options': options}, - timeout=100000 - ) - - Completion.stream_completed = True - - @staticmethod - def create(prompt: str, proxy: Optional[str] = None) -> Generator[str, None, None]: - Completion.stream_completed = False - - Thread(target=Completion.request, args=[prompt, proxy]).start() - - while not Completion.stream_completed or not Completion.message_queue.empty(): - try: - message = Completion.message_queue.get(timeout=0.01) - for message in findall(Completion.regex, message): - message_json = loads(Completion.part1 + message + Completion.part2) - Completion.last_msg_id = message_json['id'] - yield message_json['delta'] - - except Empty: - pass - - @staticmethod - def handle_stream_response(response): - Completion.message_queue.put(response.decode()) - - @staticmethod - def get_response(prompt: str, proxy: Optional[str] = None) -> str: - response_list = [] - for message in Completion.create(prompt, proxy): - response_list.append(message) - return ''.join(response_list) - - Completion.message_queue.put(response.decode(errors='replace')) diff --git a/g4f/.v1/gpt4free/theb/theb_test.py b/g4f/.v1/gpt4free/theb/theb_test.py deleted file mode 100644 index c57d5c62..00000000 --- a/g4f/.v1/gpt4free/theb/theb_test.py +++ /dev/null @@ -1,4 +0,0 @@ -import theb - -for token in theb.Completion.create('hello world'): - print(token, end='', flush=True) diff --git a/g4f/.v1/gpt4free/usesless/README.md b/g4f/.v1/gpt4free/usesless/README.md deleted file mode 100644 index 7b2ea169..00000000 --- a/g4f/.v1/gpt4free/usesless/README.md +++ /dev/null @@ -1,33 +0,0 @@ -ai.usesless.com - -### Example: `usesless` <a name="example-usesless"></a> - -### Token generation -<p>This will create account.json that contains email and token in json</p> - -```python -from gpt4free import usesless - - -token = usesless.Account.create(logging=True) -print(token) -``` - -### Completion -<p>Insert token from account.json</p> - -```python -import usesless - -message_id = "" -token = <TOKENHERE> # usesless.Account.create(logging=True) -while True: - prompt = input("Question: ") - if prompt == "!stop": - break - - req = usesless.Completion.create(prompt=prompt, parentMessageId=message_id, token=token) - - print(f"Answer: {req['text']}") - message_id = req["id"] -``` diff --git a/g4f/.v1/gpt4free/usesless/__init__.py b/g4f/.v1/gpt4free/usesless/__init__.py deleted file mode 100644 index 00f7f75d..00000000 --- a/g4f/.v1/gpt4free/usesless/__init__.py +++ /dev/null @@ -1,158 +0,0 @@ -import string -import time -import re -import json -import requests -import fake_useragent -import random -from password_generator import PasswordGenerator - -from .utils import create_email, check_email - - -class Account: - @staticmethod - def create(logging: bool = False): - is_custom_domain = input( - "Do you want to use your custom domain name for temporary email? [Y/n]: " - ).upper() - - if is_custom_domain == "Y": - mail_address = create_email(custom_domain=True, logging=logging) - elif is_custom_domain == "N": - mail_address = create_email(custom_domain=False, logging=logging) - else: - print("Please, enter either Y or N") - return - - name = string.ascii_lowercase + string.digits - username = "".join(random.choice(name) for i in range(20)) - - pwo = PasswordGenerator() - pwo.minlen = 8 - password = pwo.generate() - - session = requests.Session() - - register_url = "https://ai.usesless.com/api/cms/auth/local/register" - register_json = { - "username": username, - "password": password, - "email": mail_address, - } - headers = { - "authority": "ai.usesless.com", - "accept": "application/json, text/plain, */*", - "accept-language": "en-US,en;q=0.5", - "cache-control": "no-cache", - "sec-fetch-dest": "empty", - "sec-fetch-mode": "cors", - "sec-fetch-site": "same-origin", - "user-agent": fake_useragent.UserAgent().random, - } - register = session.post(register_url, json=register_json, headers=headers) - if logging: - if register.status_code == 200: - print("Registered successfully") - else: - print(register.status_code) - print(register.json()) - print("There was a problem with account registration, try again") - - if register.status_code != 200: - quit() - - while True: - time.sleep(5) - messages = check_email(mail=mail_address, logging=logging) - - # Check if method `message_list()` didn't return None or empty list. - if not messages or len(messages) == 0: - # If it returned None or empty list sleep for 5 seconds to wait for new message. - continue - - message_text = messages[0]["content"] - verification_url = re.findall( - r"http:\/\/ai\.usesless\.com\/api\/cms\/auth\/email-confirmation\?confirmation=\w.+\w\w", - message_text, - )[0] - if verification_url: - break - - session.get(verification_url) - login_json = {"identifier": mail_address, "password": password} - login_request = session.post( - url="https://ai.usesless.com/api/cms/auth/local", json=login_json - ) - - token = login_request.json()["jwt"] - if logging and token: - print(f"Token: {token}") - - with open("account.json", "w") as file: - json.dump({"email": mail_address, "token": token}, file) - if logging: - print( - "\nNew account credentials has been successfully saved in 'account.json' file" - ) - - return token - - -class Completion: - @staticmethod - def create( - token: str, - systemMessage: str = "You are a helpful assistant", - prompt: str = "", - parentMessageId: str = "", - presence_penalty: float = 1, - temperature: float = 1, - model: str = "gpt-3.5-turbo", - ): - headers = { - "authority": "ai.usesless.com", - "accept": "application/json, text/plain, */*", - "accept-language": "en-US,en;q=0.5", - "cache-control": "no-cache", - "sec-fetch-dest": "empty", - "sec-fetch-mode": "cors", - "sec-fetch-site": "same-origin", - "user-agent": fake_useragent.UserAgent().random, - "Authorization": f"Bearer {token}", - } - - json_data = { - "openaiKey": "", - "prompt": prompt, - "options": { - "parentMessageId": parentMessageId, - "systemMessage": systemMessage, - "completionParams": { - "presence_penalty": presence_penalty, - "temperature": temperature, - "model": model, - }, - }, - } - - url = "https://ai.usesless.com/api/chat-process" - request = requests.post(url, headers=headers, json=json_data) - request.encoding = request.apparent_encoding - content = request.content - - response = Completion.__response_to_json(content) - return response - - - @classmethod - def __response_to_json(cls, text) -> str: - text = str(text.decode("utf-8")) - - split_text = text.rsplit("\n", 1) - if len(split_text) > 1: - to_json = json.loads(split_text[1]) - return to_json - else: - return None - diff --git a/g4f/.v1/gpt4free/usesless/account.json b/g4f/.v1/gpt4free/usesless/account.json deleted file mode 100644 index 53a210ac..00000000 --- a/g4f/.v1/gpt4free/usesless/account.json +++ /dev/null @@ -1 +0,0 @@ -{"email": "enganese-test-email@1secmail.net", "token": "eyJhbGciOiJIUzI1NiIsInR5cCI6IkpXVCJ9.eyJpZCI6Mzg1MDEsImlhdCI6MTY4NTExMDgzOSwiZXhwIjoxNzE2NjY4NDM5fQ.jfEQOFWYQP2Xx4U-toorPg3nh31mxl3L0D2hRROmjZA"}
\ No newline at end of file diff --git a/g4f/.v1/gpt4free/usesless/account_creation.py b/g4f/.v1/gpt4free/usesless/account_creation.py deleted file mode 100644 index 05819453..00000000 --- a/g4f/.v1/gpt4free/usesless/account_creation.py +++ /dev/null @@ -1,3 +0,0 @@ -import usesless - -usesless.Account.create(logging=True) diff --git a/g4f/.v1/gpt4free/usesless/test.py b/g4f/.v1/gpt4free/usesless/test.py deleted file mode 100644 index ade1e0c5..00000000 --- a/g4f/.v1/gpt4free/usesless/test.py +++ /dev/null @@ -1,10 +0,0 @@ -# Fix by @enganese -# Import Account class from __init__.py file -from gpt4free import usesless - -# Create Account and enable logging to see all the log messages (it's very interesting, try it!) -# New account credentials will be automatically saved in account.json file in such template: {"email": "username@1secmail.com", "token": "token here"} -token = usesless.Account.create(logging=True) - -# Print the new token -print(token) diff --git a/g4f/.v1/gpt4free/usesless/utils/__init__.py b/g4f/.v1/gpt4free/usesless/utils/__init__.py deleted file mode 100644 index 818c605d..00000000 --- a/g4f/.v1/gpt4free/usesless/utils/__init__.py +++ /dev/null @@ -1,139 +0,0 @@ -import requests -import random -import string -import time -import sys -import re -import os - - -def check_email(mail, logging: bool = False): - username = mail.split("@")[0] - domain = mail.split("@")[1] - reqLink = f"https://www.1secmail.com/api/v1/?action=getMessages&login={username}&domain={domain}" - req = requests.get(reqLink) - req.encoding = req.apparent_encoding - req = req.json() - - length = len(req) - - if logging: - os.system("cls" if os.name == "nt" else "clear") - time.sleep(1) - print("Your temporary mail:", mail) - - if logging and length == 0: - print( - "Mailbox is empty. Hold tight. Mailbox is refreshed automatically every 5 seconds.", - ) - else: - messages = [] - id_list = [] - - for i in req: - for k, v in i.items(): - if k == "id": - id_list.append(v) - - x = "mails" if length > 1 else "mail" - - if logging: - print( - f"Mailbox has {length} {x}. (Mailbox is refreshed automatically every 5 seconds.)" - ) - - for i in id_list: - msgRead = f"https://www.1secmail.com/api/v1/?action=readMessage&login={username}&domain={domain}&id={i}" - req = requests.get(msgRead) - req.encoding = req.apparent_encoding - req = req.json() - - for k, v in req.items(): - if k == "from": - sender = v - if k == "subject": - subject = v - if k == "date": - date = v - if k == "textBody": - content = v - - if logging: - print( - "Sender:", - sender, - "\nTo:", - mail, - "\nSubject:", - subject, - "\nDate:", - date, - "\nContent:", - content, - "\n", - ) - messages.append( - { - "sender": sender, - "to": mail, - "subject": subject, - "date": date, - "content": content, - } - ) - - if logging: - os.system("cls" if os.name == "nt" else "clear") - return messages - - -def create_email(custom_domain: bool = False, logging: bool = False): - domainList = ["1secmail.com", "1secmail.net", "1secmail.org"] - domain = random.choice(domainList) - try: - if custom_domain: - custom_domain = input( - "\nIf you enter 'my-test-email' as your domain name, mail address will look like this: 'my-test-email@1secmail.com'" - "\nEnter the name that you wish to use as your domain name: " - ) - - newMail = f"https://www.1secmail.com/api/v1/?login={custom_domain}&domain={domain}" - reqMail = requests.get(newMail) - reqMail.encoding = reqMail.apparent_encoding - - username = re.search(r"login=(.*)&", newMail).group(1) - domain = re.search(r"domain=(.*)", newMail).group(1) - mail = f"{username}@{domain}" - - if logging: - print("\nYour temporary email was created successfully:", mail) - return mail - - else: - name = string.ascii_lowercase + string.digits - random_username = "".join(random.choice(name) for i in range(10)) - newMail = f"https://www.1secmail.com/api/v1/?login={random_username}&domain={domain}" - - reqMail = requests.get(newMail) - reqMail.encoding = reqMail.apparent_encoding - - username = re.search(r"login=(.*)&", newMail).group(1) - domain = re.search(r"domain=(.*)", newMail).group(1) - mail = f"{username}@{domain}" - - if logging: - print("\nYour temporary email was created successfully:", mail) - return mail - - except KeyboardInterrupt: - requests.post( - "https://www.1secmail.com/mailbox", - data={ - "action": "deleteMailbox", - "login": f"{username}", - "domain": f"{domain}", - }, - ) - if logging: - print("\nKeyboard Interrupt Detected! \nTemporary mail was disposed!") - os.system("cls" if os.name == "nt" else "clear") diff --git a/g4f/.v1/gpt4free/you/README.md b/g4f/.v1/gpt4free/you/README.md deleted file mode 100644 index e1917c6d..00000000 --- a/g4f/.v1/gpt4free/you/README.md +++ /dev/null @@ -1,38 +0,0 @@ -### Example: `you` (use like openai pypi package) <a name="example-you"></a> - -```python - -from gpt4free import you - -# simple request with links and details -response = you.Completion.create( - prompt="hello world", - detailed=True, - include_links=True, ) - -print(response.dict()) - -# { -# "response": "...", -# "links": [...], -# "extra": {...}, -# "slots": {...} -# } -# } - -# chatbot - -chat = [] - -while True: - prompt = input("You: ") - if prompt == 'q': - break - response = you.Completion.create( - prompt=prompt, - chat=chat) - - print("Bot:", response.text) - - chat.append({"question": prompt, "answer": response.text}) -``` diff --git a/g4f/.v1/gpt4free/you/__init__.py b/g4f/.v1/gpt4free/you/__init__.py deleted file mode 100644 index 11847fb5..00000000 --- a/g4f/.v1/gpt4free/you/__init__.py +++ /dev/null @@ -1,127 +0,0 @@ -import json -import re -from typing import Optional, List, Dict, Any -from uuid import uuid4 - -from fake_useragent import UserAgent -from pydantic import BaseModel -from requests import RequestException -from retrying import retry -from tls_client import Session -from tls_client.response import Response - - -class YouResponse(BaseModel): - text: Optional[str] = None - links: List[str] = [] - extra: Dict[str, Any] = {} - - -class Completion: - @staticmethod - def create( - prompt: str, - page: int = 1, - count: int = 10, - safe_search: str = 'Moderate', - on_shopping_page: bool = False, - mkt: str = '', - response_filter: str = 'WebPages,Translations,TimeZone,Computation,RelatedSearches', - domain: str = 'youchat', - query_trace_id: str = None, - chat: list = None, - include_links: bool = False, - detailed: bool = False, - debug: bool = False, - proxy: Optional[str] = None, - ) -> YouResponse: - if chat is None: - chat = [] - - proxies = {'http': 'http://' + proxy, 'https': 'http://' + proxy} if proxy else {} - - client = Session(client_identifier='chrome_108') - client.headers = Completion.__get_headers() - client.proxies = proxies - - params = { - 'q': prompt, - 'page': page, - 'count': count, - 'safeSearch': safe_search, - 'onShoppingPage': on_shopping_page, - 'mkt': mkt, - 'responseFilter': response_filter, - 'domain': domain, - 'queryTraceId': str(uuid4()) if query_trace_id is None else query_trace_id, - 'chat': str(chat), # {'question':'','answer':' ''} - } - - try: - response = Completion.__make_request(client, params) - except Exception: - return Completion.__get_failure_response() - - if debug: - print('\n\n------------------\n\n') - print(response.text) - print('\n\n------------------\n\n') - - you_chat_serp_results = re.search( - r'(?<=event: youChatSerpResults\ndata:)(.*\n)*?(?=event: )', response.text - ).group() - third_party_search_results = re.search( - r'(?<=event: thirdPartySearchResults\ndata:)(.*\n)*?(?=event: )', response.text - ).group() - # slots = findall(r"slots\ndata: (.*)\n\nevent", response.text)[0] - - text = ''.join(re.findall(r'{\"youChatToken\": \"(.*?)\"}', response.text)) - - extra = { - 'youChatSerpResults': json.loads(you_chat_serp_results), - # 'slots' : loads(slots) - } - - response = YouResponse(text=text.replace('\\n', '\n').replace('\\\\', '\\').replace('\\"', '"')) - if include_links: - response.links = json.loads(third_party_search_results)['search']['third_party_search_results'] - - if detailed: - response.extra = extra - - return response - - @staticmethod - def __get_headers() -> dict: - return { - 'authority': 'you.com', - 'accept': 'text/event-stream', - 'accept-language': 'en,fr-FR;q=0.9,fr;q=0.8,es-ES;q=0.7,es;q=0.6,en-US;q=0.5,am;q=0.4,de;q=0.3', - 'cache-control': 'no-cache', - 'referer': 'https://you.com/search?q=who+are+you&tbm=youchat', - 'sec-ch-ua': '"Not_A Brand";v="99", "Google Chrome";v="109", "Chromium";v="109"', - 'sec-ch-ua-mobile': '?0', - 'sec-ch-ua-platform': '"Windows"', - 'sec-fetch-dest': 'empty', - 'sec-fetch-mode': 'cors', - 'sec-fetch-site': 'same-origin', - 'cookie': f'safesearch_guest=Moderate; uuid_guest={str(uuid4())}', - 'user-agent': UserAgent().random, - } - - @staticmethod - def __get_failure_response() -> YouResponse: - return YouResponse(text='Unable to fetch the response, Please try again.') - - @staticmethod - @retry( - wait_fixed=5000, - stop_max_attempt_number=5, - retry_on_exception=lambda e: isinstance(e, RequestException), - ) - def __make_request(client: Session, params: dict) -> Response: - response = client.get(f'https://you.com/api/streamingSearch', params=params) - if 'youChatToken' not in response.text: - print('retry') - raise RequestException('Unable to get the response from server') - return response |