File size: 9,352 Bytes
03a2d97 |
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 148 149 150 151 152 153 154 155 156 157 158 159 160 161 162 163 164 165 166 167 168 169 170 171 172 173 174 175 176 177 178 179 180 181 182 183 184 185 186 187 188 189 190 191 192 193 194 195 196 197 198 199 200 201 202 203 204 205 206 207 208 209 210 211 212 213 214 215 216 217 218 219 220 221 222 223 224 225 226 227 228 229 230 231 232 233 234 235 236 237 238 239 240 241 242 243 244 245 246 247 248 249 250 251 252 253 254 255 256 257 258 259 260 |
import ctypes
import os
from typing import List, Tuple, Optional
import numpy as np
import platform
base_dir = os.path.dirname(__file__)
arch = platform.machine()
if arch == 'x86_64':
arch_dir = 'x86_64'
elif arch in ('aarch64', 'arm64'):
arch_dir = 'aarch64'
else:
raise RuntimeError(f"Unsupported architecture: {arch}")
lib_paths = [
os.path.join(base_dir, arch_dir, 'libclip.so'),
os.path.join(base_dir, 'libclip.so')
]
last_error = None
diagnostic_shown = set()
for lib_path in lib_paths:
try:
print(f"Trying to load: {lib_path}")
_lib = ctypes.CDLL(lib_path)
print(f"✅ Successfully loaded: {lib_path}")
break
except OSError as e:
last_error = e
err_str = str(e)
print(f"\n❌ Failed to load: {lib_path}")
print(f" {err_str}")
# Only show GLIBCXX tip once
if "GLIBCXX" in err_str and "not found" in err_str:
if "missing_glibcxx" not in diagnostic_shown:
diagnostic_shown.add("missing_glibcxx")
print("🔍 Detected missing GLIBCXX version in libstdc++.so.6")
print("💡 This usually happens when your environment (like Conda) uses an older libstdc++")
print(f"👉 Try running with system libstdc++ preloaded:")
print(f" export LD_PRELOAD=/usr/lib/{arch_dir}-linux-gnu/libstdc++.so.6\n")
elif "No such file" in err_str:
if "file_not_found" not in diagnostic_shown:
diagnostic_shown.add("file_not_found")
print("🔍 File not found. Please verify that libclip.so exists and the path is correct.\n")
elif "wrong ELF class" in err_str:
if "elf_mismatch" not in diagnostic_shown:
diagnostic_shown.add("elf_mismatch")
print("🔍 ELF class mismatch — likely due to architecture conflict (e.g., loading x86_64 .so on aarch64).")
print(f"👉 Run `file {lib_path}` to verify the binary architecture.\n")
else:
if "generic_error" not in diagnostic_shown:
diagnostic_shown.add("generic_error")
print("📎 Tip: Use `ldd` to inspect missing dependencies:")
print(f" ldd {lib_path}\n")
else:
raise RuntimeError(f"\n❗ Failed to load libclip.so.\nLast error:\n{last_error}")
# 定义枚举类型
class ClipDeviceType(ctypes.c_int):
unknown_device = 0
host_device = 1
axcl_device = 2
# 定义结构体
class ClipMemInfo(ctypes.Structure):
_fields_ = [
('remain', ctypes.c_int),
('total', ctypes.c_int)
]
class ClipHostInfo(ctypes.Structure):
_fields_ = [
('available', ctypes.c_char),
('version', ctypes.c_char * 32),
('mem_info', ClipMemInfo)
]
class ClipDeviceInfo(ctypes.Structure):
_fields_ = [
('temp', ctypes.c_int),
('cpu_usage', ctypes.c_int),
('npu_usage', ctypes.c_int),
('mem_info', ClipMemInfo)
]
class ClipDevices(ctypes.Structure):
_fields_ = [
('host', ClipHostInfo),
('host_version', ctypes.c_char * 32),
('dev_version', ctypes.c_char * 32),
('count', ctypes.c_ubyte),
('devices_info', ClipDeviceInfo * 16)
]
class ClipInit(ctypes.Structure):
_fields_ = [
('dev_type', ClipDeviceType),
('devid', ctypes.c_char),
('text_encoder_path', ctypes.c_char * 128),
('image_encoder_path', ctypes.c_char * 128),
('tokenizer_path', ctypes.c_char * 128),
('isCN', ctypes.c_char),
('db_path', ctypes.c_char * 128)
]
class ClipImage(ctypes.Structure):
_fields_ = [
('data', ctypes.POINTER(ctypes.c_ubyte)),
('width', ctypes.c_int),
('height', ctypes.c_int),
('channels', ctypes.c_int),
('stride', ctypes.c_int)
]
class ClipResultItem(ctypes.Structure):
_fields_ = [
('key', ctypes.c_char * 64),
('score', ctypes.c_float)
]
# 设置函数参数和返回类型
_lib.clip_enum_devices.argtypes = [ctypes.POINTER(ClipDevices)]
_lib.clip_enum_devices.restype = ctypes.c_int
_lib.clip_sys_init.argtypes = [ClipDeviceType, ctypes.c_char]
_lib.clip_sys_init.restype = ctypes.c_int
_lib.clip_sys_deinit.argtypes = [ClipDeviceType, ctypes.c_char]
_lib.clip_sys_deinit.restype = ctypes.c_int
_lib.clip_create.argtypes = [ctypes.POINTER(ClipInit), ctypes.POINTER(ctypes.c_void_p)]
_lib.clip_create.restype = ctypes.c_int
_lib.clip_destroy.argtypes = [ctypes.c_void_p]
_lib.clip_destroy.restype = ctypes.c_int
_lib.clip_add.argtypes = [ctypes.c_void_p, ctypes.c_char_p, ctypes.POINTER(ClipImage), ctypes.c_char]
_lib.clip_add.restype = ctypes.c_int
_lib.clip_remove.argtypes = [ctypes.c_void_p, ctypes.c_char_p]
_lib.clip_remove.restype = ctypes.c_int
_lib.clip_contain.argtypes = [ctypes.c_void_p, ctypes.c_char_p]
_lib.clip_contain.restype = ctypes.c_int
_lib.clip_match_text.argtypes = [ctypes.c_void_p, ctypes.c_char_p, ctypes.POINTER(ClipResultItem), ctypes.c_int]
_lib.clip_match_text.restype = ctypes.c_int
_lib.clip_match_image.argtypes = [ctypes.c_void_p, ctypes.POINTER(ClipImage), ctypes.POINTER(ClipResultItem), ctypes.c_int]
_lib.clip_match_image.restype = ctypes.c_int
class ClipError(Exception):
pass
def check_error(code: int) -> None:
if code != 0:
raise ClipError(f"CLIP API错误: {code}")
class Clip:
def __init__(self, init_info: dict):
self.handle = None
self.init_info = ClipInit()
# 设置初始化参数
self.init_info.dev_type = init_info.get('dev_type', ClipDeviceType.axcl_device)
self.init_info.devid = init_info.get('devid', 0)
self.init_info.isCN = init_info.get('isCN', 1)
# 设置路径
for path_name in ['text_encoder_path', 'image_encoder_path', 'tokenizer_path', 'db_path']:
if path_name in init_info:
setattr(self.init_info, path_name, init_info[path_name].encode('utf-8'))
# 创建CLIP实例
handle = ctypes.c_void_p()
check_error(_lib.clip_create(ctypes.byref(self.init_info), ctypes.byref(handle)))
self.handle = handle
def __del__(self):
if self.handle:
_lib.clip_destroy(self.handle)
def add_image(self, key: str, image_data: np.ndarray) -> None:
if self.contains_image(key):
return
image = ClipImage()
image.data = ctypes.cast(image_data.ctypes.data, ctypes.POINTER(ctypes.c_ubyte))
image.width = image_data.shape[1]
image.height = image_data.shape[0]
image.channels = image_data.shape[2]
image.stride = image_data.shape[1] * image_data.shape[2]
check_error(_lib.clip_add(self.handle, key.encode('utf-8'), ctypes.byref(image), 0))
def remove_image(self, key: str) -> None:
check_error(_lib.clip_remove(self.handle, key.encode('utf-8')))
def contains_image(self, key: str) -> bool:
return _lib.clip_contain(self.handle, key.encode('utf-8')) == 1
def match_text(self, text: str, top_k: int = 10) -> List[Tuple[str, float]]:
results = (ClipResultItem * top_k)()
check_error(_lib.clip_match_text(self.handle, text.encode('utf-8'), results, top_k))
return [(item.key.decode('utf-8'), item.score) for item in results]
def match_image(self, image_data: bytes, width: int, height: int, channels: int = 3, top_k: int = 10) -> List[Tuple[str, float]]:
image = ClipImage()
image.data = ctypes.cast(ctypes.create_string_buffer(image_data), ctypes.POINTER(ctypes.c_ubyte))
image.width = width
image.height = height
image.channels = channels
image.stride = width * channels
results = (ClipResultItem * top_k)()
check_error(_lib.clip_match_image(self.handle, ctypes.byref(image), ctypes.byref(results), top_k))
return [(item.key.decode('utf-8'), item.score) for item in results]
def enum_devices() -> dict:
devices = ClipDevices()
check_error(_lib.clip_enum_devices(ctypes.byref(devices)))
return {
'host': {
'available': bool(devices.host.available),
'version': devices.host.version.decode('utf-8'),
'mem_info': {
'remain': devices.host.mem_info.remain,
'total': devices.host.mem_info.total
}
},
'devices': {
'host_version': devices.host_version.decode('utf-8'),
'dev_version': devices.dev_version.decode('utf-8'),
'count': devices.count,
'devices_info': [{
'temp': dev.temp,
'cpu_usage': dev.cpu_usage,
'npu_usage': dev.npu_usage,
'mem_info': {
'remain': dev.mem_info.remain,
'total': dev.mem_info.total
}
} for dev in devices.devices_info[:devices.count]]
}
}
def sys_init(dev_type: ClipDeviceType = ClipDeviceType.axcl_device, devid: int = 0) -> None:
check_error(_lib.clip_sys_init(dev_type, devid))
def sys_deinit(dev_type: ClipDeviceType = ClipDeviceType.axcl_device, devid: int = 0) -> None:
check_error(_lib.clip_sys_deinit(dev_type, devid)) |