File size: 53,521 Bytes
350b54b |
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 261 262 263 264 265 266 267 268 269 270 271 272 273 274 275 276 277 278 279 280 281 282 283 284 285 286 287 288 289 290 291 292 293 294 295 296 297 298 299 300 301 302 303 304 305 306 307 308 309 310 311 312 313 314 315 316 317 318 319 320 321 322 323 324 325 326 327 328 329 330 331 332 333 334 335 336 337 338 339 340 341 342 343 344 345 346 347 348 349 350 351 352 353 354 355 356 357 358 359 360 361 362 363 364 365 366 367 368 369 370 371 372 373 374 375 376 377 378 379 380 381 382 383 384 385 386 387 388 389 390 391 392 393 394 395 396 397 398 399 400 401 402 403 404 405 406 407 408 409 410 411 412 413 414 415 416 417 418 419 420 421 422 423 424 425 426 427 428 429 430 431 432 433 434 435 436 437 438 439 440 441 442 443 444 445 446 447 448 449 450 451 452 453 454 455 456 457 458 459 460 461 462 463 464 465 466 467 468 469 470 471 472 473 474 475 476 477 478 479 480 481 482 483 484 485 486 487 488 489 490 491 492 493 494 495 496 497 498 499 500 501 502 503 504 505 506 507 508 509 510 511 512 513 514 515 516 517 518 519 520 521 522 523 524 525 526 527 528 529 530 531 532 533 534 535 536 537 538 539 540 541 542 543 544 545 546 547 548 549 550 551 552 553 554 555 556 557 558 559 560 561 562 563 564 565 566 567 568 569 570 571 572 573 574 575 576 577 578 579 580 581 582 583 584 585 586 587 588 589 590 591 592 593 594 595 596 597 598 599 600 601 602 603 604 605 606 607 608 609 610 611 612 613 614 615 616 617 618 619 620 621 622 623 624 625 626 627 628 629 630 631 632 633 634 635 636 637 638 639 640 641 642 643 644 645 646 647 648 649 650 651 652 653 654 655 656 657 658 659 660 661 662 663 664 665 666 667 668 669 670 671 672 673 674 675 676 677 678 679 680 681 682 683 684 685 686 687 688 689 690 691 692 693 694 695 696 697 698 699 700 701 702 703 704 705 706 707 708 709 710 711 712 713 714 715 716 717 718 719 720 721 722 723 724 725 726 727 728 729 730 731 732 733 734 735 736 737 738 739 740 741 742 743 744 745 746 747 748 749 750 751 752 753 754 755 756 757 758 759 760 761 762 763 764 765 766 767 768 769 770 771 772 773 774 775 776 777 778 779 780 781 782 783 784 785 786 787 788 789 790 791 792 793 794 795 796 797 798 799 800 801 802 803 804 805 806 807 808 809 810 811 812 813 814 815 816 817 818 819 820 821 822 823 824 825 826 827 828 829 830 831 832 833 834 835 836 837 838 839 840 841 842 843 844 845 846 847 848 849 850 851 852 853 854 855 856 857 858 859 860 861 862 863 864 865 866 867 868 869 870 871 872 873 874 875 876 877 878 879 880 881 882 883 884 885 886 887 888 889 890 891 892 893 894 895 896 897 898 899 900 901 902 903 904 905 906 907 908 909 910 911 912 913 914 915 916 917 918 919 920 921 922 923 924 925 926 927 928 929 930 931 932 933 934 935 936 937 938 939 940 941 942 943 944 945 946 947 948 949 950 951 952 953 954 955 956 957 958 959 960 961 962 963 964 965 966 967 968 969 970 971 972 973 974 975 976 977 978 979 980 981 982 983 984 985 986 987 988 989 990 991 992 993 994 995 996 997 998 999 1000 1001 1002 1003 1004 1005 1006 1007 1008 1009 1010 1011 1012 1013 1014 1015 1016 1017 1018 1019 1020 1021 1022 1023 1024 1025 1026 1027 1028 1029 1030 1031 1032 1033 1034 1035 1036 1037 1038 1039 1040 1041 1042 1043 1044 1045 1046 1047 1048 1049 1050 1051 1052 1053 1054 1055 1056 1057 1058 1059 1060 1061 1062 1063 1064 1065 1066 1067 1068 1069 1070 1071 1072 1073 1074 1075 1076 1077 1078 1079 1080 1081 1082 1083 1084 1085 1086 1087 1088 1089 1090 1091 1092 1093 1094 1095 1096 1097 1098 1099 1100 1101 1102 1103 1104 1105 1106 1107 1108 1109 1110 1111 1112 1113 1114 1115 1116 1117 1118 1119 1120 1121 1122 1123 1124 1125 1126 1127 1128 1129 1130 1131 1132 1133 1134 1135 1136 1137 1138 1139 1140 1141 1142 1143 1144 1145 1146 1147 1148 1149 1150 1151 1152 1153 1154 1155 1156 1157 1158 1159 1160 1161 1162 1163 1164 1165 1166 1167 1168 1169 1170 1171 1172 1173 1174 1175 1176 1177 1178 1179 1180 1181 1182 1183 1184 1185 1186 1187 1188 1189 1190 1191 1192 1193 1194 1195 1196 1197 1198 1199 1200 1201 1202 1203 1204 1205 1206 1207 1208 1209 1210 1211 1212 1213 1214 1215 1216 1217 1218 1219 1220 1221 1222 1223 1224 1225 1226 1227 1228 1229 1230 1231 1232 1233 1234 1235 1236 1237 1238 1239 1240 1241 1242 1243 1244 1245 1246 1247 1248 1249 1250 1251 1252 1253 1254 1255 1256 1257 1258 1259 1260 1261 1262 1263 1264 1265 |
import os
os.environ['TRANSFORMERS_CACHE'] = '/tmp/huggingface_cache'
#os.environ['PYTORCH_CUDA_ALLOC_CONF'] = 'max_split_size_mb:128'
import multiprocessing
try:
multiprocessing.set_start_method('spawn')
except RuntimeError:
pass # Il metodo è già stato impostato
import json
import torch
import torch.nn as nn
import numpy as np
import pandas as pd
from typing import List, Dict
import logging
import torch.nn.functional as F
from torch.utils.data import Dataset, DataLoader
import random
from collections import defaultdict
from pathlib import Path
from tqdm import tqdm
import os
import multiprocessing
from multiprocessing import Pool
import psutil
import argparse
# =================================
# CONFIGURABLE PARAMETERS
# =================================
# Define default parameters that can be overridden via environment variables
DEFAULT_NUM_TRIPLETS = 150 # Number of triplet examples to generate
DEFAULT_NUM_EPOCHS = 1 # Number of training epochs
DEFAULT_BATCH_SIZE = 64 # Batch size for training
DEFAULT_LEARNING_RATE = 0.001 # Learning rate for optimizer
DEFAULT_OUTPUT_DIM = 256 # Output dimension of embeddings
DEFAULT_MAX_SEQ_LENGTH = 15 # Maximum sequence length
DEFAULT_SAVE_INTERVAL = 2 # Save checkpoint every N epochs
DEFAULT_DATA_PATH = "./users.json" # Path to user data
DEFAULT_OUTPUT_DIR = "./model" # Output directory
# Read parameters from environment variables
NUM_TRIPLETS = int(os.environ.get("NUM_TRIPLETS", DEFAULT_NUM_TRIPLETS))
NUM_EPOCHS = int(os.environ.get("NUM_EPOCHS", DEFAULT_NUM_EPOCHS))
BATCH_SIZE = int(os.environ.get("BATCH_SIZE", DEFAULT_BATCH_SIZE))
LEARNING_RATE = float(os.environ.get("LEARNING_RATE", DEFAULT_LEARNING_RATE))
OUTPUT_DIM = int(os.environ.get("OUTPUT_DIM", DEFAULT_OUTPUT_DIM))
MAX_SEQ_LENGTH = int(os.environ.get("MAX_SEQ_LENGTH", DEFAULT_MAX_SEQ_LENGTH))
SAVE_INTERVAL = int(os.environ.get("SAVE_INTERVAL", DEFAULT_SAVE_INTERVAL))
DATA_PATH = os.environ.get("DATA_PATH", DEFAULT_DATA_PATH)
OUTPUT_DIR = os.environ.get("OUTPUT_DIR", DEFAULT_OUTPUT_DIR)
# Configure logging
logging.basicConfig(level=logging.INFO, format='%(asctime)s - %(levelname)s - %(message)s')
# Get CUDA device
device = torch.device("cuda" if torch.cuda.is_available() else "cpu")
logging.info(f"Using device: {device}")
# =================================
# MODEL ARCHITECTURE
# =================================
class UserEmbeddingModel(nn.Module):
def __init__(self, vocab_sizes: Dict[str, int], embedding_dims: Dict[str, int],
output_dim: int = 256, max_sequence_length: int = 15,
padded_fields_length: int = 10):
super().__init__()
self.max_sequence_length = max_sequence_length
self.padded_fields_length = padded_fields_length
self.padded_fields = {'dmp_channels', 'dmp_tags', 'dmp_clusters'}
self.embedding_layers = nn.ModuleDict()
# Create embedding layers for each field
for field, vocab_size in vocab_sizes.items():
self.embedding_layers[field] = nn.Embedding(
vocab_size,
embedding_dims.get(field, 16),
padding_idx=0
)
# Calculate total input dimension
self.total_input_dim = 0
for field, dim in embedding_dims.items():
if field in self.padded_fields:
self.total_input_dim += dim # Single dimension for padded field
else:
self.total_input_dim += dim
print(f"Total input dimension: {self.total_input_dim}")
self.fc = nn.Sequential(
nn.Linear(self.total_input_dim, self.total_input_dim // 2),
nn.ReLU(),
nn.Dropout(0.2),
nn.Linear(self.total_input_dim // 2, output_dim),
nn.LayerNorm(output_dim)
)
def _process_sequence(self, embedding_layer: nn.Embedding, indices: torch.Tensor,
field_name: str) -> torch.Tensor:
"""Process normal sequences"""
batch_size = indices.size(0)
if indices.numel() == 0:
return torch.zeros(batch_size, embedding_layer.embedding_dim, device=indices.device)
if field_name in ['dmp_city', 'dmp_domains']:
if indices.dim() == 1:
indices = indices.unsqueeze(0)
if indices.size(1) > 0:
return embedding_layer(indices[:, 0])
return torch.zeros(batch_size, embedding_layer.embedding_dim, device=indices.device)
# Handle multiple sequences
embeddings = embedding_layer(indices)
return embeddings.mean(dim=1) # [batch_size, emb_dim]
def _process_padded_sequence(self, embedding_layer: nn.Embedding,
indices: torch.Tensor) -> torch.Tensor:
"""Process sequences with padding"""
batch_size = indices.size(0)
emb_dim = embedding_layer.embedding_dim
# Generate embeddings
embeddings = embedding_layer(indices) # [batch_size, seq_len, emb_dim]
# Average along sequence dimension
mask = (indices != 0).float().unsqueeze(-1)
masked_embeddings = embeddings * mask
sum_mask = mask.sum(dim=1).clamp(min=1.0)
return (masked_embeddings.sum(dim=1) / sum_mask) # [batch_size, emb_dim]
def forward(self, inputs: Dict[str, torch.Tensor]) -> torch.Tensor:
batch_embeddings = []
for field in ['dmp_city', 'source', 'dmp_brands', # modificato: rimosso 'dmp_domains', aggiunto 'source'
'dmp_clusters', 'dmp_industries', 'dmp_tags', 'dmp_channels',
'device']: # aggiunto 'device'
if field in inputs and field in self.embedding_layers:
if field in self.padded_fields:
emb = self._process_padded_sequence(
self.embedding_layers[field],
inputs[field]
)
else:
emb = self._process_sequence(
self.embedding_layers[field],
inputs[field],
field
)
batch_embeddings.append(emb)
combined = torch.cat(batch_embeddings, dim=1)
return self.fc(combined)
# =================================
# EMBEDDING PIPELINE
# =================================
class UserEmbeddingPipeline:
def __init__(self, output_dim: int = 256, max_sequence_length: int = 15):
self.output_dim = output_dim
self.max_sequence_length = max_sequence_length
self.model = None
self.vocab_maps = {}
self.fields = [
'dmp_city', 'source', 'dmp_brands', # 'dmp_domains' rimosso, 'source' aggiunto
'dmp_clusters', 'dmp_industries', 'dmp_tags', 'dmp_channels',
'device' # 'device' aggiunto
]
# Map of new JSON fields to old field names used in the model
self.field_mapping = {
'dmp_city': ('dmp', 'city'),
'source': ('dmp', '', 'source'),
'dmp_brands': ('dmp', 'brands'),
'dmp_clusters': ('dmp', 'clusters'),
'dmp_industries': ('dmp', 'industries'),
'dmp_tags': ('dmp', 'tags'),
'dmp_channels': ('dmp', 'channels'),
'device': ('device',) # Nuovo campo device
}
self.embedding_dims = {
'dmp_city': 8,
'source': 8, # Dimensione per source
'dmp_brands': 32,
'dmp_clusters': 64,
'dmp_industries': 32,
'dmp_tags': 128,
'dmp_channels': 64,
'device': 8 # Dimensione per device
}
def _clean_value(self, value):
if isinstance(value, float) and np.isnan(value):
return []
if isinstance(value, str):
return [value.lower().strip()]
if isinstance(value, list):
return [str(v).lower().strip() for v in value if v is not None and str(v).strip()]
return []
def _get_field_from_user(self, user, field):
"""Extract field value from new JSON user format"""
mapping = self.field_mapping.get(field, (field,))
value = user
# Navigate through nested structure
for key in mapping:
if isinstance(value, dict):
value = value.get(key, {})
else:
# If not a dictionary and we're not at the last element
# of the mapping, return an empty list
value = []
break
# If we've reached the end and have a value that's not a list but should be,
# convert it to a list
if field in {'dmp_brands', 'dmp_channels', 'dmp_clusters', 'dmp_industries', 'dmp_tags'} and not isinstance(value, list):
# If it's a string or other single value, put it in a list
if value and not isinstance(value, dict):
value = [value]
else:
value = []
return value
def build_vocabularies(self, users_data: List[Dict]) -> Dict[str, Dict[str, int]]:
field_values = {field: {'<PAD>'} for field in self.fields}
# Extract the 'user' field from the JSON structure for each record
users = []
for data in users_data:
# Check if there's raw_json.user
if 'raw_json' in data and 'user' in data['raw_json']:
users.append(data['raw_json']['user'])
# Check if there's user
elif 'user' in data:
users.append(data['user'])
else:
users.append(data) # Assume it's already a user
for user in users:
for field in self.fields:
values = self._clean_value(self._get_field_from_user(user, field))
field_values[field].update(values)
self.vocab_maps = {
field: {val: idx for idx, val in enumerate(sorted(values))}
for field, values in field_values.items()
}
return self.vocab_maps
def _prepare_input(self, user: Dict) -> Dict[str, torch.Tensor]:
inputs = {}
for field in self.fields:
values = self._clean_value(self._get_field_from_user(user, field))
vocab = self.vocab_maps[field]
indices = [vocab.get(val, 0) for val in values]
inputs[field] = torch.tensor(indices, dtype=torch.long)
return inputs
def initialize_model(self) -> None:
vocab_sizes = {field: len(vocab) for field, vocab in self.vocab_maps.items()}
self.model = UserEmbeddingModel(
vocab_sizes=vocab_sizes,
embedding_dims=self.embedding_dims,
output_dim=self.output_dim,
max_sequence_length=self.max_sequence_length
)
self.model.to(device)
self.model.eval()
def generate_embeddings(self, users_data: List[Dict], batch_size: int = 32) -> Dict[str, np.ndarray]:
"""Generate embeddings for all users"""
embeddings = {}
self.model.eval() # Make sure model is in eval mode
# Extract the 'user' field from the JSON structure for each record
users = []
user_ids = []
for data in users_data:
# Check if there's raw_json.user
if 'raw_json' in data and 'user' in data['raw_json']:
user = data['raw_json']['user']
users.append(user)
# Use user.dmp[''].id as identifier
if 'dmp' in user and '' in user['dmp'] and 'id' in user['dmp']['']:
user_ids.append(str(user['dmp']['']['id']))
else:
# Fallback to uid or id if dmp.id is not available
user_ids.append(str(user.get('uid', user.get('id', None))))
# Check if there's user
elif 'user' in data:
user = data['user']
users.append(user)
# Use user.dmp[''].id as identifier
if 'dmp' in user and '' in user['dmp'] and 'id' in user['dmp']['']:
user_ids.append(str(user['dmp']['']['id']))
else:
# Fallback to uid or id if dmp.id is not available
user_ids.append(str(user.get('uid', user.get('id', None))))
else:
users.append(data) # Assume it's already a user
# Use user.dmp[''].id as identifier
if 'dmp' in data and '' in data['dmp'] and 'id' in data['dmp']['']:
user_ids.append(str(data['dmp']['']['id']))
else:
# Fallback to uid or id if dmp.id is not available
user_ids.append(str(data.get('uid', data.get('id', None))))
with torch.no_grad():
for i in tqdm(range(0, len(users), batch_size), desc="Generating embeddings"):
batch_users = users[i:i+batch_size]
batch_ids = user_ids[i:i+batch_size]
batch_inputs = []
valid_indices = []
for j, user in enumerate(batch_users):
if batch_ids[j] is not None:
batch_inputs.append(self._prepare_input(user))
valid_indices.append(j)
if batch_inputs:
# Use the same collate function as training for a single batch
anchor_batch, _, _ = collate_batch([(inputs, inputs, inputs) for inputs in batch_inputs])
# Move data to device
anchor_batch = {k: v.to(device) for k, v in anchor_batch.items()}
# Generate embeddings
batch_embeddings = self.model(anchor_batch).cpu()
# Save embeddings
for j, idx in enumerate(valid_indices):
if batch_ids[idx]: # Verify that id is not None or empty
embeddings[batch_ids[idx]] = batch_embeddings[j].numpy()
return embeddings
def save_embeddings(self, embeddings: Dict[str, np.ndarray], output_dir: str) -> None:
"""Save embeddings to file"""
output_dir = Path(output_dir)
output_dir.mkdir(exist_ok=True)
# Save embeddings as JSON
json_path = output_dir / 'embeddings.json'
with open(json_path, 'w') as f:
json_embeddings = {user_id: emb.tolist() for user_id, emb in embeddings.items()}
json.dump(json_embeddings, f)
# Save embeddings as NPY
npy_path = output_dir / 'embeddings.npz'
np.savez_compressed(npy_path,
embeddings=np.stack(list(embeddings.values())),
user_ids=np.array(list(embeddings.keys())))
# Save vocabularies
vocab_path = output_dir / 'vocabularies.json'
with open(vocab_path, 'w') as f:
json.dump(self.vocab_maps, f)
logging.info(f"\nEmbeddings saved in {output_dir}:")
logging.info(f"- Embeddings JSON: {json_path}")
logging.info(f"- Embeddings NPY: {npy_path}")
logging.info(f"- Vocabularies: {vocab_path}")
def save_model(self, output_dir: str) -> None:
"""Save model in PyTorch format (.pth)"""
output_dir = Path(output_dir)
output_dir.mkdir(exist_ok=True)
# Save path
model_path = output_dir / 'model.pth'
# Prepare dictionary with model state and metadata
checkpoint = {
'model_state_dict': self.model.state_dict(),
'vocab_maps': self.vocab_maps,
'embedding_dims': self.embedding_dims,
'output_dim': self.output_dim,
'max_sequence_length': self.max_sequence_length
}
# Save model
torch.save(checkpoint, model_path)
logging.info(f"Model saved to: {model_path}")
# Also save a configuration file for reference
config_info = {
'model_type': 'UserEmbeddingModel',
'vocab_sizes': {field: len(vocab) for field, vocab in self.vocab_maps.items()},
'embedding_dims': self.embedding_dims,
'output_dim': self.output_dim,
'max_sequence_length': self.max_sequence_length,
'padded_fields': list(self.model.padded_fields),
'fields': self.fields
}
config_path = output_dir / 'model_config.json'
with open(config_path, 'w') as f:
json.dump(config_info, f, indent=2)
logging.info(f"Model configuration saved to: {config_path}")
# Save model in HuggingFace format
hf_dir = output_dir / 'huggingface'
hf_dir.mkdir(exist_ok=True)
# Save model in HF format
torch.save(self.model.state_dict(), hf_dir / 'pytorch_model.bin')
# Save config
with open(hf_dir / 'config.json', 'w') as f:
json.dump(config_info, f, indent=2)
logging.info(f"Model saved in HuggingFace format to: {hf_dir}")
def load_model(self, model_path: str) -> None:
"""Load a previously saved model"""
checkpoint = torch.load(model_path, map_location=device)
# Reload vocabularies and dimensions if needed
self.vocab_maps = checkpoint.get('vocab_maps', self.vocab_maps)
self.embedding_dims = checkpoint.get('embedding_dims', self.embedding_dims)
self.output_dim = checkpoint.get('output_dim', self.output_dim)
self.max_sequence_length = checkpoint.get('max_sequence_length', self.max_sequence_length)
# Initialize model if not already done
if self.model is None:
self.initialize_model()
# Load model weights
self.model.load_state_dict(checkpoint['model_state_dict'])
self.model.to(device)
self.model.eval()
logging.info(f"Model loaded from: {model_path}")
# =================================
# SIMILARITY AND TRIPLET GENERATION
# =================================
def calculate_similarity(user1, user2, pipeline, filtered_tags=None):
try:
# Estrai i campi originali: channels e clusters
channels1 = set(str(c) for c in pipeline._get_field_from_user(user1, 'dmp_channels') if c is not None)
channels2 = set(str(c) for c in pipeline._get_field_from_user(user2, 'dmp_channels') if c is not None)
clusters1 = set(str(c) for c in pipeline._get_field_from_user(user1, 'dmp_clusters') if c is not None)
clusters2 = set(str(c) for c in pipeline._get_field_from_user(user2, 'dmp_clusters') if c is not None)
# RIMOSSO domains1/domains2
# Estrai i tag e applica il filtro se necessario
tags1 = set(str(c).lower().strip() for c in pipeline._get_field_from_user(user1, 'dmp_tags') if c is not None)
tags2 = set(str(c).lower().strip() for c in pipeline._get_field_from_user(user2, 'dmp_tags') if c is not None)
# NUOVI CAMPI: source, brands, device
source1 = set(str(c).lower().strip() for c in pipeline._get_field_from_user(user1, 'source') if c is not None)
source2 = set(str(c).lower().strip() for c in pipeline._get_field_from_user(user2, 'source') if c is not None)
brands1 = set(str(c).lower().strip() for c in pipeline._get_field_from_user(user1, 'dmp_brands') if c is not None)
brands2 = set(str(c).lower().strip() for c in pipeline._get_field_from_user(user2, 'dmp_brands') if c is not None)
device1 = set(str(c).lower().strip() for c in pipeline._get_field_from_user(user1, 'device') if c is not None)
device2 = set(str(c).lower().strip() for c in pipeline._get_field_from_user(user2, 'device') if c is not None)
if filtered_tags is not None:
# Filtra i tag usando solo quelli presenti nel set di tag filtrati
tags1 = {tag for tag in tags1 if tag in filtered_tags}
tags2 = {tag for tag in tags2 if tag in filtered_tags}
# Calcola le similarità Jaccard per ogni campo
channel_sim = len(channels1 & channels2) / max(1, len(channels1 | channels2))
cluster_sim = len(clusters1 & clusters2) / max(1, len(clusters1 | channels2))
tag_sim = len(tags1 & tags2) / max(1, len(tags1 | tags2))
# Nuove similarità
source_sim = len(source1 & source2) / max(1, len(source1 | source2))
brands_sim = len(brands1 & brands2) / max(1, len(brands1 | brands2))
device_sim = len(device1 & device2) / max(1, len(device1 | device2))
# Calcola la similarità totale con i pesi specificati:
# 6 per clusters, 5 per channels, 3 per tags,
# 3 per source, 5 per brands, 2 per device
total_weight = 6 + 5 + 3 + 2 + 5 + 3 # Somma dei pesi = 24
weighted_sim = (
6 * cluster_sim +
5 * channel_sim +
3 * tag_sim +
2 * source_sim + # Nuovo: source con peso 0.3 (3/24 ≈ 0.125)
5 * brands_sim + # Nuovo: brands con peso 0.5 (5/24 ≈ 0.208)
3 * device_sim # Nuovo: device con peso 0.2 (2/24 ≈ 0.083)
) / total_weight
return weighted_sim
except Exception as e:
logging.error(f"Error calculating similarity: {str(e)}")
return 0.0
def process_batch_triplets(args):
try:
batch_idx, users, channel_index, cluster_index, num_triplets, pipeline = args
batch_triplets = []
# Forza l'uso della CPU per tutti i calcoli
with torch.no_grad():
# Imposta temporaneamente il dispositivo su CPU per il calcolo delle similarità
temp_device = torch.device("cpu")
for _ in range(num_triplets):
anchor_idx = random.randint(0, len(users)-1)
anchor_user = users[anchor_idx]
# Find candidates that share channels or clusters
candidates = set()
for channel in pipeline._get_field_from_user(anchor_user, 'dmp_channels'):
candidates.update(channel_index.get(str(channel), []))
for cluster in pipeline._get_field_from_user(anchor_user, 'dmp_clusters'):
candidates.update(cluster_index.get(str(cluster), []))
# Remove anchor
candidates.discard(anchor_idx)
# Find positive (similar) user
if not candidates:
positive_idx = random.randint(0, len(users)-1)
else:
# Calculate similarities for candidates
similarities = []
for idx in candidates:
# Calcolo della similarità senza CUDA
sim = calculate_similarity(anchor_user, users[idx], pipeline)
if sim > 0:
similarities.append((idx, sim))
if not similarities:
positive_idx = random.randint(0, len(users)-1)
else:
# Sort by similarity
similarities.sort(key=lambda x: x[1], reverse=True)
# Return one of the top K most similar
top_k = min(10, len(similarities))
positive_idx = similarities[random.randint(0, top_k-1)][0]
# Find negative (dissimilar) user
max_attempts = 50
negative_idx = None
for _ in range(max_attempts):
idx = random.randint(0, len(users)-1)
if idx != anchor_idx and idx != positive_idx:
# Calcolo della similarità senza CUDA
if calculate_similarity(anchor_user, users[idx], pipeline) < 0.1:
negative_idx = idx
break
if negative_idx is None:
negative_idx = random.randint(0, len(users)-1)
batch_triplets.append((anchor_idx, positive_idx, negative_idx))
return batch_triplets
except Exception as e:
logging.error(f"Error in batch triplet generation: {str(e)}")
return []
# =================================
# DATASET AND DATALOADER
# =================================
class UserSimilarityDataset(Dataset):
def __init__(self, pipeline, users_data, num_triplets=10, num_workers=None, filtered_tags=None):
self.triplets = []
self.filtered_tags = filtered_tags
logging.info("Initializing UserSimilarityDataset...")
# Extract the 'user' field from the JSON structure for each record
self.users = []
for data in users_data:
# Check if there's raw_json.user
if 'raw_json' in data and 'user' in data['raw_json']:
self.users.append(data['raw_json']['user'])
# Check if there's user
elif 'user' in data:
self.users.append(data['user'])
else:
self.users.append(data) # Assume it's already a user
self.pipeline = pipeline
self.num_triplets = num_triplets
# Determine number of workers for parallel processing
if num_workers is None:
num_workers = max(1, min(8, os.cpu_count()))
self.num_workers = num_workers
# Pre-processa gli input per ogni utente
self.preprocessed_inputs = {}
for idx, user in enumerate(self.users):
self.preprocessed_inputs[idx] = pipeline._prepare_input(user)
logging.info("Creating indexes for channels, clusters, tags, brands, source, and device...")
self.channel_index = defaultdict(list)
self.cluster_index = defaultdict(list)
self.tag_index = defaultdict(list)
# Rimosso domain_index
self.brands_index = defaultdict(list) # Nuovo indice per brands
self.source_index = defaultdict(list) # Nuovo indice per source
self.device_index = defaultdict(list) # Nuovo indice per device
for idx, user in enumerate(self.users):
channels = pipeline._get_field_from_user(user, 'dmp_channels')
clusters = pipeline._get_field_from_user(user, 'dmp_clusters')
tags = pipeline._get_field_from_user(user, 'dmp_tags')
# Rimosso domains
brands = pipeline._get_field_from_user(user, 'dmp_brands') # Aggiunto brands
source = pipeline._get_field_from_user(user, 'source') # Aggiunto source
device = pipeline._get_field_from_user(user, 'device') # Aggiunto device
if channels:
channels = [str(c) for c in channels if c is not None]
if clusters:
clusters = [str(c) for c in clusters if c is not None]
if tags:
tags = [str(c) for c in tags if c is not None]
# Filtra i tag se è stato fornito un set di tag filtrati
if self.filtered_tags:
tags = [tag for tag in tags if tag in self.filtered_tags]
# Rimosso codice per domains
if brands:
brands = [str(c) for c in brands if c is not None]
if source:
if isinstance(source, str):
source = [source] # Se è una stringa singola, mettila in una lista
else:
source = [str(c) for c in source if c is not None] # Altrimenti trattala come prima
if device:
if isinstance(device, str):
device = [device] # Se è una stringa singola, mettila in una lista
else:
device = [str(c) for c in device if c is not None]
for channel in channels:
self.channel_index[channel].append(idx)
for cluster in clusters:
self.cluster_index[cluster].append(idx)
for tag in tags:
self.tag_index[tag].append(idx)
# Rimosso ciclo per domains
for brand in brands:
self.brands_index[brand].append(idx)
for s in source:
self.source_index[s].append(idx)
for d in device:
self.device_index[d].append(idx)
logging.info(f"Found {len(self.channel_index)} unique channels, {len(self.cluster_index)} unique clusters, {len(self.tag_index)} unique tags")
logging.info(f"Found {len(self.brands_index)} unique brands, {len(self.source_index)} unique sources, and {len(self.device_index)} unique devices")
logging.info(f"Generating triplets using {self.num_workers} worker processes...")
self.triplets = self._generate_triplets_gpu(num_triplets)
logging.info(f"Generated {len(self.triplets)} triplets")
def __len__(self):
return len(self.triplets)
def __getitem__(self, idx):
if idx >= len(self.triplets):
raise IndexError(f"Index {idx} out of range for dataset with {len(self.triplets)} triplets")
anchor_idx, positive_idx, negative_idx = self.triplets[idx]
return (
self.preprocessed_inputs[anchor_idx],
self.preprocessed_inputs[positive_idx],
self.preprocessed_inputs[negative_idx]
)
def _generate_triplets_gpu(self, num_triplets):
"""Generate triplets using a more reliable approach with batch processing"""
logging.info("Generating triplets with batch approach...")
triplets = []
batch_size = 10 # Numero di triplette da generare per batch
num_batches = (num_triplets + batch_size - 1) // batch_size
progress_bar = tqdm(
range(num_batches),
desc="Generating triplet batches",
bar_format='{l_bar}{bar:10}{r_bar}'
)
for _ in progress_bar:
batch_triplets = []
# Genera un batch di triplette
for i in range(batch_size):
if len(triplets) >= num_triplets:
break
# Seleziona anchor casuale
anchor_idx = random.randint(0, len(self.users)-1)
anchor_user = self.users[anchor_idx]
# Trova candidati che condividono channels, clusters, tags o domains
# Trova candidati che condividono channels, clusters, tags, brands, source, device
candidates = set()
for channel in self.pipeline._get_field_from_user(anchor_user, 'dmp_channels'):
if channel is not None:
candidates.update(self.channel_index.get(str(channel), []))
for cluster in self.pipeline._get_field_from_user(anchor_user, 'dmp_clusters'):
if cluster is not None:
candidates.update(self.cluster_index.get(str(cluster), []))
for tag in self.pipeline._get_field_from_user(anchor_user, 'dmp_tags'):
if tag is not None and (self.filtered_tags is None or str(tag) in self.filtered_tags):
candidates.update(self.tag_index.get(str(tag), []))
# Rimosso il loop per domains
# Nuovi loop per brands, source, device
for brand in self.pipeline._get_field_from_user(anchor_user, 'dmp_brands'):
if brand is not None:
candidates.update(self.brands_index.get(str(brand), []))
for source in self.pipeline._get_field_from_user(anchor_user, 'source'):
if source is not None:
candidates.update(self.source_index.get(str(source), []))
for device in self.pipeline._get_field_from_user(anchor_user, 'device'):
if device is not None:
candidates.update(self.device_index.get(str(device), []))
# Rimuovi l'anchor dai candidati
candidates.discard(anchor_idx)
# Trova esempio positivo
if candidates:
similarities = []
for idx in list(candidates)[:50]: # Limita la ricerca ai primi 50 candidati
sim = calculate_similarity(anchor_user, self.users[idx], self.pipeline, self.filtered_tags)
if sim > 0:
similarities.append((idx, sim))
if similarities:
similarities.sort(key=lambda x: x[1], reverse=True)
top_k = min(10, len(similarities))
positive_idx = similarities[random.randint(0, top_k-1)][0]
else:
positive_idx = random.randint(0, len(self.users)-1)
else:
positive_idx = random.randint(0, len(self.users)-1)
# Trova esempio negativo
attempts = 0
negative_idx = None
while attempts < 20 and negative_idx is None: # Ridotto a 20 tentativi
idx = random.randint(0, len(self.users)-1)
if idx != anchor_idx and idx != positive_idx:
sim = calculate_similarity(anchor_user, self.users[idx], self.pipeline, self.filtered_tags)
if sim < 0.1:
negative_idx = idx
break
attempts += 1
if negative_idx is None:
negative_idx = random.randint(0, len(self.users)-1)
batch_triplets.append((anchor_idx, positive_idx, negative_idx))
triplets.extend(batch_triplets)
return triplets[:num_triplets] # Assicurati di restituire esattamente num_triplets
def collate_batch(batch):
"""Custom collate function to properly handle tensor dimensions"""
anchor_inputs, positive_inputs, negative_inputs = zip(*batch)
def process_group_inputs(group_inputs):
processed = {}
for field in group_inputs[0].keys():
# Find maximum length for this field in the batch
max_len = max(inputs[field].size(0) for inputs in group_inputs)
# Create padded tensors
padded = torch.stack([
torch.cat([
inputs[field],
torch.zeros(max_len - inputs[field].size(0), dtype=torch.long)
]) if inputs[field].size(0) < max_len else inputs[field][:max_len]
for inputs in group_inputs
])
processed[field] = padded
return processed
# Process each group (anchor, positive, negative)
anchor_batch = process_group_inputs(anchor_inputs)
positive_batch = process_group_inputs(positive_inputs)
negative_batch = process_group_inputs(negative_inputs)
return anchor_batch, positive_batch, negative_batch
# =================================
# TRAINING FUNCTION
# =================================
def train_user_embeddings(model, users_data, pipeline, num_epochs=10, batch_size=32, lr=0.001, save_dir=None, save_interval=2, num_triplets=150):
"""Main training of the model with proper batch handling and incremental saving"""
model.train()
model.to(device)
optimizer = torch.optim.Adam(model.parameters(), lr=lr)
# Add learning rate scheduler
scheduler = torch.optim.lr_scheduler.StepLR(
optimizer,
step_size=2, # Decay every 2 epochs
gamma=0.9 # Multiply by 0.9 (10% reduction)
)
# Determine number of CPU cores to use
num_cpu_cores = max(1, min(32, os.cpu_count()))
logging.info(f"Using {num_cpu_cores} CPU cores for data processing")
# Prepare dataset and dataloader with custom collate function
dataset = UserSimilarityDataset(
pipeline,
users_data,
num_triplets=num_triplets,
num_workers=num_cpu_cores
)
dataloader = DataLoader(
dataset,
batch_size=batch_size,
shuffle=True,
collate_fn=collate_batch,
num_workers=0, # For loading batches
pin_memory=True # Speed up data transfer to GPU
)
# Loss function
criterion = torch.nn.TripletMarginLoss(margin=1.0)
# Progress bar for epochs
epoch_pbar = tqdm(
range(num_epochs),
desc="Training Progress",
bar_format='{l_bar}{bar:10}{r_bar}'
)
# Set up tensorboard for logging
try:
from torch.utils.tensorboard import SummaryWriter
log_dir = Path(save_dir) / "logs" if save_dir else Path("./logs")
log_dir.mkdir(exist_ok=True, parents=True)
writer = SummaryWriter(log_dir=log_dir)
tensorboard_available = True
except ImportError:
logging.warning("TensorBoard not available, skipping logging")
tensorboard_available = False
for epoch in epoch_pbar:
total_loss = 0
num_batches = 0
# Progress bar for batches
total_batches = len(dataloader)
update_freq = max(1, total_batches // 10) # Update approximately every 10%
batch_pbar = tqdm(
dataloader,
desc=f"Epoch {epoch+1}/{num_epochs}",
leave=False,
miniters=update_freq, # Only update progress bar every update_freq iterations
bar_format='{l_bar}{bar:10}{r_bar}', # Simplified bar format
disable=True # Completely disable the inner progress bar
)
# First, create a single progress indicator for the entire epoch instead of the batch_pbar
epoch_progress = tqdm(
total=len(dataloader),
desc=f"Epoch {epoch+1}/{num_epochs}",
leave=True,
bar_format='{l_bar}{bar:10}{r_bar}'
)
# Then use this updated batch processing loop
for batch_idx, batch_inputs in enumerate(dataloader):
try:
# Each element in the batch is already a dict of padded tensors
anchor_batch, positive_batch, negative_batch = batch_inputs
# Move data to device (GPU if available)
anchor_batch = {k: v.to(device) for k, v in anchor_batch.items()}
positive_batch = {k: v.to(device) for k, v in positive_batch.items()}
negative_batch = {k: v.to(device) for k, v in negative_batch.items()}
# Generate embeddings
anchor_emb = model(anchor_batch)
positive_emb = model(positive_batch)
negative_emb = model(negative_batch)
# Calculate loss
loss = criterion(anchor_emb, positive_emb, negative_emb)
# Backward and optimize
optimizer.zero_grad()
loss.backward()
# Add gradient clipping
torch.nn.utils.clip_grad_norm_(model.parameters(), max_norm=1.0)
optimizer.step()
total_loss += loss.item()
num_batches += 1
# Update the epoch progress bar only at 10% intervals or at the end
update_interval = max(1, len(dataloader) // 10)
if (batch_idx + 1) % update_interval == 0 or batch_idx == len(dataloader) - 1:
# Update progress
remaining = min(update_interval, len(dataloader) - epoch_progress.n)
epoch_progress.update(remaining)
# Update stats with current average loss
current_avg_loss = total_loss / num_batches
epoch_progress.set_postfix(avg_loss=f"{current_avg_loss:.4f}",
last_batch_loss=f"{loss.item():.4f}")
except Exception as e:
logging.error(f"Error during batch processing: {str(e)}")
logging.error(f"Batch details: {str(e.__class__.__name__)}")
continue
# Close the progress bar at the end of the epoch
epoch_progress.close()
avg_loss = total_loss / max(1, num_batches)
# Update epoch progress bar with average loss
epoch_pbar.set_postfix(avg_loss=f"{avg_loss:.4f}")
# Log to tensorboard
if tensorboard_available:
writer.add_scalar('Loss/train', avg_loss, epoch)
# Step the learning rate scheduler at the end of each epoch
scheduler.step()
# Incremental model saving if requested
if save_dir and (epoch + 1) % save_interval == 0:
checkpoint = {
'epoch': epoch,
'model_state_dict': model.state_dict(),
'optimizer_state_dict': optimizer.state_dict(),
'loss': avg_loss,
'scheduler_state_dict': scheduler.state_dict() # Save scheduler state
}
save_path = Path(save_dir) / f'model_checkpoint_epoch_{epoch+1}.pth'
torch.save(checkpoint, save_path)
logging.info(f"Checkpoint saved at epoch {epoch+1}: {save_path}")
if tensorboard_available:
writer.close()
return model
def compute_tag_frequencies(pipeline, users_data):
"""
Calcola le frequenze dei tag nel dataset.
Args:
pipeline: Pipeline di embedding
users_data: Lista di utenti
Returns:
dict: Dizionario con tag come chiavi e frequenze come valori
int: Numero totale di tag processati
"""
logging.info("Calcolando frequenze dei tag...")
tag_frequencies = {}
total_tags = 0
# Estrai i tag da tutti gli utenti
for data in users_data:
# Estrai l'utente dalla struttura JSON
if 'raw_json' in data and 'user' in data['raw_json']:
user = data['raw_json']['user']
elif 'user' in data:
user = data['user']
else:
user = data # Assume che sia già un utente
# Estrai e conta i tag
tags = pipeline._get_field_from_user(user, 'dmp_tags')
for tag in tags:
if tag is not None:
tag_str = str(tag).lower().strip()
tag_frequencies[tag_str] = tag_frequencies.get(tag_str, 0) + 1
total_tags += 1
logging.info(f"Trovati {len(tag_frequencies)} tag unici su {total_tags} occorrenze totali")
return tag_frequencies, total_tags
# funzione per filtrare i tag in base alla frequenza o al percentile
def filter_tags_by_criteria(tag_frequencies, min_frequency=100, percentile=None):
"""
Filtra i tag in base a criteri di frequenza o percentile.
Args:
tag_frequencies: Dizionario con tag e frequenze
min_frequency: Frequenza minima richiesta (default: 100)
percentile: Se specificato, mantiene solo i tag fino al percentile indicato
Returns:
set: Set di tag che soddisfano i criteri
"""
if percentile is not None:
# Ordina i tag per frequenza e mantieni solo fino al percentile specificato
sorted_tags = sorted(tag_frequencies.items(), key=lambda x: x[1], reverse=True)
cutoff_index = int(len(sorted_tags) * (percentile / 100.0))
filtered_tags = {tag for tag, _ in sorted_tags[:cutoff_index]}
min_freq_in_set = sorted_tags[cutoff_index-1][1] if cutoff_index > 0 else 0
logging.info(f"Filtrati tag al {percentile}° percentile. Mantenuti {len(filtered_tags)} tag con frequenza >= {min_freq_in_set}")
else:
# Filtra solo in base alla frequenza minima
filtered_tags = {tag for tag, freq in tag_frequencies.items() if freq >= min_frequency}
logging.info(f"Filtrati tag con frequenza < {min_frequency}. Mantenuti {len(filtered_tags)} tag")
return filtered_tags
# =================================
# MAIN FUNCTION
# =================================
def main():
# Configuration
output_dir = Path(OUTPUT_DIR)
# Check if CUDA is available
cuda_available = torch.cuda.is_available()
logging.info(f"CUDA available: {cuda_available}")
if cuda_available:
logging.info(f"CUDA device: {torch.cuda.get_device_name(0)}")
logging.info(f"GPU memory: {torch.cuda.get_device_properties(0).total_memory / 1e9:.2f} GB")
# CPU info
cpu_count = os.cpu_count()
memory_info = psutil.virtual_memory()
logging.info(f"CPU cores: {cpu_count}")
logging.info(f"System memory: {memory_info.total / 1e9:.2f} GB")
# Print configuration
logging.info("Running with the following configuration:")
logging.info(f"- Number of triplets: {NUM_TRIPLETS}")
logging.info(f"- Number of epochs: {NUM_EPOCHS}")
logging.info(f"- Batch size: {BATCH_SIZE}")
logging.info(f"- Learning rate: {LEARNING_RATE}")
logging.info(f"- Output dimension: {OUTPUT_DIM}")
logging.info(f"- Data path: {DATA_PATH}")
logging.info(f"- Output directory: {OUTPUT_DIR}")
# Load data
logging.info("Loading user data...")
try:
try:
# First try loading as normal JSON
with open(DATA_PATH, 'r') as f:
json_data = json.load(f)
# Handle both cases: array of users or single object
if isinstance(json_data, list):
users_data = json_data
elif isinstance(json_data, dict):
# If it's a single record, put it in a list
users_data = [json_data]
else:
raise ValueError("Unsupported JSON format")
except json.JSONDecodeError:
# If it fails, the file might be a non-standard JSON (objects separated by commas)
logging.info("Detected possible non-standard JSON format, attempting correction...")
with open(DATA_PATH, 'r') as f:
text = f.read().strip()
# Add square brackets to create a valid JSON array
if not text.startswith('['):
text = '[' + text
if not text.endswith(']'):
text = text + ']'
# Try loading the corrected text
users_data = json.loads(text)
logging.info("JSON format successfully corrected")
logging.info(f"Loaded {len(users_data)} records")
except FileNotFoundError:
logging.error(f"File {DATA_PATH} not found!")
return
except Exception as e:
logging.error(f"Unable to load file: {str(e)}")
return
# Initialize pipeline
logging.info("Initializing pipeline...")
pipeline = UserEmbeddingPipeline(
output_dim=OUTPUT_DIM,
max_sequence_length=MAX_SEQ_LENGTH
)
# Build vocabularies
logging.info("Building vocabularies...")
try:
pipeline.build_vocabularies(users_data)
vocab_sizes = {field: len(vocab) for field, vocab in pipeline.vocab_maps.items()}
logging.info(f"Vocabulary sizes: {vocab_sizes}")
except Exception as e:
logging.error(f"Error building vocabularies: {str(e)}")
return
# Initialize model
logging.info("Initializing model...")
try:
pipeline.initialize_model()
logging.info("Model initialized successfully")
except Exception as e:
logging.error(f"Error initializing model: {str(e)}")
return
# Training
logging.info("Starting training...")
try:
# Create directory for checkpoints if it doesn't exist
model_dir = output_dir / "model_checkpoints"
model_dir.mkdir(exist_ok=True, parents=True)
model = train_user_embeddings(
pipeline.model,
users_data,
pipeline, # Pass the pipeline to training
num_epochs=NUM_EPOCHS,
batch_size=BATCH_SIZE,
lr=LEARNING_RATE,
save_dir=model_dir, # Add incremental saving
save_interval=SAVE_INTERVAL, # Save every N epochs
num_triplets=NUM_TRIPLETS
)
logging.info("Training completed")
pipeline.model = model
# Save only the model file
logging.info("Saving model...")
# Create output directory
output_dir.mkdir(exist_ok=True)
# Save path
model_path = output_dir / 'model.pth'
# Prepare dictionary with model state and metadata
checkpoint = {
'model_state_dict': pipeline.model.state_dict(),
'vocab_maps': pipeline.vocab_maps,
'embedding_dims': pipeline.embedding_dims,
'output_dim': pipeline.output_dim,
'max_sequence_length': pipeline.max_sequence_length
}
# Save model
torch.save(checkpoint, model_path)
logging.info(f"Model saved to: {model_path}")
# Also save a configuration file for reference
config_info = {
'model_type': 'UserEmbeddingModel',
'vocab_sizes': {field: len(vocab) for field, vocab in pipeline.vocab_maps.items()},
'embedding_dims': pipeline.embedding_dims,
'output_dim': pipeline.output_dim,
'max_sequence_length': pipeline.max_sequence_length,
'padded_fields': list(pipeline.model.padded_fields),
'fields': pipeline.fields
}
config_path = output_dir / 'model_config.json'
with open(config_path, 'w') as f:
json.dump(config_info, f, indent=2)
logging.info(f"Model configuration saved to: {config_path}")
# Only save in HuggingFace format if requested
save_hf = os.environ.get("SAVE_HF_FORMAT", "false").lower() == "true"
if save_hf:
logging.info("Saving in HuggingFace format...")
# Save model in HuggingFace format
hf_dir = output_dir / 'huggingface'
hf_dir.mkdir(exist_ok=True)
# Save model in HF format
torch.save(pipeline.model.state_dict(), hf_dir / 'pytorch_model.bin')
# Save config
with open(hf_dir / 'config.json', 'w') as f:
json.dump(config_info, f, indent=2)
logging.info(f"Model saved in HuggingFace format to: {hf_dir}")
# Push to HuggingFace if environment variable is set
hf_repo_id = os.environ.get("HF_REPO_ID")
hf_token = os.environ.get("HF_TOKEN")
if save_hf and hf_repo_id and hf_token:
try:
from huggingface_hub import HfApi
logging.info(f"Pushing model to HuggingFace: {hf_repo_id}")
api = HfApi()
# Push the model directory
api.create_repo(
repo_id=hf_repo_id,
token=hf_token,
exist_ok=True,
private=True
)
# Upload the files
for file_path in (output_dir / "huggingface").glob("**/*"):
if file_path.is_file():
api.upload_file(
path_or_fileobj=str(file_path),
path_in_repo=file_path.relative_to(output_dir / "huggingface"),
repo_id=hf_repo_id,
token=hf_token
)
logging.info(f"Model successfully pushed to HuggingFace: {hf_repo_id}")
except Exception as e:
logging.error(f"Error pushing to HuggingFace: {str(e)}")
except Exception as e:
logging.error(f"Error during training or saving: {str(e)}")
import traceback
traceback.print_exc()
return
logging.info("Process completed successfully!")
if __name__ == "__main__":
main() |