You cannot select more than 25 topics Topics must start with a letter or number, can include dashes ('-') and can be up to 35 characters long.
gpt4free/g4f/client/async_client.py

202 lines
7.2 KiB
Python

3 months ago
from __future__ import annotations
import time
import random
import string
3 months ago
from .types import Client as BaseClient
from .types import ProviderType, FinishReason
from .stubs import ChatCompletion, ChatCompletionChunk, ImagesResponse, Image
from .types import AsyncIterResponse, ImageProvider
from .image_models import ImageModels
from .helper import filter_json, find_stop, filter_none, cast_iter_async
from .service import get_last_provider, get_model_and_provider
from ..typing import Union, Iterator, Messages, AsyncIterator, ImageType
from ..errors import NoImageResponseError
3 months ago
from ..image import ImageResponse as ImageProviderResponse
from ..providers.base_provider import AsyncGeneratorProvider
3 months ago
async def iter_response(
3 months ago
response: AsyncIterator[str],
3 months ago
stream: bool,
response_format: dict = None,
max_tokens: int = None,
stop: list = None
3 months ago
) -> AsyncIterResponse:
3 months ago
content = ""
finish_reason = None
completion_id = ''.join(random.choices(string.ascii_letters + string.digits, k=28))
3 months ago
count: int = 0
3 months ago
async for chunk in response:
3 months ago
if isinstance(chunk, FinishReason):
finish_reason = chunk.reason
break
content += str(chunk)
3 months ago
count += 1
if max_tokens is not None and count >= max_tokens:
3 months ago
finish_reason = "length"
3 months ago
first, content, chunk = find_stop(stop, content, chunk)
3 months ago
if first != -1:
finish_reason = "stop"
if stream:
yield ChatCompletionChunk(chunk, None, completion_id, int(time.time()))
if finish_reason is not None:
break
finish_reason = "stop" if finish_reason is None else finish_reason
if stream:
yield ChatCompletionChunk(None, finish_reason, completion_id, int(time.time()))
else:
if response_format is not None and "type" in response_format:
if response_format["type"] == "json_object":
content = filter_json(content)
3 months ago
yield ChatCompletion(content, finish_reason, completion_id, int(time.time()))
async def iter_append_model_and_provider(response: AsyncIterResponse) -> AsyncIterResponse:
3 months ago
last_provider = None
3 months ago
async for chunk in response:
3 months ago
last_provider = get_last_provider(True) if last_provider is None else last_provider
chunk.model = last_provider.get("model")
chunk.provider = last_provider.get("name")
yield chunk
class AsyncClient(BaseClient):
3 months ago
def __init__(
self,
provider: ProviderType = None,
image_provider: ImageProvider = None,
3 months ago
**kwargs
3 months ago
):
super().__init__(**kwargs)
3 months ago
self.chat: Chat = Chat(self, provider)
self.images: Images = Images(self, image_provider)
3 months ago
def create_response(
messages: Messages,
model: str,
provider: ProviderType = None,
stream: bool = False,
proxy: str = None,
3 months ago
max_tokens: int = None,
stop: list[str] = None,
3 months ago
api_key: str = None,
**kwargs
):
has_asnyc = isinstance(provider, type) and issubclass(provider, AsyncGeneratorProvider)
if has_asnyc:
3 months ago
create = provider.create_async_generator
else:
create = provider.create_completion
response = create(
model, messages, stream,
**filter_none(
proxy=proxy,
3 months ago
max_tokens=max_tokens,
stop=stop,
api_key=api_key
3 months ago
),
**kwargs
)
if not has_asnyc:
3 months ago
response = cast_iter_async(response)
return response
3 months ago
class Completions():
def __init__(self, client: AsyncClient, provider: ProviderType = None):
self.client: AsyncClient = client
3 months ago
self.provider: ProviderType = provider
def create(
self,
messages: Messages,
model: str,
provider: ProviderType = None,
stream: bool = False,
proxy: str = None,
max_tokens: int = None,
stop: Union[list[str], str] = None,
api_key: str = None,
3 months ago
response_format: dict = None,
ignored : list[str] = None,
ignore_working: bool = False,
ignore_stream: bool = False,
**kwargs
3 months ago
) -> Union[ChatCompletion, AsyncIterator[ChatCompletionChunk]]:
3 months ago
model, provider = get_model_and_provider(
model,
self.provider if provider is None else provider,
stream,
ignored,
ignore_working,
ignore_stream
3 months ago
)
stop = [stop] if isinstance(stop, str) else stop
response = create_response(
messages, model,
provider, stream,
proxy=self.client.get_proxy() if proxy is None else proxy,
max_tokens=max_tokens,
stop=stop,
api_key=self.client.api_key if api_key is None else api_key
**kwargs
)
3 months ago
response = iter_response(response, stream, response_format, max_tokens, stop)
response = iter_append_model_and_provider(response)
3 months ago
return response if stream else anext(response)
3 months ago
class Chat():
completions: Completions
def __init__(self, client: AsyncClient, provider: ProviderType = None):
3 months ago
self.completions = Completions(client, provider)
3 months ago
async def iter_image_response(response: Iterator) -> Union[ImagesResponse, None]:
async for chunk in response:
3 months ago
if isinstance(chunk, ImageProviderResponse):
return ImagesResponse([Image(image) for image in chunk.get_list()])
def create_image(client: AsyncClient, provider: ProviderType, prompt: str, model: str = "", **kwargs) -> AsyncIterator:
3 months ago
prompt = f"create a image with: {prompt}"
if provider.__name__ == "You":
kwargs["chat_mode"] = "create"
3 months ago
return provider.create_async_generator(
3 months ago
model,
[{"role": "user", "content": prompt}],
stream=True,
3 months ago
proxy=client.get_proxy(),
**kwargs
)
class Images():
def __init__(self, client: AsyncClient, provider: ImageProvider = None):
self.client: AsyncClient = client
3 months ago
self.provider: ImageProvider = provider
self.models: ImageModels = ImageModels(client)
async def generate(self, prompt, model: str = "", **kwargs) -> ImagesResponse:
3 months ago
provider = self.models.get(model, self.provider)
if isinstance(provider, type) and issubclass(provider, AsyncGeneratorProvider):
3 months ago
response = create_image(self.client, provider, prompt, **kwargs)
else:
response = await provider.create_async(prompt)
return ImagesResponse([Image(image) for image in response.get_list()])
image = await iter_image_response(response)
3 months ago
if image is None:
raise NoImageResponseError()
return image
3 months ago
async def create_variation(self, image: ImageType, model: str = None, **kwargs):
3 months ago
provider = self.models.get(model, self.provider)
result = None
if isinstance(provider, type) and issubclass(provider, AsyncGeneratorProvider):
3 months ago
response = provider.create_async_generator(
3 months ago
"",
[{"role": "user", "content": "create a image like this"}],
True,
image=image,
proxy=self.client.get_proxy(),
**kwargs
)
result = iter_image_response(response)
3 months ago
if result is None:
raise NoImageResponseError()
return result