File size: 14,586 Bytes
eaa2438
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
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
"""
Agrégation de mindmaps - Version OPTIMISÉE VITESSE
"""

import os
import json
import numpy as np
import logging
import re
from rapidfuzz import fuzz
from sentence_transformers import util
import torch

# Configuration
logging.basicConfig(level=logging.INFO, format='%(levelname)s: %(message)s')

# Modèle sémantique (lazy loading)
_semantic_model = None

def get_semantic_model():
    global _semantic_model
    if _semantic_model is None:
        from sentence_transformers import SentenceTransformer
        _semantic_model = SentenceTransformer('paraphrase-multilingual-MiniLM-L12-v2')
        _semantic_model.eval()
    return _semantic_model


def smart_normalize(label):
    """ Normalisation rapide + gestion OOP/OOPS/Systems"""
    import unicodedata

    original = label

    # Minuscules + accents
    normalized = label.lower().strip()
    normalized = ''.join(
        c for c in unicodedata.normalize('NFD', normalized)
        if unicodedata.category(c) != 'Mn'
    )

    # Ponctuation β†’ espaces
    normalized = re.sub(r'[-_/.]', ' ', normalized)
    normalized = re.sub(r'[^\w\s]', '', normalized)
    normalized = re.sub(r'\s+', ' ', normalized).strip()

    # ═══════════════════════════════════════════════════════════════
    # βœ… NOUVEAU : Traitement spΓ©cial OOP
    # ═══════════════════════════════════════════════════════════════

    # 1. OOPS β†’ OOP (avant le traitement des pluriels)
    if normalized == 'oops':
        normalized = 'oop'
        logging.info(f"    🎯 '{original}' β†’ 'oop' (OOPS dΓ©tectΓ©)")

    # 2. "Object Oriented Programming System(s)" β†’ "Object Oriented Programming"
    # Enlever "system" et "systems" après "programming"
    if 'object' in normalized and 'oriented' in normalized and 'programming' in normalized:
        # Enlever "system" ou "systems" Γ  la fin
        normalized = re.sub(r'\s+systems?\s*$', '', normalized)

        if 'system' in original.lower():
            logging.info(f"    🎯 '{original}' β†’ '{normalized}' (Systems enlevΓ©)")

    # ═══════════════════════════════════════════════════════════════
    # Pluriels simples (APRÈS le traitement OOP)
    # ═══════════════════════════════════════════════════════════════
    words = []
    for word in normalized.split():
        if len(word) > 3 and word.endswith('s') and not word.endswith('ss'):
            words.append(word[:-1])
        else:
            words.append(word)

    normalized = ' '.join(words)

    # ═══════════════════════════════════════════════════════════════
    # Transformations FR→EN
    # ═══════════════════════════════════════════════════════════════
    normalized = (normalized
                  .replace('orientee', 'oriented')
                  .replace('oriente', 'oriented')
                  .replace('programmation', 'programming')
                  .replace('objet', 'object')
                  .replace('systeme', 'system'))

    # βœ… LOG si transformation significative
    if normalized != original.lower().strip() and normalized != 'oop':
        logging.info(f"    πŸ”„ '{original}' β†’ '{normalized}'")

    return normalized


def fast_acronym_check(short, long):
    """βœ… VΓ©rification ultra-rapide d'acronyme + OOPS"""
    short_clean = short.replace(' ', '')
    long_words = long.split()

    # ═══════════════════════════════════════════════════════════════
    # βœ… CAS SPΓ‰CIAL : OOPS = OOP + System
    # ═══════════════════════════════════════════════════════════════
    if short_clean == 'oops' or short_clean == 'oop':
        # VΓ©rifier si c'est une forme de "object oriented programming"
        if all(word in long for word in ['object', 'oriented', 'programming']):
            return True

    # Si court contenu dans long
    if short_clean in long.replace(' ', ''):
        return True

    # Si trop long pour Γͺtre un acronyme
    if len(short_clean) > 6:
        return False

    # Acronyme des premières lettres
    acronym = ''.join(w[0] for w in long_words if w)[:len(short_clean)]

    # Match exact
    if short_clean == acronym:
        return True

    # βœ… NOUVEAU : OOPS = OOP + derniΓ¨re lettre de "system"
    if short_clean == 'oops':
        # VΓ©rifier si l'acronyme + 's' match
        if acronym == 'oop' or acronym + 's' == 'oops':
            return True

    return short_clean == acronym

def cluster_labels_fast(labels, similarity_threshold=75):
    """
    ⚑ VERSION ULTRA-RAPIDE

    OPTIMISATIONS :
    1. PrΓ©-groupement par normalisation (rΓ©duit N)
    2. Calcul batch de TOUTE la matrice sΓ©mantique EN UNE FOIS
    3. Fuzzy/acronyme UNIQUEMENT sur les candidats proches
    """
    if not labels:
        return {}

    import time
    start_total = time.time()

    logging.info(f"⚑ Clustering rapide de {len(labels)} labels...")

    # ═══════════════════════════════════════════════════════════════
    # Γ‰TAPE 1 : PrΓ©-groupement (rΓ©duit drastiquement N)
    # ═══════════════════════════════════════════════════════════════
    normalized_groups = {}

    for label in labels:
        norm = smart_normalize(label)
        if norm not in normalized_groups:
            normalized_groups[norm] = []
        normalized_groups[norm].append(label)

    logging.info(f"  πŸ“¦ PrΓ©-groupement: {len(labels)} β†’ {len(normalized_groups)}")

    representative_labels = [members[0] for members in normalized_groups.values()]
    normalized_reps = [smart_normalize(lbl) for lbl in representative_labels]
    n = len(representative_labels)

    # ═══════════════════════════════════════════════════════════════
    # Γ‰TAPE 2 : Calcul BATCH de toute la matrice sΓ©mantique
    # ═══════════════════════════════════════════════════════════════
    start_embed = time.time()

    with torch.no_grad():
        all_embeddings = get_semantic_model().encode(
            normalized_reps,
            convert_to_tensor=True,
            batch_size=64,  # ← Batch plus grand
            show_progress_bar=False
        )

        # ⚑ CLEF : Calcul de TOUTE la matrice en une seule opération
        semantic_matrix = util.cos_sim(all_embeddings, all_embeddings).cpu().numpy() * 100

    embed_time = time.time() - start_embed
    logging.info(f"  ⚑ Matrice sémantique calculée en {embed_time:.2f}s")

    # ═══════════════════════════════════════════════════════════════
    # Γ‰TAPE 3 : Bonification avec fuzzy/acronyme UNIQUEMENT si proche
    # ═══════════════════════════════════════════════════════════════
    start_fuzzy = time.time()

    similarity_matrix = semantic_matrix.copy()

    # Seulement pour les paires avec score sΓ©mantique > 60%
    candidates = np.argwhere(semantic_matrix > 60)

    for i, j in candidates:
        if i >= j:  # Γ‰viter doublons
            continue

        norm_i = normalized_reps[i]
        norm_j = normalized_reps[j]

        # Bonus acronyme
        bonus = 0
        if fast_acronym_check(norm_i, norm_j) or fast_acronym_check(norm_j, norm_i):
            bonus = 30

        # Fuzzy (seulement si pas dΓ©jΓ  100%)
        if similarity_matrix[i, j] < 100:
            fuzzy_score = fuzz.ratio(norm_i, norm_j)

            # Combinaison
            hybrid = (0.6 * semantic_matrix[i, j]) + (0.4 * fuzzy_score) + bonus
            hybrid = min(100, hybrid)

            similarity_matrix[i, j] = hybrid
            similarity_matrix[j, i] = hybrid

    fuzzy_time = time.time() - start_fuzzy
    logging.info(f"  ⚑ Bonifications calculées en {fuzzy_time:.2f}s ({len(candidates)} paires)")

    # ═══════════════════════════════════════════════════════════════
    # Γ‰TAPE 4 : Clustering par seuil
    # ═══════════════════════════════════════════════════════════════
    clusters = {}
    assigned = set()

    for i, label in enumerate(representative_labels):
        if label in assigned:
            continue

        similar_indices = np.where(similarity_matrix[i] >= similarity_threshold)[0]
        cluster_members = []

        for idx in similar_indices:
            rep_label = representative_labels[idx]
            norm = smart_normalize(rep_label)
            cluster_members.extend(normalized_groups[norm])

        canonical = label
        clusters[canonical] = cluster_members
        assigned.update(cluster_members)

        if len(cluster_members) > 1:
            logging.info(f"  πŸ”— '{canonical}' ← {len(cluster_members)} labels")

    total_time = time.time() - start_total
    logging.info(f"βœ… Clustering terminΓ© en {total_time:.2f}s ({len(labels)} β†’ {len(clusters)})")

    return clusters


def aggregate_mindmaps(json_paths, output_json_path, threshold=0.5,
                       fuzzy_threshold=70, semantic_threshold=70):
    """⚑ VERSION RAPIDE"""
    import time
    start = time.time()

    logging.info("=" * 70)
    logging.info(f"⚑ AGRΓ‰GATION RAPIDE")
    logging.info(f"πŸ“ Fichiers: {len(json_paths)}")
    logging.info("=" * 70)

    hybrid_threshold = (0.6 * semantic_threshold) + (0.4 * fuzzy_threshold)

    raw_graphs = []
    all_labels = []

    # Charger
    for i, path in enumerate(json_paths, 1):
        try:
            with open(path, 'r', encoding='utf-8') as f:
                g = json.load(f)
            raw_graphs.append(g)

            for n in g["nodes"]:
                all_labels.append(n["label"])

            logging.info(f"βœ… [{i}/{len(json_paths)}] {os.path.basename(path)}")
        except Exception as e:
            logging.error(f"❌ {path}: {e}")
            continue

    if not raw_graphs:
        return {"nodes": [], "edges": []}

    N = len(raw_graphs)

    # ⚑ Clustering rapide
    clusters = cluster_labels_fast(all_labels, hybrid_threshold)

    label_to_canonical = {}
    for canonical, members in clusters.items():
        for member in members:
            label_to_canonical[member] = canonical

    # Compter
    canonical_labels = sorted(set(label_to_canonical.values()))
    idx = {lbl: i for i, lbl in enumerate(canonical_labels)}

    node_counts = np.zeros(len(canonical_labels), dtype=int)
    edge_counts = np.zeros((len(canonical_labels), len(canonical_labels)), dtype=int)

    for g in raw_graphs:
        seen = set()
        for n in g["nodes"]:
            canonical = label_to_canonical.get(n["label"], n["label"])
            seen.add(canonical)

        for canonical in seen:
            if canonical in idx:
                node_counts[idx[canonical]] += 1

        for e in g["edges"]:
            try:
                src_label = next(n["label"] for n in g["nodes"] if n["id"] == e["source"])
                tgt_label = next(n["label"] for n in g["nodes"] if n["id"] == e["target"])

                src_canonical = label_to_canonical.get(src_label, src_label)
                tgt_canonical = label_to_canonical.get(tgt_label, tgt_label)

                if src_canonical in idx and tgt_canonical in idx:
                    i, j = idx[src_canonical], idx[tgt_canonical]
                    edge_counts[i, j] += 1
            except StopIteration:
                continue

    # JSON
    node_freq = node_counts / N
    edge_freq = edge_counts / N

    agg_nodes = []

    for i, canonical in enumerate(canonical_labels):
        freq = round(float(node_freq[i]) * 100, 2)
        agg_nodes.append({
            "id": canonical,
            "label": f"{canonical} ({freq}%)",
            "freq": freq
        })

    agg_edges = []

    for i, src in enumerate(canonical_labels):
        for j, tgt in enumerate(canonical_labels):
            f = float(edge_freq[i, j])
            if f > 0:
                agg_edges.append({
                    "source": src,
                    "target": tgt,
                    "freq": round(f * 100, 2),
                    "label": f"{round(f * 100, 2)}%"
                })

    aggregated = {
        "metadata": {
            "doc_count": N,
            "threshold": int(threshold * 100),
            "min_freq": round(float(node_freq.min()) * 100, 2),
            "max_freq": round(float(node_freq.max()) * 100, 2)
        },
        "nodes": agg_nodes,
        "edges": agg_edges
    }

    os.makedirs(os.path.dirname(output_json_path) or ".", exist_ok=True)
    with open(output_json_path, "w", encoding="utf-8") as f:
        json.dump(aggregated, f, indent=2, ensure_ascii=False)

    total_time = time.time() - start
    logging.info("=" * 70)
    logging.info(f"βœ… TERMINΓ‰ en {total_time:.2f}s")
    logging.info(f"πŸ“Š {len(all_labels)} β†’ {len(canonical_labels)} labels")
    logging.info(f"πŸ’Ύ {output_json_path}")
    logging.info("=" * 70)

    return aggregated