File size: 5,629 Bytes
b5beb60 |
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 23 24 25 26 27 28 29 30 31 32 33 34 35 36 37 38 39 40 41 42 43 44 45 46 47 48 49 50 51 52 53 54 55 56 57 58 59 60 61 62 63 64 65 66 67 68 69 70 71 72 73 74 75 76 77 78 79 80 81 82 83 84 85 86 87 88 89 90 91 92 93 94 95 96 97 98 99 100 101 102 103 104 105 106 107 108 109 110 111 112 113 114 115 116 117 118 119 120 121 122 123 124 125 126 127 128 129 130 131 132 133 134 135 136 137 138 139 140 141 142 143 144 145 146 147 |
from vlmeval.smp import *
from vlmeval.api.base import BaseAPI
from time import sleep
import base64
import mimetypes
from PIL import Image
alles_url = 'https://openxlab.org.cn/gw/alles-apin-hub/v1/claude/v1/text/chat'
alles_headers = {
'alles-apin-token': '',
'Content-Type': 'application/json'
}
official_url = 'https://api.anthropic.com/v1/messages'
official_headers = {
'x-api-key': '',
'anthropic-version': '2023-06-01',
'content-type': 'application/json'
}
class Claude_Wrapper(BaseAPI):
is_api: bool = True
def __init__(self,
backend: str = 'alles',
model: str = 'claude-3-opus-20240229',
key: str = None,
retry: int = 10,
timeout: int = 60,
wait: int = 3,
system_prompt: str = None,
verbose: bool = True,
temperature: float = 0,
max_tokens: int = 2048,
**kwargs):
if os.environ.get('ANTHROPIC_BACKEND', '') == 'official':
backend = 'official'
assert backend in ['alles', 'official'], f'Invalid backend: {backend}'
self.backend = backend
self.url = alles_url if backend == 'alles' else official_url
self.model = model
self.temperature = temperature
self.max_tokens = max_tokens
self.headers = alles_headers if backend == 'alles' else official_headers
self.timeout = timeout
if key is not None:
self.key = key
else:
self.key = os.environ.get('ALLES', '') if self.backend == 'alles' else os.environ.get('ANTHROPIC_API_KEY', '') # noqa: E501
if self.backend == 'alles':
self.headers['alles-apin-token'] = self.key
else:
self.headers['x-api-key'] = self.key
super().__init__(retry=retry, wait=wait, verbose=verbose, system_prompt=system_prompt, **kwargs)
def encode_image_file_to_base64(self, image_path, target_size=-1, fmt='.jpg'):
image = Image.open(image_path)
if fmt in ('.jpg', '.jpeg'):
format = 'JPEG'
elif fmt == '.png':
format = 'PNG'
else:
print(f'Unsupported image format: {fmt}, will cause media type match error.')
return encode_image_to_base64(image, target_size=target_size, fmt=format)
# inputs can be a lvl-2 nested list: [content1, content2, content3, ...]
# content can be a string or a list of image & text
def prepare_itlist(self, inputs):
assert np.all([isinstance(x, dict) for x in inputs])
has_images = np.sum([x['type'] == 'image' for x in inputs])
if has_images:
content_list = []
for msg in inputs:
if msg['type'] == 'text' and msg['value'] != '':
content_list.append(dict(type='text', text=msg['value']))
elif msg['type'] == 'image':
pth = msg['value']
suffix = osp.splitext(pth)[-1].lower()
media_type = mimetypes.types_map.get(suffix, None)
assert media_type is not None
content_list.append(dict(
type='image',
source={
'type': 'base64',
'media_type': media_type,
'data': self.encode_image_file_to_base64(pth, target_size=4096, fmt=suffix)
}))
else:
assert all([x['type'] == 'text' for x in inputs])
text = '\n'.join([x['value'] for x in inputs])
content_list = [dict(type='text', text=text)]
return content_list
def prepare_inputs(self, inputs):
input_msgs = []
assert isinstance(inputs, list) and isinstance(inputs[0], dict)
assert np.all(['type' in x for x in inputs]) or np.all(['role' in x for x in inputs]), inputs
if 'role' in inputs[0]:
assert inputs[-1]['role'] == 'user', inputs[-1]
for item in inputs:
input_msgs.append(dict(role=item['role'], content=self.prepare_itlist(item['content'])))
else:
input_msgs.append(dict(role='user', content=self.prepare_itlist(inputs)))
return input_msgs
def generate_inner(self, inputs, **kwargs) -> str:
payload = {
'model': self.model,
'max_tokens': self.max_tokens,
'messages': self.prepare_inputs(inputs),
**kwargs
}
if self.system_prompt is not None:
payload['system'] = self.system_prompt
response = requests.request('POST', self.url, headers=self.headers, data=json.dumps(payload), timeout=self.timeout * 1.1)
ret_code = response.status_code
ret_code = 0 if (200 <= int(ret_code) < 300) else ret_code
answer = self.fail_msg
try:
resp_struct = json.loads(response.text)
if self.backend == 'alles':
answer = resp_struct['data']['content'][0]['text'].strip()
elif self.backend == 'official':
answer = resp_struct['content'][0]['text'].strip()
except Exception as err:
if self.verbose:
self.logger.error(f'{type(err)}: {err}')
self.logger.error(response.text if hasattr(response, 'text') else response)
return ret_code, answer, response
class Claude3V(Claude_Wrapper):
def generate(self, message, dataset=None):
return super(Claude_Wrapper, self).generate(message)
|