|
|
"""
|
|
|
Functions for downloading model weights from Hugging Face repositories.
|
|
|
"""
|
|
|
import os
|
|
|
import sys
|
|
|
import time
|
|
|
import logging
|
|
|
import traceback
|
|
|
import torch
|
|
|
from pathlib import Path
|
|
|
from typing import Dict, Optional, Tuple, List, Any, Union
|
|
|
from urllib.error import HTTPError
|
|
|
from huggingface_hub import hf_hub_download, HfFileSystem, HfApi
|
|
|
|
|
|
|
|
|
sys.path.append(os.path.dirname(os.path.abspath(__file__)))
|
|
|
|
|
|
|
|
|
logger = logging.getLogger(__name__)
|
|
|
|
|
|
|
|
|
try:
|
|
|
from model_repo_config import get_repo_config
|
|
|
logger.info("Successfully imported model_repo_config")
|
|
|
except ImportError:
|
|
|
logger.warning("model_repo_config module not found, using minimal implementation")
|
|
|
|
|
|
|
|
|
class MinimalRepoConfig:
|
|
|
"""Minimal repository config for fallback"""
|
|
|
def __init__(self):
|
|
|
self.repo_id = "EvolphTech/Weights"
|
|
|
self.cache_dir = "/tmp/tlm_cache"
|
|
|
self.weight_locations = ["Wildnerve-tlm01-0.05Bx12.bin", "model.bin", "pytorch_model.bin"]
|
|
|
self.snn_weight_locations = ["stdp_model_epoch_30.bin", "snn_model.bin"]
|
|
|
self.default_repo = "EvolphTech/Weights"
|
|
|
self.alternative_paths = ["Wildnerve/tlm-0.05Bx12", "Wildnerve/tlm", "EvolphTech/Checkpoints"]
|
|
|
logger.info("Using minimal repository config")
|
|
|
|
|
|
def get_auth_token(self):
|
|
|
"""Get authentication token from environment"""
|
|
|
return os.environ.get("HF_TOKEN") or os.environ.get("HF_API_TOKEN")
|
|
|
|
|
|
def save_download_status(self, success, files):
|
|
|
"""Minimal implementation that just logs"""
|
|
|
logger.info(f"Download status: success={success}, files={len(files) if files else 0}")
|
|
|
|
|
|
def get_repo_config():
|
|
|
"""Get minimal repository config"""
|
|
|
return MinimalRepoConfig()
|
|
|
|
|
|
|
|
|
if not os.environ.get("HF_TOKEN"):
|
|
|
os.environ["HF_TOKEN"] = "your_token_here"
|
|
|
|
|
|
|
|
|
if not os.environ.get("HF_TOKEN"):
|
|
|
token_file = os.path.join(os.path.dirname(os.path.abspath(__file__)), ".hf_token")
|
|
|
if os.path.exists(token_file):
|
|
|
try:
|
|
|
with open(token_file, "r") as f:
|
|
|
token = f.read().strip()
|
|
|
if token:
|
|
|
os.environ["HF_TOKEN"] = token
|
|
|
logger.info(f"Loaded token from file with length {len(token)}")
|
|
|
except Exception as e:
|
|
|
logger.error(f"Failed to load token from file: {e}")
|
|
|
else:
|
|
|
logger.warning("No token found in environment or token file")
|
|
|
logger.warning("Run: python set_token.py YOUR_HF_TOKEN to set your token")
|
|
|
os.environ["HF_TOKEN"] = ""
|
|
|
|
|
|
|
|
|
if os.environ.get("HF_TOKEN") == "your_token_here":
|
|
|
logger.warning("Token is still set to the placeholder 'your_token_here'")
|
|
|
logger.warning("Please set a real token using set_token.py")
|
|
|
os.environ["HF_TOKEN"] = ""
|
|
|
|
|
|
|
|
|
logger = logging.getLogger(__name__)
|
|
|
|
|
|
def verify_token():
|
|
|
"""Verify the HF token is available and properly formatted."""
|
|
|
token = os.environ.get("HF_TOKEN", os.environ.get("HF_API_TOKEN"))
|
|
|
|
|
|
|
|
|
if not token:
|
|
|
logger.error("❌ HF_TOKEN not found in environment variables!")
|
|
|
return False
|
|
|
|
|
|
|
|
|
if token.startswith("Bearer "):
|
|
|
token = token[7:].strip()
|
|
|
os.environ["HF_TOKEN"] = token
|
|
|
|
|
|
token_length = len(token)
|
|
|
token_preview = token[:5] + "..." + token[-5:] if token_length > 10 else "too_short"
|
|
|
logger.info(f"HF Token found: length={token_length}, preview={token_preview}")
|
|
|
|
|
|
|
|
|
try:
|
|
|
import requests
|
|
|
headers = {"Authorization": f"Bearer {token}"}
|
|
|
test_url = "https://huggingface.co/api/whoami"
|
|
|
response = requests.get(test_url, headers=headers, timeout=10)
|
|
|
|
|
|
if response.status_code == 200:
|
|
|
user_info = response.json()
|
|
|
logger.info(f"✅ Token validated for user: {user_info.get('name', 'unknown')}")
|
|
|
return True
|
|
|
else:
|
|
|
logger.warning(f"❌ Token validation failed: {response.status_code} - {response.text[:100]}")
|
|
|
logger.warning("Please make sure your token has the correct permissions")
|
|
|
|
|
|
|
|
|
if response.status_code == 401:
|
|
|
logger.warning("Token appears to be invalid or expired")
|
|
|
elif response.status_code == 403:
|
|
|
logger.warning("Token doesn't have required permissions")
|
|
|
except Exception as e:
|
|
|
logger.warning(f"Error testing token: {e}")
|
|
|
|
|
|
|
|
|
return bool(token)
|
|
|
|
|
|
|
|
|
token_verified = verify_token()
|
|
|
|
|
|
def verify_repository(repo_id: str, token: Optional[str] = None) -> Tuple[bool, List[str]]:
|
|
|
"""
|
|
|
Verify that a repository exists and is accessible.
|
|
|
|
|
|
Args:
|
|
|
repo_id: Repository ID to verify
|
|
|
token: Optional Hugging Face API token
|
|
|
|
|
|
Returns:
|
|
|
(success, files): Tuple of success flag and list of files
|
|
|
"""
|
|
|
try:
|
|
|
|
|
|
api = HfApi()
|
|
|
logger.info(f"Verifying access to repository: {repo_id}")
|
|
|
|
|
|
try:
|
|
|
files = api.list_repo_files(repo_id, token=token)
|
|
|
logger.info(f"Repository {repo_id} is accessible")
|
|
|
logger.info(f"Found {len(files)} files in repository")
|
|
|
return True, files
|
|
|
|
|
|
except Exception as e:
|
|
|
error_msg = str(e).lower()
|
|
|
|
|
|
if "not found" in error_msg or "404" in error_msg:
|
|
|
logger.error(f"Repository {repo_id} not found. Please check the name.")
|
|
|
return False, []
|
|
|
elif "unauthorized" in error_msg or "permission" in error_msg or "401" in error_msg:
|
|
|
if token:
|
|
|
logger.error(f"Authentication failed for repository {repo_id} despite token")
|
|
|
else:
|
|
|
logger.error(f"No token provided for private repository {repo_id}")
|
|
|
return False, []
|
|
|
else:
|
|
|
logger.error(f"Error accessing repository {repo_id}: {e}")
|
|
|
return False, []
|
|
|
except Exception as e:
|
|
|
logger.error(f"Unexpected error verifying repository {repo_id}: {e}")
|
|
|
return False, []
|
|
|
|
|
|
def download_file(repo_id: str, file_path: str, cache_dir: str, token: Optional[str] = None) -> Optional[str]:
|
|
|
"""
|
|
|
Download a file from a Hugging Face repository with retry logic.
|
|
|
"""
|
|
|
max_retries = 3
|
|
|
|
|
|
|
|
|
if token:
|
|
|
|
|
|
if token.startswith("Bearer "):
|
|
|
token = token[7:].strip()
|
|
|
|
|
|
|
|
|
if not token.strip():
|
|
|
token = None
|
|
|
|
|
|
for attempt in range(1, max_retries + 1):
|
|
|
try:
|
|
|
logger.info(f"Downloading {file_path} from {repo_id} (attempt {attempt}/{max_retries})...")
|
|
|
|
|
|
|
|
|
if attempt > 1:
|
|
|
token_status = "No token" if not token else f"Token with length {len(token)}"
|
|
|
logger.info(f"Using: {token_status}")
|
|
|
logger.info(f"Repo ID: {repo_id}, Path: {file_path}")
|
|
|
|
|
|
|
|
|
local_path = hf_hub_download(
|
|
|
repo_id=repo_id,
|
|
|
filename=file_path,
|
|
|
cache_dir=cache_dir,
|
|
|
force_download=attempt > 1,
|
|
|
token=token,
|
|
|
local_files_only=False
|
|
|
)
|
|
|
|
|
|
|
|
|
if os.path.exists(local_path) and os.path.getsize(local_path) > 0:
|
|
|
logger.info(f"✅ Successfully downloaded {file_path} to {local_path} ({os.path.getsize(local_path)/1024/1024:.1f} MB)")
|
|
|
return local_path
|
|
|
else:
|
|
|
logger.warning(f"⚠️ Downloaded file exists but may be empty: {local_path}")
|
|
|
if attempt < max_retries:
|
|
|
continue
|
|
|
return local_path
|
|
|
|
|
|
except Exception as e:
|
|
|
error_msg = str(e).lower()
|
|
|
|
|
|
|
|
|
if "401" in error_msg or "unauthorized" in error_msg:
|
|
|
logger.warning(f"❌ Authentication error when downloading {file_path} from {repo_id}: {e}")
|
|
|
logger.warning("Please check your HF_TOKEN environment variable")
|
|
|
elif "404" in error_msg or "not found" in error_msg:
|
|
|
logger.warning(f"❌ File or repository not found: {file_path} in {repo_id}")
|
|
|
else:
|
|
|
logger.warning(f"❌ Failed to download {file_path} from {repo_id} (attempt {attempt}/{max_retries}): {e}")
|
|
|
|
|
|
if attempt == max_retries:
|
|
|
return None
|
|
|
time.sleep(1)
|
|
|
|
|
|
def check_for_local_weights():
|
|
|
"""Check if weights are available locally"""
|
|
|
|
|
|
if os.environ.get("MODEL_WEIGHTS_FOUND") == "true" or os.environ.get("USING_LOCAL_WEIGHTS") == "true":
|
|
|
logger.info("Using previously found local weights")
|
|
|
return True
|
|
|
|
|
|
|
|
|
transformer_weights = os.environ.get("TLM_TRANSFORMER_WEIGHTS")
|
|
|
if transformer_weights and os.path.exists(transformer_weights):
|
|
|
logger.info(f"Found transformer weights locally at: {transformer_weights}")
|
|
|
|
|
|
|
|
|
snn_weights = os.environ.get("TLM_SNN_WEIGHTS")
|
|
|
if snn_weights and os.path.exists(snn_weights):
|
|
|
logger.info(f"Found SNN weights locally at: {snn_weights}")
|
|
|
|
|
|
|
|
|
os.environ["MODEL_WEIGHTS_FOUND"] = "true"
|
|
|
os.environ["USING_LOCAL_WEIGHTS"] = "true"
|
|
|
return True
|
|
|
|
|
|
|
|
|
transformer_paths = [
|
|
|
"/app/Weights/Transformer/Wildnerve-tlm01-0.05Bx12.bin",
|
|
|
"/app/Weights/Wildnerve-tlm01-0.05Bx12.bin",
|
|
|
"/app/weights/Wildnerve-tlm01-0.05Bx12.bin",
|
|
|
"./Weights/Transformer/Wildnerve-tlm01-0.05Bx12.bin",
|
|
|
"./Weights/Wildnerve-tlm01-0.05Bx12.bin"
|
|
|
]
|
|
|
|
|
|
for path in transformer_paths:
|
|
|
if os.path.exists(path):
|
|
|
logger.info(f"Found transformer weights at: {path}")
|
|
|
os.environ["TLM_TRANSFORMER_WEIGHTS"] = path
|
|
|
os.environ["MODEL_WEIGHTS_FOUND"] = "true"
|
|
|
|
|
|
|
|
|
snn_paths = [
|
|
|
"/app/Weights/SNN/stdp_model_epoch_30.bin",
|
|
|
"/app/Weights/stdp_model_epoch_30.bin",
|
|
|
"/app/weights/stdp_model_epoch_30.bin",
|
|
|
"./Weights/SNN/stdp_model_epoch_30.bin",
|
|
|
"./Weights/stdp_model_epoch_30.bin"
|
|
|
]
|
|
|
|
|
|
for snn_path in snn_paths:
|
|
|
if os.path.exists(snn_path):
|
|
|
logger.info(f"Found SNN weights at: {snn_path}")
|
|
|
os.environ["TLM_SNN_WEIGHTS"] = snn_path
|
|
|
break
|
|
|
|
|
|
return True
|
|
|
|
|
|
return False
|
|
|
|
|
|
def load_model_weights(model=None):
|
|
|
"""Load model weights from local files or download from repository."""
|
|
|
|
|
|
logger.info("Checking for local model weights...")
|
|
|
if check_for_local_weights():
|
|
|
logger.info("Using local weights, skipping repository download")
|
|
|
return {
|
|
|
"transformer": os.environ.get("TLM_TRANSFORMER_WEIGHTS"),
|
|
|
"snn": os.environ.get("TLM_SNN_WEIGHTS")
|
|
|
}
|
|
|
|
|
|
|
|
|
logger.info("No local weights found, attempting to download from repository")
|
|
|
|
|
|
|
|
|
config = get_repo_config()
|
|
|
repo_id_base = config.repo_id
|
|
|
cache_dir = config.cache_dir
|
|
|
sub_dir = None
|
|
|
|
|
|
return download_model_files(repo_id_base, sub_dir, cache_dir)
|
|
|
|
|
|
def download_model_files(repo_id_base: str, sub_dir: Optional[str] = None,
|
|
|
cache_dir: Optional[str] = None) -> Dict[str, str]:
|
|
|
"""
|
|
|
Download model files from a Hugging Face repository.
|
|
|
|
|
|
Args:
|
|
|
repo_id_base: Base repository ID
|
|
|
sub_dir: Optional subdirectory within the repository
|
|
|
cache_dir: Optional cache directory
|
|
|
|
|
|
Returns:
|
|
|
Dictionary of downloaded files (file_type: local_path)
|
|
|
"""
|
|
|
|
|
|
config = get_repo_config()
|
|
|
|
|
|
|
|
|
cache_dir = cache_dir or config.cache_dir
|
|
|
|
|
|
|
|
|
token = config.get_auth_token()
|
|
|
|
|
|
|
|
|
downloaded_files = {}
|
|
|
|
|
|
|
|
|
local_weight_paths = [
|
|
|
"./Wildnerve-tlm01-0.05Bx12.bin",
|
|
|
"./weights/Wildnerve-tlm01-0.05Bx12.bin",
|
|
|
"./pytorch_model.bin",
|
|
|
"./model.bin",
|
|
|
"/app/Wildnerve-tlm01-0.05Bx12.bin",
|
|
|
"/app/weights/Wildnerve-tlm01-0.05Bx12.bin",
|
|
|
"/app/pytorch_model.bin"
|
|
|
]
|
|
|
|
|
|
|
|
|
logger.info("Checking for local model weights...")
|
|
|
for weight_path in local_weight_paths:
|
|
|
if os.path.exists(weight_path):
|
|
|
logger.info(f"Found local weights: {weight_path}")
|
|
|
downloaded_files["transformer"] = weight_path
|
|
|
|
|
|
local_config_paths = [
|
|
|
os.path.join(os.path.dirname(weight_path), "config.json"),
|
|
|
"./config.json",
|
|
|
"/app/config.json"
|
|
|
]
|
|
|
for config_path in local_config_paths:
|
|
|
if os.path.exists(config_path):
|
|
|
downloaded_files["config"] = config_path
|
|
|
break
|
|
|
|
|
|
|
|
|
os.environ["TLM_TRANSFORMER_WEIGHTS"] = downloaded_files["transformer"]
|
|
|
if "config" in downloaded_files:
|
|
|
os.environ["TLM_CONFIG_PATH"] = downloaded_files["config"]
|
|
|
|
|
|
|
|
|
logger.info(f"Using local weights: {weight_path}")
|
|
|
return downloaded_files
|
|
|
|
|
|
|
|
|
logger.info("No local weights found, attempting to download from repository")
|
|
|
|
|
|
|
|
|
evolphtech_repo = "EvolphTech/Weights"
|
|
|
logger.info(f"Trying EvolphTech/Weights repository with proper subdirectories")
|
|
|
|
|
|
|
|
|
success, files = verify_repository(evolphtech_repo, token)
|
|
|
|
|
|
if success:
|
|
|
logger.info(f"✅ Successfully connected to {evolphtech_repo}")
|
|
|
logger.info(f"Found {len(files)} files in repository")
|
|
|
|
|
|
|
|
|
logger.info(f"File list preview (first 10 files): {files[:10] if len(files) > 10 else files}")
|
|
|
|
|
|
|
|
|
transformer_paths = [
|
|
|
"Transformer/Wildnerve-tlm01-0.05Bx12.bin",
|
|
|
"Transformer/model.bin",
|
|
|
"Transformer/pytorch_model.bin"
|
|
|
]
|
|
|
|
|
|
|
|
|
logger.info("Trying to download transformer weights from Transformer subdirectory")
|
|
|
transformer_path = None
|
|
|
|
|
|
for path in transformer_paths:
|
|
|
logger.info(f"Attempting to download: {evolphtech_repo}/{path}")
|
|
|
transformer_path = download_file(evolphtech_repo, path, cache_dir, token)
|
|
|
if transformer_path:
|
|
|
downloaded_files["transformer"] = transformer_path
|
|
|
logger.info(f"✅ Successfully downloaded transformer weights: {path}")
|
|
|
break
|
|
|
|
|
|
|
|
|
if "transformer" in downloaded_files:
|
|
|
snn_paths = [
|
|
|
"SNN/stdp_model_epoch_30.bin",
|
|
|
"SNN/snn_model.bin"
|
|
|
]
|
|
|
|
|
|
logger.info("Trying to download SNN weights from SNN subdirectory")
|
|
|
snn_path = None
|
|
|
|
|
|
for path in snn_paths:
|
|
|
logger.info(f"Attempting to download: {evolphtech_repo}/{path}")
|
|
|
snn_path = download_file(evolphtech_repo, path, cache_dir, token)
|
|
|
if snn_path:
|
|
|
downloaded_files["snn"] = snn_path
|
|
|
logger.info(f"✅ Successfully downloaded SNN weights: {path}")
|
|
|
break
|
|
|
|
|
|
|
|
|
if "transformer" in downloaded_files:
|
|
|
os.environ["TLM_TRANSFORMER_WEIGHTS"] = downloaded_files["transformer"]
|
|
|
if "snn" in downloaded_files:
|
|
|
os.environ["TLM_SNN_WEIGHTS"] = downloaded_files["snn"]
|
|
|
|
|
|
|
|
|
config.save_download_status(bool(downloaded_files), downloaded_files)
|
|
|
return downloaded_files
|
|
|
|
|
|
|
|
|
logger.warning("Couldn't find weights in Transformer/SNN subdirectories, trying alternative paths")
|
|
|
|
|
|
|
|
|
repo_id = repo_id_base
|
|
|
if sub_dir:
|
|
|
|
|
|
repo_id = repo_id_base.rstrip('/') + '/' + sub_dir.lstrip('/')
|
|
|
|
|
|
|
|
|
wildnerve_repo = "Wildnerve/tlm-0.05Bx12"
|
|
|
logger.info(f"Trying primary Wildnerve model repository: {wildnerve_repo}")
|
|
|
|
|
|
success, files = verify_repository(wildnerve_repo, token)
|
|
|
if success:
|
|
|
repo_id = wildnerve_repo
|
|
|
else:
|
|
|
|
|
|
success, files = verify_repository(repo_id, token)
|
|
|
if not success:
|
|
|
|
|
|
logger.info(f"Primary repository {repo_id} not accessible, trying alternatives")
|
|
|
|
|
|
|
|
|
wildnerve_variants = ["Wildnerve/tlm", "EvolphTech/Checkpoints"]
|
|
|
for wildnerve_alt in wildnerve_variants:
|
|
|
logger.info(f"Trying Wildnerve alternative: {wildnerve_alt}")
|
|
|
success, files = verify_repository(wildnerve_alt, token)
|
|
|
if success:
|
|
|
repo_id = wildnerve_alt
|
|
|
break
|
|
|
|
|
|
|
|
|
if not success:
|
|
|
for alt_repo in config.alternative_paths:
|
|
|
logger.info(f"Trying alternative repository: {alt_repo}")
|
|
|
success, files = verify_repository(alt_repo, token)
|
|
|
if success:
|
|
|
repo_id = alt_repo
|
|
|
break
|
|
|
|
|
|
|
|
|
if not success:
|
|
|
repo_id = config.default_repo
|
|
|
success, files = verify_repository(repo_id, token)
|
|
|
|
|
|
|
|
|
downloaded_files = {}
|
|
|
|
|
|
|
|
|
try:
|
|
|
logger.info(f"Downloading config from {repo_id}...")
|
|
|
config_path = download_file(repo_id, "config.json", cache_dir, token)
|
|
|
if config_path:
|
|
|
downloaded_files["config"] = config_path
|
|
|
else:
|
|
|
logger.warning("Will use default config values")
|
|
|
except Exception as e:
|
|
|
logger.warning(f"Error downloading config: {e}")
|
|
|
|
|
|
|
|
|
logger.info(f"Downloading transformer weights from {repo_id}...")
|
|
|
transformer_path = None
|
|
|
|
|
|
|
|
|
wildnerve_paths = ["Wildnerve-tlm01-0.05Bx12.bin", "model.bin", "pytorch_model.bin"]
|
|
|
for path in wildnerve_paths:
|
|
|
logger.info(f"Trying Wildnerve model path: {path}")
|
|
|
transformer_path = download_file(repo_id, path, cache_dir, token)
|
|
|
if transformer_path:
|
|
|
downloaded_files["transformer"] = transformer_path
|
|
|
break
|
|
|
|
|
|
|
|
|
if not transformer_path:
|
|
|
for path in config.weight_locations:
|
|
|
transformer_path = download_file(repo_id, path, cache_dir, token)
|
|
|
if transformer_path:
|
|
|
downloaded_files["transformer"] = transformer_path
|
|
|
break
|
|
|
logger.info(f"Trying path: {path}")
|
|
|
|
|
|
if not transformer_path:
|
|
|
logger.warning("No transformer weights found, trying public BERT model as fallback")
|
|
|
try:
|
|
|
|
|
|
transformer_path = download_file(config.default_repo, "pytorch_model.bin", cache_dir, token)
|
|
|
if transformer_path:
|
|
|
downloaded_files["transformer"] = transformer_path
|
|
|
logger.info("Successfully downloaded fallback BERT model")
|
|
|
else:
|
|
|
|
|
|
for alt_repo in ["bert-base-uncased", "distilbert-base-uncased"]:
|
|
|
transformer_path = download_file(alt_repo, "pytorch_model.bin", cache_dir, token)
|
|
|
if transformer_path:
|
|
|
downloaded_files["transformer"] = transformer_path
|
|
|
logger.info(f"Successfully downloaded fallback model from {alt_repo}")
|
|
|
break
|
|
|
except Exception as e:
|
|
|
logger.error(f"Failed to download fallback model: {e}")
|
|
|
|
|
|
|
|
|
if not transformer_path:
|
|
|
logger.warning("⚠️ Could not download from private repos, trying public models WITHOUT token")
|
|
|
try:
|
|
|
|
|
|
public_models = [
|
|
|
"TinyLlama/TinyLlama-1.1B-Chat-v1.0",
|
|
|
"google/mobilevit-small",
|
|
|
"prajjwal1/bert-tiny",
|
|
|
"distilbert/distilbert-base-uncased",
|
|
|
"google/bert_uncased_L-2_H-128_A-2",
|
|
|
"hf-internal-testing/tiny-random-gptj"
|
|
|
]
|
|
|
|
|
|
for model_id in public_models:
|
|
|
logger.info(f"Trying public model WITHOUT token: {model_id}")
|
|
|
try:
|
|
|
|
|
|
transformer_path = download_file(model_id, "pytorch_model.bin", cache_dir, token=None)
|
|
|
if transformer_path:
|
|
|
downloaded_files["transformer"] = transformer_path
|
|
|
logger.info(f"✅ Successfully downloaded weights from {model_id}")
|
|
|
break
|
|
|
except Exception as e:
|
|
|
logger.warning(f"Could not download from {model_id}: {e}")
|
|
|
|
|
|
except Exception as e:
|
|
|
logger.error(f"Failed to download public models: {e}")
|
|
|
|
|
|
|
|
|
if not transformer_path:
|
|
|
try:
|
|
|
|
|
|
logger.info("Attempting to use tiny-bert from transformers cache")
|
|
|
from transformers import AutoModel, AutoTokenizer
|
|
|
|
|
|
model_id = "prajjwal1/bert-tiny"
|
|
|
tiny_model = AutoModel.from_pretrained(model_id)
|
|
|
tiny_tokenizer = AutoTokenizer.from_pretrained(model_id)
|
|
|
|
|
|
|
|
|
tmp_dir = os.path.join(cache_dir or "/tmp/tlm_cache", "tiny-bert")
|
|
|
os.makedirs(tmp_dir, exist_ok=True)
|
|
|
temp_file = os.path.join(tmp_dir, "pytorch_model.bin")
|
|
|
|
|
|
|
|
|
torch.save(tiny_model.state_dict(), temp_file)
|
|
|
logger.info(f"✅ Saved tiny-bert model to {temp_file}")
|
|
|
|
|
|
|
|
|
downloaded_files["transformer"] = temp_file
|
|
|
transformer_path = temp_file
|
|
|
except Exception as e:
|
|
|
logger.error(f"Failed to use tiny-bert from transformers: {e}")
|
|
|
|
|
|
|
|
|
if "transformer" in downloaded_files:
|
|
|
logger.info(f"Downloading SNN weights from {repo_id}...")
|
|
|
snn_path = None
|
|
|
|
|
|
for path in config.snn_weight_locations:
|
|
|
snn_path = download_file(repo_id, path, cache_dir, token)
|
|
|
if snn_path:
|
|
|
downloaded_files["snn"] = snn_path
|
|
|
break
|
|
|
logger.info(f"Trying path: {path}")
|
|
|
|
|
|
|
|
|
if "transformer" in downloaded_files:
|
|
|
os.environ["TLM_TRANSFORMER_WEIGHTS"] = downloaded_files["transformer"]
|
|
|
if "snn" in downloaded_files:
|
|
|
os.environ["TLM_SNN_WEIGHTS"] = downloaded_files["snn"]
|
|
|
|
|
|
|
|
|
config.save_download_status(bool(downloaded_files), downloaded_files)
|
|
|
|
|
|
return downloaded_files
|
|
|
|
|
|
def find_expanded_weights(base_weight_path, target_dim=768):
|
|
|
"""
|
|
|
Find expanded weights in various potential locations based on the base weight path.
|
|
|
|
|
|
Args:
|
|
|
base_weight_path: Path to the original weights file
|
|
|
target_dim: Target embedding dimension to look for
|
|
|
|
|
|
Returns:
|
|
|
Path to expanded weights if found, otherwise None
|
|
|
"""
|
|
|
if not base_weight_path:
|
|
|
return None
|
|
|
|
|
|
base_name = os.path.basename(base_weight_path)
|
|
|
base_stem, ext = os.path.splitext(base_name)
|
|
|
expanded_name = f"{base_stem}_expanded_{target_dim}{ext}"
|
|
|
|
|
|
|
|
|
common_dirs = [
|
|
|
"/tmp",
|
|
|
"/tmp/tlm_data",
|
|
|
os.environ.get("TLM_DATA_DIR", "/tmp/tlm_data")
|
|
|
]
|
|
|
|
|
|
|
|
|
original_dir = os.path.dirname(base_weight_path)
|
|
|
if original_dir:
|
|
|
common_dirs.append(original_dir)
|
|
|
|
|
|
|
|
|
for directory in common_dirs:
|
|
|
if not directory:
|
|
|
continue
|
|
|
|
|
|
expanded_path = os.path.join(directory, expanded_name)
|
|
|
if os.path.exists(expanded_path):
|
|
|
logger.info(f"Found expanded weights at {expanded_path}")
|
|
|
return expanded_path
|
|
|
|
|
|
|
|
|
if os.path.exists(expanded_name):
|
|
|
return expanded_name
|
|
|
|
|
|
return None
|
|
|
|
|
|
def load_weights_into_model(model, weights_path: str, strict: bool = False) -> bool:
|
|
|
"""
|
|
|
Load weights from a file into a model.
|
|
|
|
|
|
Args:
|
|
|
model: The model to load weights into
|
|
|
weights_path: Path to the weights file
|
|
|
strict: Whether to strictly enforce that the keys in the weights file match the model
|
|
|
|
|
|
Returns:
|
|
|
bool: True if weights were successfully loaded, False otherwise
|
|
|
"""
|
|
|
try:
|
|
|
logger.info(f"Loading weights from {weights_path}")
|
|
|
|
|
|
|
|
|
expanded_path = find_expanded_weights(weights_path)
|
|
|
if expanded_path:
|
|
|
logger.info(f"Using expanded weights: {expanded_path}")
|
|
|
weights_path = expanded_path
|
|
|
|
|
|
|
|
|
state_dict = torch.load(weights_path, map_location="cpu")
|
|
|
|
|
|
|
|
|
if isinstance(state_dict, dict) and "model_state_dict" in state_dict:
|
|
|
state_dict = state_dict["model_state_dict"]
|
|
|
elif isinstance(state_dict, dict) and "state_dict" in state_dict:
|
|
|
state_dict = state_dict["state_dict"]
|
|
|
|
|
|
|
|
|
model_dims = {}
|
|
|
state_dict_dims = {}
|
|
|
|
|
|
|
|
|
for name, param in model.named_parameters():
|
|
|
if 'weight' in name and len(param.shape) >= 1:
|
|
|
if hasattr(param, 'shape') and len(param.shape) > 0:
|
|
|
model_dims[name] = param.shape[0]
|
|
|
|
|
|
|
|
|
for name, tensor in state_dict.items():
|
|
|
if 'weight' in name and len(tensor.shape) >= 1:
|
|
|
state_dict_dims[name] = tensor.shape[0]
|
|
|
|
|
|
|
|
|
common_keys = set(model_dims.keys()) & set(state_dict_dims.keys())
|
|
|
if common_keys:
|
|
|
model_dim = None
|
|
|
state_dict_dim = None
|
|
|
|
|
|
|
|
|
for key in common_keys:
|
|
|
if not model_dim:
|
|
|
model_dim = model_dims[key]
|
|
|
if not state_dict_dim:
|
|
|
state_dict_dim = state_dict_dims[key]
|
|
|
|
|
|
|
|
|
if model_dim != state_dict_dim:
|
|
|
logger.warning(f"⚠️ Dimensional mismatch detected: model={model_dim}, weights={state_dict_dim}")
|
|
|
logger.warning(f"This will cause incorrect outputs (gibberish) in generation")
|
|
|
|
|
|
|
|
|
logger.error(f"❌ Aborting weight loading due to dimension mismatch")
|
|
|
logger.error(f"You must use weights compatible with your model architecture")
|
|
|
logger.error(f"Expected hidden_dim={model_dim}, got hidden_dim={state_dict_dim}")
|
|
|
return False
|
|
|
|
|
|
|
|
|
|
|
|
try:
|
|
|
missing_keys, unexpected_keys = model.load_state_dict(state_dict, strict=strict)
|
|
|
logger.info(f"Loaded weights with {len(missing_keys)} missing keys and {len(unexpected_keys)} unexpected keys")
|
|
|
return True
|
|
|
except Exception as e:
|
|
|
logger.error(f"Error loading state dict: {e}")
|
|
|
|
|
|
|
|
|
if strict:
|
|
|
logger.info("Attempting non-strict loading")
|
|
|
try:
|
|
|
missing_keys, unexpected_keys = model.load_state_dict(state_dict, strict=False)
|
|
|
logger.info(f"Loaded weights with {len(missing_keys)} missing keys and {len(unexpected_keys)} unexpected keys")
|
|
|
return True
|
|
|
except Exception as ne:
|
|
|
logger.error(f"Non-strict loading also failed: {ne}")
|
|
|
|
|
|
return False
|
|
|
except Exception as e:
|
|
|
logger.error(f"Failed to load weights: {e}")
|
|
|
return False
|
|
|
|
|
|
def list_model_files(repo_id: str, token: Optional[str] = None) -> List[str]:
|
|
|
"""
|
|
|
List model files in a repository.
|
|
|
|
|
|
Args:
|
|
|
repo_id: Repository ID
|
|
|
token: Optional Hugging Face API token
|
|
|
|
|
|
Returns:
|
|
|
List of file paths
|
|
|
"""
|
|
|
try:
|
|
|
api = HfApi()
|
|
|
files = api.list_repo_files(repo_id, token=token)
|
|
|
|
|
|
|
|
|
model_files = [f for f in files if f.endswith('.bin') or f.endswith('.pt') or f.endswith('.pth')]
|
|
|
logger.info(f"Found {len(model_files)} model files in {repo_id}")
|
|
|
|
|
|
return model_files
|
|
|
except Exception as e:
|
|
|
logger.error(f"Error listing model files in {repo_id}: {e}")
|
|
|
return []
|
|
|
|
|
|
def set_token(token: str, save_to_file: bool = True) -> bool:
|
|
|
"""
|
|
|
Set the HF token for accessing private repositories.
|
|
|
|
|
|
Args:
|
|
|
token: The Hugging Face token to set
|
|
|
save_to_file: Whether to save the token to a file for persistence
|
|
|
|
|
|
Returns:
|
|
|
bool: True if successful, False otherwise
|
|
|
"""
|
|
|
try:
|
|
|
|
|
|
if token.startswith("Bearer "):
|
|
|
token = token[7:].strip()
|
|
|
|
|
|
|
|
|
os.environ["HF_TOKEN"] = token
|
|
|
logger.info(f"Token set in environment with length {len(token)}")
|
|
|
|
|
|
|
|
|
if save_to_file:
|
|
|
token_file = os.path.join(os.path.dirname(os.path.abspath(__file__)), ".hf_token")
|
|
|
with open(token_file, "w") as f:
|
|
|
f.write(token)
|
|
|
logger.info(f"Token saved to file: {token_file}")
|
|
|
|
|
|
return True
|
|
|
except Exception as e:
|
|
|
logger.error(f"Error setting token: {e}")
|
|
|
return False
|
|
|
|
|
|
def get_token_from_file() -> Optional[str]:
|
|
|
"""
|
|
|
Load HF token from file if available.
|
|
|
|
|
|
Returns:
|
|
|
Optional[str]: The token if found in file, None otherwise
|
|
|
"""
|
|
|
token_file = os.path.join(os.path.dirname(os.path.abspath(__file__)), ".hf_token")
|
|
|
if os.path.exists(token_file):
|
|
|
try:
|
|
|
with open(token_file, "r") as f:
|
|
|
token = f.read().strip()
|
|
|
if token:
|
|
|
return token
|
|
|
except Exception as e:
|
|
|
logger.error(f"Error reading token file: {e}")
|
|
|
return None
|
|
|
|
|
|
|
|
|
def verify_token():
|
|
|
"""Verify the HF token is available and properly formatted."""
|
|
|
|
|
|
token = os.environ.get("HF_TOKEN", os.environ.get("HF_API_TOKEN"))
|
|
|
|
|
|
|
|
|
if not token:
|
|
|
token = get_token_from_file()
|
|
|
if token:
|
|
|
os.environ["HF_TOKEN"] = token
|
|
|
logger.info("Loaded HF_TOKEN from file")
|
|
|
|
|
|
|
|
|
if not token:
|
|
|
logger.error("❌ HF_TOKEN not found in environment variables or token file!")
|
|
|
return False
|
|
|
|
|
|
|
|
|
if token.startswith("Bearer "):
|
|
|
token = token[7:].strip()
|
|
|
os.environ["HF_TOKEN"] = token
|
|
|
|
|
|
token_length = len(token)
|
|
|
token_preview = token[:5] + "..." + token[-5:] if token_length > 10 else "too_short"
|
|
|
logger.info(f"HF Token found: length={token_length}, preview={token_preview}")
|
|
|
|
|
|
|
|
|
try:
|
|
|
import requests
|
|
|
headers = {"Authorization": f"Bearer {token}"}
|
|
|
test_url = "https://huggingface.co/api/whoami"
|
|
|
response = requests.get(test_url, headers=headers, timeout=10)
|
|
|
|
|
|
if response.status_code == 200:
|
|
|
user_info = response.json()
|
|
|
logger.info(f"✅ Token validated for user: {user_info.get('name', 'unknown')}")
|
|
|
return True
|
|
|
else:
|
|
|
logger.warning(f"❌ Token validation failed: {response.status_code} - {response.text[:100]}")
|
|
|
logger.warning("Please make sure your token has the correct permissions")
|
|
|
|
|
|
|
|
|
if response.status_code == 401:
|
|
|
logger.warning("Token appears to be invalid or expired")
|
|
|
elif response.status_code == 403:
|
|
|
logger.warning("Token doesn't have required permissions")
|
|
|
except Exception as e:
|
|
|
logger.warning(f"Error testing token: {e}")
|
|
|
|
|
|
|
|
|
return bool(token)
|
|
|
|
|
|
if __name__ == "__main__":
|
|
|
|
|
|
logging.basicConfig(level=logging.INFO)
|
|
|
|
|
|
|
|
|
import argparse
|
|
|
parser = argparse.ArgumentParser(description="Download model weights or set HF token")
|
|
|
parser.add_argument("--repo-id", type=str, default=None, help="Repository ID")
|
|
|
parser.add_argument("--sub-dir", type=str, default=None, help="Subdirectory within repository")
|
|
|
parser.add_argument("--cache-dir", type=str, default=None, help="Cache directory")
|
|
|
|
|
|
|
|
|
parser.add_argument("--set-token", type=str, help="Set Hugging Face token for private repositories")
|
|
|
|
|
|
args = parser.parse_args()
|
|
|
|
|
|
|
|
|
if (args.set_token):
|
|
|
success = set_token(args.set_token)
|
|
|
if success:
|
|
|
print(f"✅ Token saved successfully with length {len(args.set_token)}")
|
|
|
print("You can now use the model with this token")
|
|
|
else:
|
|
|
print("❌ Failed to set token")
|
|
|
sys.exit(0 if success else 1)
|
|
|
|
|
|
|
|
|
repo_id = args.repo_id or os.environ.get("MODEL_REPO") or get_repo_config().repo_id
|
|
|
result = download_model_files(repo_id, args.sub_dir, args.cache_dir)
|
|
|
|
|
|
|
|
|
print(f"\nDownload Results:")
|
|
|
if "transformer" in result:
|
|
|
print(f"Transformer weights: {result['transformer']}")
|
|
|
else:
|
|
|
print(f"⚠️ No transformer weights downloaded")
|
|
|
|
|
|
if "snn" in result:
|
|
|
print(f"SNN weights: {result['snn']}")
|
|
|
else:
|
|
|
print(f"⚠️ No SNN weights downloaded") |