J7-3
378
data_filter.py
@ -4,12 +4,195 @@ import re
|
||||
from bs4 import BeautifulSoup
|
||||
import html
|
||||
import shutil
|
||||
from typing import Dict, List, Any, Optional, Tuple, Union
|
||||
from typing import Dict, List, Any, Optional, Tuple, Union, Set
|
||||
|
||||
|
||||
def is_odoobot_message(message: Dict[str, Any]) -> bool:
|
||||
"""
|
||||
Détecte si un message provient d'OdooBot ou d'un bot système.
|
||||
|
||||
Args:
|
||||
message: Dictionnaire du message à analyser
|
||||
|
||||
Returns:
|
||||
True si le message est d'OdooBot, False sinon
|
||||
"""
|
||||
if not message:
|
||||
return False
|
||||
|
||||
# Vérifier par le nom de l'auteur
|
||||
author_name = ""
|
||||
if message.get('author_id') and isinstance(message.get('author_id'), list) and len(message.get('author_id')) > 1:
|
||||
author_name = message.get('author_id')[1].lower()
|
||||
elif message.get('author_details', {}).get('name'):
|
||||
author_name = message.get('author_details', {}).get('name', '').lower()
|
||||
|
||||
if 'odoobot' in author_name or 'bot' in author_name or 'système' in author_name or 'system' in author_name:
|
||||
return True
|
||||
|
||||
# Vérifier par le contenu du message (messages système typiques)
|
||||
body = message.get('body', '').lower()
|
||||
if body and isinstance(body, str):
|
||||
system_patterns = [
|
||||
r'assigné à',
|
||||
r'assigned to',
|
||||
r'étape changée',
|
||||
r'stage changed',
|
||||
r'créé automatiquement',
|
||||
r'automatically created',
|
||||
r'a modifié la date limite',
|
||||
r'changed the deadline',
|
||||
r'a ajouté une pièce jointe',
|
||||
r'added an attachment'
|
||||
]
|
||||
|
||||
for pattern in system_patterns:
|
||||
if re.search(pattern, body, re.IGNORECASE):
|
||||
return True
|
||||
|
||||
# Vérifier par le type de message/sous-type
|
||||
if message.get('message_type') == 'notification':
|
||||
return True
|
||||
|
||||
subtype_name = ""
|
||||
if message.get('subtype_id') and isinstance(message.get('subtype_id'), list) and len(message.get('subtype_id')) > 1:
|
||||
subtype_name = message.get('subtype_id')[1].lower()
|
||||
elif message.get('subtype_details') and isinstance(message.get('subtype_details'), list) and len(message.get('subtype_details')) > 0:
|
||||
subtype_name = message.get('subtype_details')[0].get('name', '').lower()
|
||||
|
||||
if subtype_name and ('notification' in subtype_name or 'system' in subtype_name):
|
||||
return True
|
||||
|
||||
return False
|
||||
|
||||
|
||||
def is_important_image(img_tag: Any, message_text: str) -> bool:
|
||||
"""
|
||||
Détermine si une image est importante ou s'il s'agit d'une image inutile (logo, signature, etc.).
|
||||
|
||||
Args:
|
||||
img_tag: Balise d'image BeautifulSoup
|
||||
message_text: Texte du message complet pour contexte
|
||||
|
||||
Returns:
|
||||
True si l'image semble importante, False sinon
|
||||
"""
|
||||
# Vérifier les attributs de l'image
|
||||
img_src = img_tag.get('src', '')
|
||||
img_alt = img_tag.get('alt', '')
|
||||
img_class = img_tag.get('class', '')
|
||||
img_style = img_tag.get('style', '')
|
||||
|
||||
# Mots-clés indiquant des images inutiles
|
||||
useless_patterns = [
|
||||
'logo', 'signature', 'footer', 'header', 'separator', 'separateur',
|
||||
'outlook', 'mail_signature', 'icon', 'emoticon', 'emoji', 'cid:',
|
||||
'pixel', 'spacer', 'vignette', 'footer', 'banner', 'banniere'
|
||||
]
|
||||
|
||||
# Vérifier le src/alt/class pour les motifs inutiles
|
||||
for pattern in useless_patterns:
|
||||
if (pattern in img_src.lower() or
|
||||
pattern in img_alt.lower() or
|
||||
(isinstance(img_class, list) and any(pattern in c.lower() for c in img_class)) or
|
||||
(isinstance(img_class, str) and pattern in img_class.lower()) or
|
||||
pattern in img_style.lower()):
|
||||
return False
|
||||
|
||||
# Vérifier les dimensions (logos et icônes sont souvent petits)
|
||||
width = img_tag.get('width', '')
|
||||
height = img_tag.get('height', '')
|
||||
|
||||
# Convertir en entiers si possible
|
||||
try:
|
||||
width = int(width) if width and width.isdigit() else None
|
||||
height = int(height) if height and height.isdigit() else None
|
||||
except (ValueError, TypeError):
|
||||
# Extraire les dimensions des attributs style si disponibles
|
||||
if img_style:
|
||||
width_match = re.search(r'width:[ ]*(\d+)', img_style)
|
||||
height_match = re.search(r'height:[ ]*(\d+)', img_style)
|
||||
|
||||
width = int(width_match.group(1)) if width_match else None
|
||||
height = int(height_match.group(1)) if height_match else None
|
||||
|
||||
# Images très petites sont souvent des éléments décoratifs
|
||||
if width is not None and height is not None:
|
||||
if width <= 50 and height <= 50: # Taille arbitraire pour les petites images
|
||||
return False
|
||||
|
||||
# Rechercher des termes qui indiquent l'importance de l'image dans le texte du message
|
||||
importance_indicators = [
|
||||
'capture', 'screenshot', 'image', 'photo', 'illustration',
|
||||
'pièce jointe', 'attachment', 'voir', 'regarder', 'ci-joint',
|
||||
'écran', 'erreur', 'problème', 'bug', 'issue'
|
||||
]
|
||||
|
||||
for indicator in importance_indicators:
|
||||
if indicator in message_text.lower():
|
||||
return True
|
||||
|
||||
# Par défaut, considérer l'image comme importante si aucun des filtres ci-dessus ne s'applique
|
||||
return True
|
||||
|
||||
|
||||
def find_relevant_attachments(message_text: str, attachments_info: List[Dict[str, Any]]) -> List[int]:
|
||||
"""
|
||||
Trouve les pièces jointes pertinentes mentionnées dans le message.
|
||||
|
||||
Args:
|
||||
message_text: Texte du message
|
||||
attachments_info: Liste des informations sur les pièces jointes
|
||||
|
||||
Returns:
|
||||
Liste des IDs des pièces jointes pertinentes
|
||||
"""
|
||||
relevant_ids = []
|
||||
|
||||
if not message_text or not attachments_info:
|
||||
return relevant_ids
|
||||
|
||||
# Rechercher les mentions de pièces jointes dans le texte
|
||||
attachment_indicators = [
|
||||
r'pi(è|e)ce(s)? jointe(s)?', r'attachment(s)?', r'fichier(s)?', r'file(s)?',
|
||||
r'voir (le|la|les) document(s)?', r'voir (le|la|les) fichier(s)?',
|
||||
r'voir (le|la|les) image(s)?', r'voir (le|la|les) screenshot(s)?',
|
||||
r'voir (le|la|les) capture(s)?', r'voir (le|la|les) photo(s)?',
|
||||
r'voir ci-joint', r'voir ci-dessous', r'voir ci-après',
|
||||
r'veuillez trouver', r'please find', r'in attachment',
|
||||
r'joint(e)?(s)?', r'attached', r'screenshot(s)?', r'capture(s)? d(\'|e) (é|e)cran',
|
||||
r'image(s)?', r'photo(s)?'
|
||||
]
|
||||
|
||||
has_attachment_mention = False
|
||||
for indicator in attachment_indicators:
|
||||
if re.search(indicator, message_text, re.IGNORECASE):
|
||||
has_attachment_mention = True
|
||||
break
|
||||
|
||||
# Si le message mentionne des pièces jointes
|
||||
if has_attachment_mention:
|
||||
for attachment in attachments_info:
|
||||
# Exclure les pièces jointes qui semblent être des signatures ou des logos
|
||||
name = attachment.get('name', '').lower()
|
||||
useless_patterns = ['logo', 'signature', 'outlook', 'footer', 'header', 'icon', 'emoticon', 'emoji']
|
||||
|
||||
is_useless = False
|
||||
for pattern in useless_patterns:
|
||||
if pattern in name:
|
||||
is_useless = True
|
||||
break
|
||||
|
||||
if not is_useless:
|
||||
relevant_ids.append(attachment.get('id'))
|
||||
|
||||
return relevant_ids
|
||||
|
||||
|
||||
def clean_html(html_content: str) -> str:
|
||||
"""
|
||||
Nettoie le contenu HTML en supprimant toutes les balises mais en préservant le texte.
|
||||
Améliore le traitement des images, supprime les signatures et les éléments inutiles.
|
||||
|
||||
Args:
|
||||
html_content: Contenu HTML à nettoyer
|
||||
@ -19,10 +202,46 @@ def clean_html(html_content: str) -> str:
|
||||
"""
|
||||
if not html_content:
|
||||
return ""
|
||||
|
||||
# Utiliser BeautifulSoup pour extraire le texte
|
||||
|
||||
# Utiliser BeautifulSoup pour manipuler le HTML
|
||||
soup = BeautifulSoup(html_content, 'html.parser')
|
||||
|
||||
# Supprimer les signatures et pieds de courriels typiques
|
||||
signature_selectors = [
|
||||
'div.signature', '.gmail_signature', '.signature',
|
||||
'hr + div', 'hr + p', '.footer', '.mail-signature',
|
||||
'.ms-signature', '[data-smartmail="gmail_signature"]'
|
||||
]
|
||||
|
||||
for selector in signature_selectors:
|
||||
for element in soup.select(selector):
|
||||
element.decompose()
|
||||
|
||||
# Supprimer les lignes horizontales qui séparent souvent les signatures
|
||||
for hr in soup.find_all('hr'):
|
||||
hr.decompose()
|
||||
|
||||
# Traiter les images
|
||||
message_text = soup.get_text()
|
||||
for img in soup.find_all('img'):
|
||||
if is_important_image(img, message_text):
|
||||
# Remplacer les images importantes par une description
|
||||
alt_text = img.get('alt', '') or img.get('title', '') or '[Image importante]'
|
||||
img.replace_with(f" [Image: {alt_text}] ")
|
||||
else:
|
||||
# Supprimer les images inutiles
|
||||
img.decompose()
|
||||
|
||||
# Traiter les références aux pièces jointes
|
||||
attachment_refs = soup.find_all('a', href=re.compile(r'attachment|piece|fichier|file', re.IGNORECASE))
|
||||
for ref in attachment_refs:
|
||||
ref.replace_with(f" [Pièce jointe: {ref.get_text()}] ")
|
||||
|
||||
# Filtrer les éléments vides ou non significatifs
|
||||
for tag in soup.find_all(['span', 'div', 'p']):
|
||||
if not tag.get_text(strip=True):
|
||||
tag.decompose()
|
||||
|
||||
# Récupérer le texte sans balises HTML
|
||||
text = soup.get_text(separator=' ', strip=True)
|
||||
|
||||
@ -35,25 +254,61 @@ def clean_html(html_content: str) -> str:
|
||||
# Nettoyer les lignes vides multiples
|
||||
text = re.sub(r'\n\s*\n', '\n\n', text)
|
||||
|
||||
# Supprimer les footers typiques des emails
|
||||
footer_patterns = [
|
||||
r'Sent from my .*',
|
||||
r'Envoyé depuis mon .*',
|
||||
r'Ce message .*confidentiel.*',
|
||||
r'This email .*confidential.*',
|
||||
r'DISCLAIMER.*',
|
||||
r'CONFIDENTIAL.*',
|
||||
r'CONFIDENTIEL.*',
|
||||
r'Le contenu de ce courriel est confidentiel.*',
|
||||
r'This message and any attachments.*',
|
||||
r'Ce message et ses pièces jointes.*',
|
||||
r'AVIS DE CONFIDENTIALITÉ.*',
|
||||
r'PRIVACY NOTICE.*',
|
||||
r'Droit à la déconnexion.*',
|
||||
r'L\'objectif du Support Technique.*',
|
||||
r'\\*\\*\\*\\*\\*\\* ATTENTION \\*\\*\\*\\*\\*\\*.*',
|
||||
r'Please consider the environment.*',
|
||||
r'Pensez à l\'environnement.*'
|
||||
]
|
||||
|
||||
for pattern in footer_patterns:
|
||||
text = re.sub(pattern, '', text, flags=re.IGNORECASE | re.DOTALL)
|
||||
|
||||
return text.strip()
|
||||
|
||||
|
||||
def process_message_file(message_file_path: str, output_dir: str) -> None:
|
||||
def process_message_file(message_file_path: str, output_dir: str, attachments_info: List[Dict[str, Any]] = None) -> None:
|
||||
"""
|
||||
Traite un fichier de message en nettoyant le contenu HTML des messages.
|
||||
|
||||
Args:
|
||||
message_file_path: Chemin du fichier de message à traiter
|
||||
output_dir: Répertoire de sortie pour le fichier traité
|
||||
attachments_info: Informations sur les pièces jointes (optionnel)
|
||||
"""
|
||||
try:
|
||||
with open(message_file_path, 'r', encoding='utf-8') as f:
|
||||
message_data = json.load(f)
|
||||
|
||||
# Ignorer les messages d'OdooBot
|
||||
if is_odoobot_message(message_data):
|
||||
print(f"Message ignoré (OdooBot): {os.path.basename(message_file_path)}")
|
||||
return
|
||||
|
||||
# Vérifier si le message contient un corps HTML
|
||||
if 'body' in message_data and message_data['body']:
|
||||
# Remplacer le contenu HTML par le texte filtré
|
||||
message_data['body'] = clean_html(message_data['body'])
|
||||
|
||||
# Identifier les pièces jointes pertinentes si disponibles
|
||||
if attachments_info and message_data['body']:
|
||||
relevant_attachments = find_relevant_attachments(message_data['body'], attachments_info)
|
||||
if relevant_attachments:
|
||||
message_data['relevant_attachment_ids'] = relevant_attachments
|
||||
|
||||
# Écrire le message filtré
|
||||
output_file_path = os.path.join(output_dir, os.path.basename(message_file_path))
|
||||
@ -66,28 +321,71 @@ def process_message_file(message_file_path: str, output_dir: str) -> None:
|
||||
print(f"Erreur lors du traitement du fichier {message_file_path}: {e}")
|
||||
|
||||
|
||||
def process_messages_threads(threads_file_path: str, output_dir: str) -> None:
|
||||
def process_messages_threads(threads_file_path: str, output_dir: str, attachments_info: List[Dict[str, Any]] = None) -> None:
|
||||
"""
|
||||
Traite un fichier de threads de messages en nettoyant le contenu HTML.
|
||||
|
||||
Args:
|
||||
threads_file_path: Chemin du fichier de threads de messages
|
||||
output_dir: Répertoire de sortie pour le fichier traité
|
||||
attachments_info: Informations sur les pièces jointes (optionnel)
|
||||
"""
|
||||
try:
|
||||
with open(threads_file_path, 'r', encoding='utf-8') as f:
|
||||
threads_data = json.load(f)
|
||||
|
||||
# Stocker les IDs des threads à supprimer (qui ne contiennent que des messages d'OdooBot)
|
||||
threads_to_remove = []
|
||||
|
||||
# Parcourir tous les threads
|
||||
for thread_id, thread in threads_data.items():
|
||||
# Traiter le message principal
|
||||
if thread.get('main_message') and 'body' in thread['main_message']:
|
||||
thread['main_message']['body'] = clean_html(thread['main_message']['body'])
|
||||
|
||||
# Traiter les réponses
|
||||
for i, reply in enumerate(thread.get('replies', [])):
|
||||
if 'body' in reply:
|
||||
thread['replies'][i]['body'] = clean_html(reply['body'])
|
||||
# Vérifier si le message principal existe et n'est pas d'OdooBot
|
||||
main_message_is_bot = False
|
||||
if thread.get('main_message'):
|
||||
if is_odoobot_message(thread['main_message']):
|
||||
main_message_is_bot = True
|
||||
# Si c'est un message d'OdooBot, on le supprime
|
||||
thread['main_message'] = None
|
||||
elif 'body' in thread['main_message']:
|
||||
# Sinon, on nettoie le corps du message
|
||||
thread['main_message']['body'] = clean_html(thread['main_message']['body'])
|
||||
|
||||
# Identifier les pièces jointes pertinentes
|
||||
if attachments_info and thread['main_message']['body']:
|
||||
relevant_attachments = find_relevant_attachments(
|
||||
thread['main_message']['body'], attachments_info
|
||||
)
|
||||
if relevant_attachments:
|
||||
thread['main_message']['relevant_attachment_ids'] = relevant_attachments
|
||||
|
||||
# Filtrer les réponses pour supprimer celles d'OdooBot
|
||||
filtered_replies = []
|
||||
for reply in thread.get('replies', []):
|
||||
if not is_odoobot_message(reply):
|
||||
# Nettoyer le corps du message
|
||||
if 'body' in reply:
|
||||
reply['body'] = clean_html(reply['body'])
|
||||
|
||||
# Identifier les pièces jointes pertinentes
|
||||
if attachments_info and reply['body']:
|
||||
relevant_attachments = find_relevant_attachments(reply['body'], attachments_info)
|
||||
if relevant_attachments:
|
||||
reply['relevant_attachment_ids'] = relevant_attachments
|
||||
|
||||
filtered_replies.append(reply)
|
||||
|
||||
# Mettre à jour les réponses
|
||||
thread['replies'] = filtered_replies
|
||||
|
||||
# Si le thread ne contient plus de messages (tous étaient des messages d'OdooBot),
|
||||
# marquer pour suppression
|
||||
if main_message_is_bot and not filtered_replies:
|
||||
threads_to_remove.append(thread_id)
|
||||
|
||||
# Supprimer les threads qui ne contiennent que des messages d'OdooBot
|
||||
for thread_id in threads_to_remove:
|
||||
del threads_data[thread_id]
|
||||
|
||||
# Écrire le fichier de threads filtré
|
||||
output_file_path = os.path.join(output_dir, os.path.basename(threads_file_path))
|
||||
@ -95,34 +393,49 @@ def process_messages_threads(threads_file_path: str, output_dir: str) -> None:
|
||||
json.dump(threads_data, f, indent=4, ensure_ascii=False)
|
||||
|
||||
print(f"Fichier de threads traité: {os.path.basename(threads_file_path)}")
|
||||
if threads_to_remove:
|
||||
print(f" {len(threads_to_remove)} threads supprimés (messages d'OdooBot uniquement)")
|
||||
|
||||
except Exception as e:
|
||||
print(f"Erreur lors du traitement du fichier {threads_file_path}: {e}")
|
||||
|
||||
|
||||
def process_messages_collection(messages_file_path: str, output_dir: str) -> None:
|
||||
def process_messages_collection(messages_file_path: str, output_dir: str, attachments_info: List[Dict[str, Any]] = None) -> None:
|
||||
"""
|
||||
Traite un fichier de collection de messages en nettoyant le contenu HTML.
|
||||
|
||||
Args:
|
||||
messages_file_path: Chemin du fichier de collection de messages
|
||||
output_dir: Répertoire de sortie pour le fichier traité
|
||||
attachments_info: Informations sur les pièces jointes (optionnel)
|
||||
"""
|
||||
try:
|
||||
with open(messages_file_path, 'r', encoding='utf-8') as f:
|
||||
messages_data = json.load(f)
|
||||
|
||||
# Parcourir tous les messages
|
||||
for i, message in enumerate(messages_data):
|
||||
if 'body' in message:
|
||||
messages_data[i]['body'] = clean_html(message['body'])
|
||||
# Filtrer les messages pour supprimer ceux d'OdooBot
|
||||
filtered_messages = []
|
||||
for message in messages_data:
|
||||
if not is_odoobot_message(message):
|
||||
# Nettoyer le corps du message
|
||||
if 'body' in message:
|
||||
message['body'] = clean_html(message['body'])
|
||||
|
||||
# Identifier les pièces jointes pertinentes
|
||||
if attachments_info and message['body']:
|
||||
relevant_attachments = find_relevant_attachments(message['body'], attachments_info)
|
||||
if relevant_attachments:
|
||||
message['relevant_attachment_ids'] = relevant_attachments
|
||||
|
||||
filtered_messages.append(message)
|
||||
|
||||
# Écrire le fichier de messages filtré
|
||||
output_file_path = os.path.join(output_dir, os.path.basename(messages_file_path))
|
||||
with open(output_file_path, 'w', encoding='utf-8') as f:
|
||||
json.dump(messages_data, f, indent=4, ensure_ascii=False)
|
||||
json.dump(filtered_messages, f, indent=4, ensure_ascii=False)
|
||||
|
||||
print(f"Collection de messages traitée: {os.path.basename(messages_file_path)}")
|
||||
print(f" {len(messages_data) - len(filtered_messages)} messages supprimés (OdooBot)")
|
||||
|
||||
except Exception as e:
|
||||
print(f"Erreur lors du traitement du fichier {messages_file_path}: {e}")
|
||||
@ -144,13 +457,27 @@ def process_ticket_folder(ticket_folder: str, output_base_dir: str) -> None:
|
||||
os.makedirs(output_ticket_dir, exist_ok=True)
|
||||
|
||||
# Copier les fichiers d'information du ticket
|
||||
for file_name in ['ticket_info.json', 'contact_info.json', 'activities.json', 'followers.json', 'attachments_info.json', 'timesheets.json']:
|
||||
for file_name in ['ticket_info.json', 'contact_info.json', 'activities.json', 'followers.json', 'timesheets.json']:
|
||||
src_file = os.path.join(ticket_folder, file_name)
|
||||
if os.path.exists(src_file):
|
||||
dst_file = os.path.join(output_ticket_dir, file_name)
|
||||
shutil.copy2(src_file, dst_file)
|
||||
print(f"Fichier copié: {file_name}")
|
||||
|
||||
# Charger les informations sur les pièces jointes si disponibles
|
||||
attachments_info = []
|
||||
attachments_info_file = os.path.join(ticket_folder, 'attachments_info.json')
|
||||
if os.path.exists(attachments_info_file):
|
||||
try:
|
||||
with open(attachments_info_file, 'r', encoding='utf-8') as f:
|
||||
attachments_info = json.load(f)
|
||||
except Exception as e:
|
||||
print(f"Erreur lors du chargement des informations sur les pièces jointes: {e}")
|
||||
|
||||
# Copier le fichier d'informations sur les pièces jointes
|
||||
dst_file = os.path.join(output_ticket_dir, 'attachments_info.json')
|
||||
shutil.copy2(attachments_info_file, dst_file)
|
||||
|
||||
# Traitement des fichiers de messages
|
||||
src_messages_dir = os.path.join(ticket_folder, 'messages')
|
||||
if os.path.exists(src_messages_dir):
|
||||
@ -163,19 +490,19 @@ def process_ticket_folder(ticket_folder: str, output_base_dir: str) -> None:
|
||||
for file_name in os.listdir(src_messages_dir):
|
||||
if file_name.endswith('.json'):
|
||||
message_file_path = os.path.join(src_messages_dir, file_name)
|
||||
process_message_file(message_file_path, filtered_messages_dir)
|
||||
process_message_file(message_file_path, filtered_messages_dir, attachments_info)
|
||||
|
||||
# Traitement des fichiers de messages regroupés
|
||||
messages_file = os.path.join(ticket_folder, 'messages.json')
|
||||
message_threads_file = os.path.join(ticket_folder, 'message_threads.json')
|
||||
|
||||
if os.path.exists(messages_file):
|
||||
process_messages_collection(messages_file, output_ticket_dir)
|
||||
process_messages_collection(messages_file, output_ticket_dir, attachments_info)
|
||||
|
||||
if os.path.exists(message_threads_file):
|
||||
process_messages_threads(message_threads_file, output_ticket_dir)
|
||||
process_messages_threads(message_threads_file, output_ticket_dir, attachments_info)
|
||||
|
||||
# Copier le répertoire des pièces jointes
|
||||
# Copier le répertoire des pièces jointes (on conserve toutes les pièces jointes)
|
||||
src_attachments_dir = os.path.join(ticket_folder, 'attachments')
|
||||
if os.path.exists(src_attachments_dir):
|
||||
dst_attachments_dir = os.path.join(output_ticket_dir, 'attachments')
|
||||
@ -227,6 +554,11 @@ def run_filter_wizard() -> None:
|
||||
Interface utilisateur en ligne de commande pour filtrer les tickets exportés.
|
||||
"""
|
||||
print("\n==== FILTRAGE DES MESSAGES DES TICKETS ====")
|
||||
print("Cette fonction va:")
|
||||
print("1. Supprimer les messages provenant d'OdooBot")
|
||||
print("2. Supprimer les logos, signatures et images non pertinentes")
|
||||
print("3. Conserver uniquement le texte utile des messages")
|
||||
print("4. Identifier les pièces jointes mentionnées dans les messages\n")
|
||||
|
||||
# Demander le répertoire source
|
||||
default_source = 'exported_tickets'
|
||||
|
||||
|
After Width: | Height: | Size: 1.4 KiB |
|
After Width: | Height: | Size: 864 B |
|
After Width: | Height: | Size: 650 B |
|
After Width: | Height: | Size: 1.1 KiB |
|
After Width: | Height: | Size: 935 B |
|
After Width: | Height: | Size: 1.4 KiB |
|
After Width: | Height: | Size: 864 B |
|
After Width: | Height: | Size: 650 B |
|
After Width: | Height: | Size: 1.1 KiB |
|
After Width: | Height: | Size: 935 B |
|
After Width: | Height: | Size: 36 KiB |
|
After Width: | Height: | Size: 1.4 KiB |
|
After Width: | Height: | Size: 864 B |
|
After Width: | Height: | Size: 650 B |
|
After Width: | Height: | Size: 1.1 KiB |
|
After Width: | Height: | Size: 935 B |
|
After Width: | Height: | Size: 26 KiB |
@ -0,0 +1,172 @@
|
||||
[
|
||||
{
|
||||
"id": 143501,
|
||||
"name": "Outlook-CBAO - dév",
|
||||
"mimetype": "image/png",
|
||||
"create_date": "2025-02-21 15:16:35",
|
||||
"description": "Outlook-CBAO - dév",
|
||||
"res_name": "[T10929] TR: MAJ BRGlab",
|
||||
"type": "binary",
|
||||
"file_path": "attachments/143501_Outlook-CBAO - dév"
|
||||
},
|
||||
{
|
||||
"id": 143499,
|
||||
"name": "Outlook-Descriptio",
|
||||
"mimetype": "image/jpeg",
|
||||
"create_date": "2025-02-21 15:16:35",
|
||||
"description": "Outlook-Descriptio",
|
||||
"res_name": "[T10929] TR: MAJ BRGlab",
|
||||
"type": "binary",
|
||||
"file_path": "attachments/143499_Outlook-Descriptio"
|
||||
},
|
||||
{
|
||||
"id": 143497,
|
||||
"name": "Outlook-Descriptio.png",
|
||||
"mimetype": "image/png",
|
||||
"create_date": "2025-02-21 15:16:35",
|
||||
"description": "Outlook-Descriptio.png",
|
||||
"res_name": "[T10929] TR: MAJ BRGlab",
|
||||
"type": "binary",
|
||||
"file_path": "attachments/143497_Outlook-Descriptio.png"
|
||||
},
|
||||
{
|
||||
"id": 143495,
|
||||
"name": "Outlook-Descriptio.png",
|
||||
"mimetype": "image/png",
|
||||
"create_date": "2025-02-21 15:16:35",
|
||||
"description": "Outlook-Descriptio.png",
|
||||
"res_name": "[T10929] TR: MAJ BRGlab",
|
||||
"type": "binary",
|
||||
"file_path": "attachments/143495_Outlook-Descriptio.png"
|
||||
},
|
||||
{
|
||||
"id": 143493,
|
||||
"name": "Outlook-Descriptio.png",
|
||||
"mimetype": "image/png",
|
||||
"create_date": "2025-02-21 15:16:35",
|
||||
"description": "Outlook-Descriptio.png",
|
||||
"res_name": "[T10929] TR: MAJ BRGlab",
|
||||
"type": "binary",
|
||||
"file_path": "attachments/143493_Outlook-Descriptio.png"
|
||||
},
|
||||
{
|
||||
"id": 143491,
|
||||
"name": "Outlook-cuypyicx",
|
||||
"mimetype": "image/jpeg",
|
||||
"create_date": "2025-02-21 15:16:35",
|
||||
"description": "Outlook-cuypyicx",
|
||||
"res_name": "[T10929] TR: MAJ BRGlab",
|
||||
"type": "binary",
|
||||
"file_path": "attachments/143491_Outlook-cuypyicx"
|
||||
},
|
||||
{
|
||||
"id": 143414,
|
||||
"name": "image.png",
|
||||
"mimetype": "image/png",
|
||||
"create_date": "2025-02-20 13:13:30",
|
||||
"description": false,
|
||||
"res_name": "[T10929] TR: MAJ BRGlab",
|
||||
"type": "binary",
|
||||
"file_path": "attachments/143414_image.png"
|
||||
},
|
||||
{
|
||||
"id": 143378,
|
||||
"name": "Outlook-Descriptio",
|
||||
"mimetype": "image/jpeg",
|
||||
"create_date": "2025-02-20 09:37:13",
|
||||
"description": "Outlook-Descriptio",
|
||||
"res_name": "[T10929] TR: MAJ BRGlab",
|
||||
"type": "binary",
|
||||
"file_path": "attachments/143378_Outlook-Descriptio"
|
||||
},
|
||||
{
|
||||
"id": 143376,
|
||||
"name": "Outlook-Descriptio.png",
|
||||
"mimetype": "image/png",
|
||||
"create_date": "2025-02-20 09:37:13",
|
||||
"description": "Outlook-Descriptio.png",
|
||||
"res_name": "[T10929] TR: MAJ BRGlab",
|
||||
"type": "binary",
|
||||
"file_path": "attachments/143376_Outlook-Descriptio.png"
|
||||
},
|
||||
{
|
||||
"id": 143374,
|
||||
"name": "Outlook-Descriptio.png",
|
||||
"mimetype": "image/png",
|
||||
"create_date": "2025-02-20 09:37:13",
|
||||
"description": "Outlook-Descriptio.png",
|
||||
"res_name": "[T10929] TR: MAJ BRGlab",
|
||||
"type": "binary",
|
||||
"file_path": "attachments/143374_Outlook-Descriptio.png"
|
||||
},
|
||||
{
|
||||
"id": 143372,
|
||||
"name": "Outlook-Descriptio.png",
|
||||
"mimetype": "image/png",
|
||||
"create_date": "2025-02-20 09:37:13",
|
||||
"description": "Outlook-Descriptio.png",
|
||||
"res_name": "[T10929] TR: MAJ BRGlab",
|
||||
"type": "binary",
|
||||
"file_path": "attachments/143372_Outlook-Descriptio.png"
|
||||
},
|
||||
{
|
||||
"id": 143370,
|
||||
"name": "Outlook-k20pxmqj",
|
||||
"mimetype": "image/jpeg",
|
||||
"create_date": "2025-02-20 09:37:13",
|
||||
"description": "Outlook-k20pxmqj",
|
||||
"res_name": "[T10929] TR: MAJ BRGlab",
|
||||
"type": "binary",
|
||||
"file_path": "attachments/143370_Outlook-k20pxmqj"
|
||||
},
|
||||
{
|
||||
"id": 143368,
|
||||
"name": "Outlook-Descriptio",
|
||||
"mimetype": "image/jpeg",
|
||||
"create_date": "2025-02-20 09:37:13",
|
||||
"description": "Outlook-Descriptio",
|
||||
"res_name": "[T10929] TR: MAJ BRGlab",
|
||||
"type": "binary",
|
||||
"file_path": "attachments/143368_Outlook-Descriptio"
|
||||
},
|
||||
{
|
||||
"id": 143366,
|
||||
"name": "Outlook-Descriptio.png",
|
||||
"mimetype": "image/png",
|
||||
"create_date": "2025-02-20 09:37:13",
|
||||
"description": "Outlook-Descriptio.png",
|
||||
"res_name": "[T10929] TR: MAJ BRGlab",
|
||||
"type": "binary",
|
||||
"file_path": "attachments/143366_Outlook-Descriptio.png"
|
||||
},
|
||||
{
|
||||
"id": 143364,
|
||||
"name": "Outlook-Descriptio.png",
|
||||
"mimetype": "image/png",
|
||||
"create_date": "2025-02-20 09:37:13",
|
||||
"description": "Outlook-Descriptio.png",
|
||||
"res_name": "[T10929] TR: MAJ BRGlab",
|
||||
"type": "binary",
|
||||
"file_path": "attachments/143364_Outlook-Descriptio.png"
|
||||
},
|
||||
{
|
||||
"id": 143362,
|
||||
"name": "Outlook-Descriptio.png",
|
||||
"mimetype": "image/png",
|
||||
"create_date": "2025-02-20 09:37:13",
|
||||
"description": "Outlook-Descriptio.png",
|
||||
"res_name": "[T10929] TR: MAJ BRGlab",
|
||||
"type": "binary",
|
||||
"file_path": "attachments/143362_Outlook-Descriptio.png"
|
||||
},
|
||||
{
|
||||
"id": 143360,
|
||||
"name": "Outlook-nppfhufh",
|
||||
"mimetype": "image/jpeg",
|
||||
"create_date": "2025-02-20 09:37:13",
|
||||
"description": "Outlook-nppfhufh",
|
||||
"res_name": "[T10929] TR: MAJ BRGlab",
|
||||
"type": "binary",
|
||||
"file_path": "attachments/143360_Outlook-nppfhufh"
|
||||
}
|
||||
]
|
||||
@ -0,0 +1,15 @@
|
||||
{
|
||||
"id": 5654,
|
||||
"name": "Olivier ANTONI",
|
||||
"email": "Olivier.ANTONI@egis-group.com",
|
||||
"phone": false,
|
||||
"mobile": false,
|
||||
"street": "Le carat 168-170 Avenue Thiers",
|
||||
"city": "Lyon Cedex 06",
|
||||
"zip": "69455",
|
||||
"country_id": [
|
||||
75,
|
||||
"France"
|
||||
],
|
||||
"comment": ""
|
||||
}
|
||||
146
exported_tickets/ticket_10908_TR: MAJ BRGlab/followers.json
Normal file
@ -0,0 +1,146 @@
|
||||
[
|
||||
{
|
||||
"id": 88384,
|
||||
"partner_id": [
|
||||
28961,
|
||||
"Fabien LAFAY"
|
||||
],
|
||||
"subtype_ids": [
|
||||
1,
|
||||
20
|
||||
],
|
||||
"partner_details": {
|
||||
"id": 28961,
|
||||
"name": "Fabien LAFAY",
|
||||
"email": "fabien@mail.cbao.fr",
|
||||
"phone": false,
|
||||
"function": false,
|
||||
"company_id": [
|
||||
1,
|
||||
"CBAO S.A.R.L."
|
||||
]
|
||||
},
|
||||
"subtype_details": [
|
||||
{
|
||||
"id": 1,
|
||||
"name": "Discussions",
|
||||
"description": false,
|
||||
"default": true
|
||||
},
|
||||
{
|
||||
"id": 20,
|
||||
"name": "Task Rating",
|
||||
"description": "Ratings",
|
||||
"default": true
|
||||
}
|
||||
]
|
||||
},
|
||||
{
|
||||
"id": 88385,
|
||||
"partner_id": [
|
||||
29833,
|
||||
"backoffice"
|
||||
],
|
||||
"subtype_ids": [
|
||||
1,
|
||||
20
|
||||
],
|
||||
"partner_details": {
|
||||
"id": 29833,
|
||||
"name": "backoffice",
|
||||
"email": "quentin.faivre@cbao.fr",
|
||||
"phone": false,
|
||||
"function": false,
|
||||
"company_id": [
|
||||
1,
|
||||
"CBAO S.A.R.L."
|
||||
]
|
||||
},
|
||||
"subtype_details": [
|
||||
{
|
||||
"id": 1,
|
||||
"name": "Discussions",
|
||||
"description": false,
|
||||
"default": true
|
||||
},
|
||||
{
|
||||
"id": 20,
|
||||
"name": "Task Rating",
|
||||
"description": "Ratings",
|
||||
"default": true
|
||||
}
|
||||
]
|
||||
},
|
||||
{
|
||||
"id": 88404,
|
||||
"partner_id": [
|
||||
5654,
|
||||
"EGIS SA, Olivier ANTONI"
|
||||
],
|
||||
"subtype_ids": [
|
||||
1,
|
||||
20
|
||||
],
|
||||
"partner_details": {
|
||||
"id": 5654,
|
||||
"name": "Olivier ANTONI",
|
||||
"email": "Olivier.ANTONI@egis-group.com",
|
||||
"phone": false,
|
||||
"function": "Laborantin",
|
||||
"company_id": [
|
||||
1,
|
||||
"CBAO S.A.R.L."
|
||||
]
|
||||
},
|
||||
"subtype_details": [
|
||||
{
|
||||
"id": 1,
|
||||
"name": "Discussions",
|
||||
"description": false,
|
||||
"default": true
|
||||
},
|
||||
{
|
||||
"id": 20,
|
||||
"name": "Task Rating",
|
||||
"description": "Ratings",
|
||||
"default": true
|
||||
}
|
||||
]
|
||||
},
|
||||
{
|
||||
"id": 88405,
|
||||
"partner_id": [
|
||||
32165,
|
||||
"Romuald GRUSON"
|
||||
],
|
||||
"subtype_ids": [
|
||||
1,
|
||||
20
|
||||
],
|
||||
"partner_details": {
|
||||
"id": 32165,
|
||||
"name": "Romuald GRUSON",
|
||||
"email": "romuald@mail.cbao.fr",
|
||||
"phone": false,
|
||||
"function": false,
|
||||
"company_id": [
|
||||
1,
|
||||
"CBAO S.A.R.L."
|
||||
]
|
||||
},
|
||||
"subtype_details": [
|
||||
{
|
||||
"id": 1,
|
||||
"name": "Discussions",
|
||||
"description": false,
|
||||
"default": true
|
||||
},
|
||||
{
|
||||
"id": 20,
|
||||
"name": "Task Rating",
|
||||
"description": "Ratings",
|
||||
"default": true
|
||||
}
|
||||
]
|
||||
}
|
||||
]
|
||||
256
exported_tickets/ticket_10908_TR: MAJ BRGlab/messages.json
Normal file
@ -0,0 +1,37 @@
|
||||
{
|
||||
"id": 225611,
|
||||
"body": "",
|
||||
"date": "2025-02-20 09:37:16",
|
||||
"author_id": [
|
||||
2,
|
||||
"OdooBot"
|
||||
],
|
||||
"email_from": "\"OdooBot\" <odoobot@example.com>",
|
||||
"subject": false,
|
||||
"parent_id": false,
|
||||
"message_type": "notification",
|
||||
"subtype_id": [
|
||||
16,
|
||||
"Task Created"
|
||||
],
|
||||
"attachment_ids": [],
|
||||
"author_details": {
|
||||
"id": 2,
|
||||
"name": "OdooBot",
|
||||
"email": "odoobot@example.com",
|
||||
"phone": false,
|
||||
"function": false,
|
||||
"company_id": [
|
||||
1,
|
||||
"CBAO S.A.R.L."
|
||||
]
|
||||
},
|
||||
"subtype_details": [
|
||||
{
|
||||
"id": 16,
|
||||
"name": "Task Created",
|
||||
"description": "Task Created",
|
||||
"default": false
|
||||
}
|
||||
]
|
||||
}
|
||||
@ -0,0 +1,37 @@
|
||||
{
|
||||
"id": 225613,
|
||||
"body": "",
|
||||
"date": "2025-02-20 09:37:17",
|
||||
"author_id": [
|
||||
2,
|
||||
"OdooBot"
|
||||
],
|
||||
"email_from": "\"OdooBot\" <odoobot@example.com>",
|
||||
"subject": false,
|
||||
"parent_id": false,
|
||||
"message_type": "notification",
|
||||
"subtype_id": [
|
||||
2,
|
||||
"Note"
|
||||
],
|
||||
"attachment_ids": [],
|
||||
"author_details": {
|
||||
"id": 2,
|
||||
"name": "OdooBot",
|
||||
"email": "odoobot@example.com",
|
||||
"phone": false,
|
||||
"function": false,
|
||||
"company_id": [
|
||||
1,
|
||||
"CBAO S.A.R.L."
|
||||
]
|
||||
},
|
||||
"subtype_details": [
|
||||
{
|
||||
"id": 2,
|
||||
"name": "Note",
|
||||
"description": false,
|
||||
"default": false
|
||||
}
|
||||
]
|
||||
}
|
||||
@ -0,0 +1,37 @@
|
||||
{
|
||||
"id": 225614,
|
||||
"body": "",
|
||||
"date": "2025-02-20 09:37:17",
|
||||
"author_id": [
|
||||
2,
|
||||
"OdooBot"
|
||||
],
|
||||
"email_from": "\"OdooBot\" <odoobot@example.com>",
|
||||
"subject": false,
|
||||
"parent_id": false,
|
||||
"message_type": "notification",
|
||||
"subtype_id": [
|
||||
2,
|
||||
"Note"
|
||||
],
|
||||
"attachment_ids": [],
|
||||
"author_details": {
|
||||
"id": 2,
|
||||
"name": "OdooBot",
|
||||
"email": "odoobot@example.com",
|
||||
"phone": false,
|
||||
"function": false,
|
||||
"company_id": [
|
||||
1,
|
||||
"CBAO S.A.R.L."
|
||||
]
|
||||
},
|
||||
"subtype_details": [
|
||||
{
|
||||
"id": 2,
|
||||
"name": "Note",
|
||||
"description": false,
|
||||
"default": false
|
||||
}
|
||||
]
|
||||
}
|
||||
@ -0,0 +1,37 @@
|
||||
{
|
||||
"id": 225634,
|
||||
"body": "",
|
||||
"date": "2025-02-20 13:13:32",
|
||||
"author_id": [
|
||||
32165,
|
||||
"Romuald GRUSON"
|
||||
],
|
||||
"email_from": "\"Romuald GRUSON\" <romuald@cbao.fr>",
|
||||
"subject": false,
|
||||
"parent_id": false,
|
||||
"message_type": "notification",
|
||||
"subtype_id": [
|
||||
2,
|
||||
"Note"
|
||||
],
|
||||
"attachment_ids": [],
|
||||
"author_details": {
|
||||
"id": 32165,
|
||||
"name": "Romuald GRUSON",
|
||||
"email": "romuald@mail.cbao.fr",
|
||||
"phone": false,
|
||||
"function": false,
|
||||
"company_id": [
|
||||
1,
|
||||
"CBAO S.A.R.L."
|
||||
]
|
||||
},
|
||||
"subtype_details": [
|
||||
{
|
||||
"id": 2,
|
||||
"name": "Note",
|
||||
"description": false,
|
||||
"default": false
|
||||
}
|
||||
]
|
||||
}
|
||||
@ -0,0 +1,37 @@
|
||||
{
|
||||
"id": 225635,
|
||||
"body": "",
|
||||
"date": "2025-02-20 13:13:34",
|
||||
"author_id": [
|
||||
32165,
|
||||
"Romuald GRUSON"
|
||||
],
|
||||
"email_from": "\"Romuald GRUSON\" <romuald@cbao.fr>",
|
||||
"subject": false,
|
||||
"parent_id": false,
|
||||
"message_type": "notification",
|
||||
"subtype_id": [
|
||||
2,
|
||||
"Note"
|
||||
],
|
||||
"attachment_ids": [],
|
||||
"author_details": {
|
||||
"id": 32165,
|
||||
"name": "Romuald GRUSON",
|
||||
"email": "romuald@mail.cbao.fr",
|
||||
"phone": false,
|
||||
"function": false,
|
||||
"company_id": [
|
||||
1,
|
||||
"CBAO S.A.R.L."
|
||||
]
|
||||
},
|
||||
"subtype_details": [
|
||||
{
|
||||
"id": 2,
|
||||
"name": "Note",
|
||||
"description": false,
|
||||
"default": false
|
||||
}
|
||||
]
|
||||
}
|
||||
@ -0,0 +1,40 @@
|
||||
{
|
||||
"id": 225636,
|
||||
"body": "",
|
||||
"date": "2025-02-20 13:13:34",
|
||||
"author_id": [
|
||||
32165,
|
||||
"Romuald GRUSON"
|
||||
],
|
||||
"email_from": "\"Romuald GRUSON\" <romuald@cbao.fr>",
|
||||
"subject": false,
|
||||
"parent_id": [
|
||||
225611,
|
||||
"[T10929] TR: MAJ BRGlab"
|
||||
],
|
||||
"message_type": "notification",
|
||||
"subtype_id": [
|
||||
19,
|
||||
"Stage Changed"
|
||||
],
|
||||
"attachment_ids": [],
|
||||
"author_details": {
|
||||
"id": 32165,
|
||||
"name": "Romuald GRUSON",
|
||||
"email": "romuald@mail.cbao.fr",
|
||||
"phone": false,
|
||||
"function": false,
|
||||
"company_id": [
|
||||
1,
|
||||
"CBAO S.A.R.L."
|
||||
]
|
||||
},
|
||||
"subtype_details": [
|
||||
{
|
||||
"id": 19,
|
||||
"name": "Stage Changed",
|
||||
"description": "Stage changed",
|
||||
"default": false
|
||||
}
|
||||
]
|
||||
}
|
||||
@ -0,0 +1,40 @@
|
||||
{
|
||||
"id": 225756,
|
||||
"body": "",
|
||||
"date": "2025-02-21 15:17:55",
|
||||
"author_id": [
|
||||
32165,
|
||||
"Romuald GRUSON"
|
||||
],
|
||||
"email_from": "\"Romuald GRUSON\" <romuald@cbao.fr>",
|
||||
"subject": false,
|
||||
"parent_id": [
|
||||
225611,
|
||||
"[T10929] TR: MAJ BRGlab"
|
||||
],
|
||||
"message_type": "notification",
|
||||
"subtype_id": [
|
||||
16,
|
||||
"Task Created"
|
||||
],
|
||||
"attachment_ids": [],
|
||||
"author_details": {
|
||||
"id": 32165,
|
||||
"name": "Romuald GRUSON",
|
||||
"email": "romuald@mail.cbao.fr",
|
||||
"phone": false,
|
||||
"function": false,
|
||||
"company_id": [
|
||||
1,
|
||||
"CBAO S.A.R.L."
|
||||
]
|
||||
},
|
||||
"subtype_details": [
|
||||
{
|
||||
"id": 16,
|
||||
"name": "Task Created",
|
||||
"description": "Task Created",
|
||||
"default": false
|
||||
}
|
||||
]
|
||||
}
|
||||
@ -0,0 +1,37 @@
|
||||
{
|
||||
"id": 227288,
|
||||
"body": "",
|
||||
"date": "2025-03-12 08:14:38",
|
||||
"author_id": [
|
||||
28961,
|
||||
"Fabien LAFAY"
|
||||
],
|
||||
"email_from": "\"Fabien LAFAY\" <fabien@cbao.fr>",
|
||||
"subject": false,
|
||||
"parent_id": false,
|
||||
"message_type": "notification",
|
||||
"subtype_id": [
|
||||
2,
|
||||
"Note"
|
||||
],
|
||||
"attachment_ids": [],
|
||||
"author_details": {
|
||||
"id": 28961,
|
||||
"name": "Fabien LAFAY",
|
||||
"email": "fabien@mail.cbao.fr",
|
||||
"phone": false,
|
||||
"function": false,
|
||||
"company_id": [
|
||||
1,
|
||||
"CBAO S.A.R.L."
|
||||
]
|
||||
},
|
||||
"subtype_details": [
|
||||
{
|
||||
"id": 2,
|
||||
"name": "Note",
|
||||
"description": false,
|
||||
"default": false
|
||||
}
|
||||
]
|
||||
}
|
||||
163
exported_tickets/ticket_10908_TR: MAJ BRGlab/ticket_info.json
Normal file
@ -0,0 +1,163 @@
|
||||
{
|
||||
"id": 10908,
|
||||
"active": true,
|
||||
"name": "TR: MAJ BRGlab",
|
||||
"description": "<p><br></p>",
|
||||
"sequence": 0,
|
||||
"stage_id": [
|
||||
5,
|
||||
"En attente de résolution"
|
||||
],
|
||||
"kanban_state": "normal",
|
||||
"create_date": "2025-02-20 09:37:13",
|
||||
"write_date": "2025-03-19 08:35:02",
|
||||
"date_start": "2025-02-20 09:37:16",
|
||||
"date_end": false,
|
||||
"date_assign": "2025-02-20 13:13:32",
|
||||
"date_deadline": false,
|
||||
"date_last_stage_update": "2025-02-21 15:17:55",
|
||||
"project_id": [
|
||||
3,
|
||||
"Demandes"
|
||||
],
|
||||
"notes": false,
|
||||
"planned_hours": 0.0,
|
||||
"user_id": [
|
||||
32,
|
||||
"Romuald GRUSON"
|
||||
],
|
||||
"partner_id": [
|
||||
5654,
|
||||
"EGIS SA, Olivier ANTONI"
|
||||
],
|
||||
"company_id": [
|
||||
1,
|
||||
"CBAO S.A.R.L."
|
||||
],
|
||||
"color": 0,
|
||||
"displayed_image_id": false,
|
||||
"parent_id": false,
|
||||
"child_ids": [],
|
||||
"email_from": "ANTONI Olivier <Olivier.ANTONI@egis-group.com>",
|
||||
"email_cc": "",
|
||||
"working_hours_open": 2.379627116111111,
|
||||
"working_hours_close": 0.0,
|
||||
"working_days_open": 0.09915112983796297,
|
||||
"working_days_close": 0.0,
|
||||
"website_message_ids": [
|
||||
225765,
|
||||
225755,
|
||||
225633,
|
||||
225612
|
||||
],
|
||||
"remaining_hours": 0.0,
|
||||
"effective_hours": 0.0,
|
||||
"total_hours_spent": 0.0,
|
||||
"progress": 0.0,
|
||||
"subtask_effective_hours": 0.0,
|
||||
"timesheet_ids": [],
|
||||
"priority": "0",
|
||||
"code": "T10929",
|
||||
"milestone_id": false,
|
||||
"sale_line_id": false,
|
||||
"sale_order_id": false,
|
||||
"billable_type": "no",
|
||||
"activity_ids": [],
|
||||
"message_follower_ids": [
|
||||
88384,
|
||||
88385,
|
||||
88404,
|
||||
88405
|
||||
],
|
||||
"message_ids": [
|
||||
227288,
|
||||
225765,
|
||||
225756,
|
||||
225755,
|
||||
225636,
|
||||
225635,
|
||||
225634,
|
||||
225633,
|
||||
225614,
|
||||
225613,
|
||||
225612,
|
||||
225611
|
||||
],
|
||||
"message_main_attachment_id": [
|
||||
143360,
|
||||
"Outlook-nppfhufh"
|
||||
],
|
||||
"failed_message_ids": [],
|
||||
"rating_ids": [],
|
||||
"rating_last_value": 0.0,
|
||||
"access_token": "3307e367-64be-4943-9682-db68a0a1efbd",
|
||||
"create_uid": [
|
||||
1,
|
||||
"OdooBot"
|
||||
],
|
||||
"write_uid": [
|
||||
32,
|
||||
"Romuald GRUSON"
|
||||
],
|
||||
"x_CBAO_windows_maj_ID": false,
|
||||
"x_CBAO_version_signalement": false,
|
||||
"x_CBAO_version_correction": false,
|
||||
"x_CBAO_DateCorrection": false,
|
||||
"x_CBAO_Scoring_Facilite": 0,
|
||||
"x_CBAO_Scoring_Importance": 0,
|
||||
"x_CBAO_Scoring_Urgence": 0,
|
||||
"x_CBAO_Scoring_Incidence": 0,
|
||||
"x_CBAO_Scoring_Resultat": 0,
|
||||
"x_CBAO_InformationsSup": false,
|
||||
"kanban_state_label": "En cours",
|
||||
"subtask_planned_hours": 0.0,
|
||||
"manager_id": [
|
||||
22,
|
||||
"Fabien LAFAY"
|
||||
],
|
||||
"user_email": "romuald@mail.cbao.fr",
|
||||
"attachment_ids": [],
|
||||
"legend_blocked": "Bloquéé",
|
||||
"legend_done": "Planifiée",
|
||||
"legend_normal": "En cours",
|
||||
"subtask_project_id": [
|
||||
3,
|
||||
"Demandes"
|
||||
],
|
||||
"subtask_count": 0,
|
||||
"analytic_account_active": true,
|
||||
"allow_timesheets": true,
|
||||
"use_milestones": false,
|
||||
"show_time_control": "start",
|
||||
"is_project_map_empty": true,
|
||||
"activity_state": false,
|
||||
"activity_user_id": false,
|
||||
"activity_type_id": false,
|
||||
"activity_date_deadline": false,
|
||||
"activity_summary": false,
|
||||
"message_is_follower": false,
|
||||
"message_unread": false,
|
||||
"message_unread_counter": 0,
|
||||
"message_needaction": false,
|
||||
"message_needaction_counter": 0,
|
||||
"message_has_error": false,
|
||||
"message_has_error_counter": 0,
|
||||
"message_attachment_count": 17,
|
||||
"rating_last_feedback": false,
|
||||
"rating_last_image": false,
|
||||
"rating_count": 0,
|
||||
"access_url": "/my/task/10908",
|
||||
"access_warning": "",
|
||||
"display_name": "[T10929] TR: MAJ BRGlab",
|
||||
"__last_update": "2025-03-19 08:35:02",
|
||||
"stage_id_value": "En attente de résolution",
|
||||
"project_id_value": "Demandes",
|
||||
"user_id_value": "Romuald GRUSON",
|
||||
"partner_id_value": "EGIS SA, Olivier ANTONI",
|
||||
"manager_id_value": "Fabien LAFAY",
|
||||
"company_id_value": "CBAO S.A.R.L.",
|
||||
"subtask_project_id_value": "Demandes",
|
||||
"message_main_attachment_id_value": "Outlook-nppfhufh",
|
||||
"create_uid_value": "OdooBot",
|
||||
"write_uid_value": "Romuald GRUSON"
|
||||
}
|
||||
163
exported_tickets/ticket_10908_raw.json
Normal file
@ -0,0 +1,163 @@
|
||||
{
|
||||
"id": 10908,
|
||||
"active": true,
|
||||
"name": "TR: MAJ BRGlab",
|
||||
"description": "<p><br></p>",
|
||||
"sequence": 0,
|
||||
"stage_id": [
|
||||
5,
|
||||
"En attente de résolution"
|
||||
],
|
||||
"kanban_state": "normal",
|
||||
"create_date": "2025-02-20 09:37:13",
|
||||
"write_date": "2025-03-19 08:35:02",
|
||||
"date_start": "2025-02-20 09:37:16",
|
||||
"date_end": false,
|
||||
"date_assign": "2025-02-20 13:13:32",
|
||||
"date_deadline": false,
|
||||
"date_last_stage_update": "2025-02-21 15:17:55",
|
||||
"project_id": [
|
||||
3,
|
||||
"Demandes"
|
||||
],
|
||||
"notes": false,
|
||||
"planned_hours": 0.0,
|
||||
"user_id": [
|
||||
32,
|
||||
"Romuald GRUSON"
|
||||
],
|
||||
"partner_id": [
|
||||
5654,
|
||||
"EGIS SA, Olivier ANTONI"
|
||||
],
|
||||
"company_id": [
|
||||
1,
|
||||
"CBAO S.A.R.L."
|
||||
],
|
||||
"color": 0,
|
||||
"displayed_image_id": false,
|
||||
"parent_id": false,
|
||||
"child_ids": [],
|
||||
"email_from": "ANTONI Olivier <Olivier.ANTONI@egis-group.com>",
|
||||
"email_cc": "",
|
||||
"working_hours_open": 2.379627116111111,
|
||||
"working_hours_close": 0.0,
|
||||
"working_days_open": 0.09915112983796297,
|
||||
"working_days_close": 0.0,
|
||||
"website_message_ids": [
|
||||
225765,
|
||||
225755,
|
||||
225633,
|
||||
225612
|
||||
],
|
||||
"remaining_hours": 0.0,
|
||||
"effective_hours": 0.0,
|
||||
"total_hours_spent": 0.0,
|
||||
"progress": 0.0,
|
||||
"subtask_effective_hours": 0.0,
|
||||
"timesheet_ids": [],
|
||||
"priority": "0",
|
||||
"code": "T10929",
|
||||
"milestone_id": false,
|
||||
"sale_line_id": false,
|
||||
"sale_order_id": false,
|
||||
"billable_type": "no",
|
||||
"activity_ids": [],
|
||||
"message_follower_ids": [
|
||||
88384,
|
||||
88385,
|
||||
88404,
|
||||
88405
|
||||
],
|
||||
"message_ids": [
|
||||
227288,
|
||||
225765,
|
||||
225756,
|
||||
225755,
|
||||
225636,
|
||||
225635,
|
||||
225634,
|
||||
225633,
|
||||
225614,
|
||||
225613,
|
||||
225612,
|
||||
225611
|
||||
],
|
||||
"message_main_attachment_id": [
|
||||
143360,
|
||||
"Outlook-nppfhufh"
|
||||
],
|
||||
"failed_message_ids": [],
|
||||
"rating_ids": [],
|
||||
"rating_last_value": 0.0,
|
||||
"access_token": "3307e367-64be-4943-9682-db68a0a1efbd",
|
||||
"create_uid": [
|
||||
1,
|
||||
"OdooBot"
|
||||
],
|
||||
"write_uid": [
|
||||
32,
|
||||
"Romuald GRUSON"
|
||||
],
|
||||
"x_CBAO_windows_maj_ID": false,
|
||||
"x_CBAO_version_signalement": false,
|
||||
"x_CBAO_version_correction": false,
|
||||
"x_CBAO_DateCorrection": false,
|
||||
"x_CBAO_Scoring_Facilite": 0,
|
||||
"x_CBAO_Scoring_Importance": 0,
|
||||
"x_CBAO_Scoring_Urgence": 0,
|
||||
"x_CBAO_Scoring_Incidence": 0,
|
||||
"x_CBAO_Scoring_Resultat": 0,
|
||||
"x_CBAO_InformationsSup": false,
|
||||
"kanban_state_label": "En cours",
|
||||
"subtask_planned_hours": 0.0,
|
||||
"manager_id": [
|
||||
22,
|
||||
"Fabien LAFAY"
|
||||
],
|
||||
"user_email": "romuald@mail.cbao.fr",
|
||||
"attachment_ids": [],
|
||||
"legend_blocked": "Bloquéé",
|
||||
"legend_done": "Planifiée",
|
||||
"legend_normal": "En cours",
|
||||
"subtask_project_id": [
|
||||
3,
|
||||
"Demandes"
|
||||
],
|
||||
"subtask_count": 0,
|
||||
"analytic_account_active": true,
|
||||
"allow_timesheets": true,
|
||||
"use_milestones": false,
|
||||
"show_time_control": "start",
|
||||
"is_project_map_empty": true,
|
||||
"activity_state": false,
|
||||
"activity_user_id": false,
|
||||
"activity_type_id": false,
|
||||
"activity_date_deadline": false,
|
||||
"activity_summary": false,
|
||||
"message_is_follower": false,
|
||||
"message_unread": false,
|
||||
"message_unread_counter": 0,
|
||||
"message_needaction": false,
|
||||
"message_needaction_counter": 0,
|
||||
"message_has_error": false,
|
||||
"message_has_error_counter": 0,
|
||||
"message_attachment_count": 17,
|
||||
"rating_last_feedback": false,
|
||||
"rating_last_image": false,
|
||||
"rating_count": 0,
|
||||
"access_url": "/my/task/10908",
|
||||
"access_warning": "",
|
||||
"display_name": "[T10929] TR: MAJ BRGlab",
|
||||
"__last_update": "2025-03-19 08:35:02",
|
||||
"stage_id_value": "En attente de résolution",
|
||||
"project_id_value": "Demandes",
|
||||
"user_id_value": "Romuald GRUSON",
|
||||
"partner_id_value": "EGIS SA, Olivier ANTONI",
|
||||
"manager_id_value": "Fabien LAFAY",
|
||||
"company_id_value": "CBAO S.A.R.L.",
|
||||
"subtask_project_id_value": "Demandes",
|
||||
"message_main_attachment_id_value": "Outlook-nppfhufh",
|
||||
"create_uid_value": "OdooBot",
|
||||
"write_uid_value": "Romuald GRUSON"
|
||||
}
|
||||
3
exported_tickets/ticket_T10929_raw.json
Normal file
@ -0,0 +1,3 @@
|
||||
[
|
||||
10908
|
||||
]
|
||||
|
After Width: | Height: | Size: 1.4 KiB |
|
After Width: | Height: | Size: 864 B |
|
After Width: | Height: | Size: 650 B |
|
After Width: | Height: | Size: 1.1 KiB |
|
After Width: | Height: | Size: 935 B |
|
After Width: | Height: | Size: 1.4 KiB |
|
After Width: | Height: | Size: 864 B |
|
After Width: | Height: | Size: 650 B |
|
After Width: | Height: | Size: 1.1 KiB |
|
After Width: | Height: | Size: 935 B |
|
After Width: | Height: | Size: 36 KiB |
|
After Width: | Height: | Size: 1.4 KiB |
|
After Width: | Height: | Size: 864 B |
|
After Width: | Height: | Size: 650 B |
|
After Width: | Height: | Size: 1.1 KiB |
|
After Width: | Height: | Size: 935 B |
|
After Width: | Height: | Size: 26 KiB |
@ -0,0 +1,172 @@
|
||||
[
|
||||
{
|
||||
"id": 143501,
|
||||
"name": "Outlook-CBAO - dév",
|
||||
"mimetype": "image/png",
|
||||
"create_date": "2025-02-21 15:16:35",
|
||||
"description": "Outlook-CBAO - dév",
|
||||
"res_name": "[T10929] TR: MAJ BRGlab",
|
||||
"type": "binary",
|
||||
"file_path": "attachments/143501_Outlook-CBAO - dév"
|
||||
},
|
||||
{
|
||||
"id": 143499,
|
||||
"name": "Outlook-Descriptio",
|
||||
"mimetype": "image/jpeg",
|
||||
"create_date": "2025-02-21 15:16:35",
|
||||
"description": "Outlook-Descriptio",
|
||||
"res_name": "[T10929] TR: MAJ BRGlab",
|
||||
"type": "binary",
|
||||
"file_path": "attachments/143499_Outlook-Descriptio"
|
||||
},
|
||||
{
|
||||
"id": 143497,
|
||||
"name": "Outlook-Descriptio.png",
|
||||
"mimetype": "image/png",
|
||||
"create_date": "2025-02-21 15:16:35",
|
||||
"description": "Outlook-Descriptio.png",
|
||||
"res_name": "[T10929] TR: MAJ BRGlab",
|
||||
"type": "binary",
|
||||
"file_path": "attachments/143497_Outlook-Descriptio.png"
|
||||
},
|
||||
{
|
||||
"id": 143495,
|
||||
"name": "Outlook-Descriptio.png",
|
||||
"mimetype": "image/png",
|
||||
"create_date": "2025-02-21 15:16:35",
|
||||
"description": "Outlook-Descriptio.png",
|
||||
"res_name": "[T10929] TR: MAJ BRGlab",
|
||||
"type": "binary",
|
||||
"file_path": "attachments/143495_Outlook-Descriptio.png"
|
||||
},
|
||||
{
|
||||
"id": 143493,
|
||||
"name": "Outlook-Descriptio.png",
|
||||
"mimetype": "image/png",
|
||||
"create_date": "2025-02-21 15:16:35",
|
||||
"description": "Outlook-Descriptio.png",
|
||||
"res_name": "[T10929] TR: MAJ BRGlab",
|
||||
"type": "binary",
|
||||
"file_path": "attachments/143493_Outlook-Descriptio.png"
|
||||
},
|
||||
{
|
||||
"id": 143491,
|
||||
"name": "Outlook-cuypyicx",
|
||||
"mimetype": "image/jpeg",
|
||||
"create_date": "2025-02-21 15:16:35",
|
||||
"description": "Outlook-cuypyicx",
|
||||
"res_name": "[T10929] TR: MAJ BRGlab",
|
||||
"type": "binary",
|
||||
"file_path": "attachments/143491_Outlook-cuypyicx"
|
||||
},
|
||||
{
|
||||
"id": 143414,
|
||||
"name": "image.png",
|
||||
"mimetype": "image/png",
|
||||
"create_date": "2025-02-20 13:13:30",
|
||||
"description": false,
|
||||
"res_name": "[T10929] TR: MAJ BRGlab",
|
||||
"type": "binary",
|
||||
"file_path": "attachments/143414_image.png"
|
||||
},
|
||||
{
|
||||
"id": 143378,
|
||||
"name": "Outlook-Descriptio",
|
||||
"mimetype": "image/jpeg",
|
||||
"create_date": "2025-02-20 09:37:13",
|
||||
"description": "Outlook-Descriptio",
|
||||
"res_name": "[T10929] TR: MAJ BRGlab",
|
||||
"type": "binary",
|
||||
"file_path": "attachments/143378_Outlook-Descriptio"
|
||||
},
|
||||
{
|
||||
"id": 143376,
|
||||
"name": "Outlook-Descriptio.png",
|
||||
"mimetype": "image/png",
|
||||
"create_date": "2025-02-20 09:37:13",
|
||||
"description": "Outlook-Descriptio.png",
|
||||
"res_name": "[T10929] TR: MAJ BRGlab",
|
||||
"type": "binary",
|
||||
"file_path": "attachments/143376_Outlook-Descriptio.png"
|
||||
},
|
||||
{
|
||||
"id": 143374,
|
||||
"name": "Outlook-Descriptio.png",
|
||||
"mimetype": "image/png",
|
||||
"create_date": "2025-02-20 09:37:13",
|
||||
"description": "Outlook-Descriptio.png",
|
||||
"res_name": "[T10929] TR: MAJ BRGlab",
|
||||
"type": "binary",
|
||||
"file_path": "attachments/143374_Outlook-Descriptio.png"
|
||||
},
|
||||
{
|
||||
"id": 143372,
|
||||
"name": "Outlook-Descriptio.png",
|
||||
"mimetype": "image/png",
|
||||
"create_date": "2025-02-20 09:37:13",
|
||||
"description": "Outlook-Descriptio.png",
|
||||
"res_name": "[T10929] TR: MAJ BRGlab",
|
||||
"type": "binary",
|
||||
"file_path": "attachments/143372_Outlook-Descriptio.png"
|
||||
},
|
||||
{
|
||||
"id": 143370,
|
||||
"name": "Outlook-k20pxmqj",
|
||||
"mimetype": "image/jpeg",
|
||||
"create_date": "2025-02-20 09:37:13",
|
||||
"description": "Outlook-k20pxmqj",
|
||||
"res_name": "[T10929] TR: MAJ BRGlab",
|
||||
"type": "binary",
|
||||
"file_path": "attachments/143370_Outlook-k20pxmqj"
|
||||
},
|
||||
{
|
||||
"id": 143368,
|
||||
"name": "Outlook-Descriptio",
|
||||
"mimetype": "image/jpeg",
|
||||
"create_date": "2025-02-20 09:37:13",
|
||||
"description": "Outlook-Descriptio",
|
||||
"res_name": "[T10929] TR: MAJ BRGlab",
|
||||
"type": "binary",
|
||||
"file_path": "attachments/143368_Outlook-Descriptio"
|
||||
},
|
||||
{
|
||||
"id": 143366,
|
||||
"name": "Outlook-Descriptio.png",
|
||||
"mimetype": "image/png",
|
||||
"create_date": "2025-02-20 09:37:13",
|
||||
"description": "Outlook-Descriptio.png",
|
||||
"res_name": "[T10929] TR: MAJ BRGlab",
|
||||
"type": "binary",
|
||||
"file_path": "attachments/143366_Outlook-Descriptio.png"
|
||||
},
|
||||
{
|
||||
"id": 143364,
|
||||
"name": "Outlook-Descriptio.png",
|
||||
"mimetype": "image/png",
|
||||
"create_date": "2025-02-20 09:37:13",
|
||||
"description": "Outlook-Descriptio.png",
|
||||
"res_name": "[T10929] TR: MAJ BRGlab",
|
||||
"type": "binary",
|
||||
"file_path": "attachments/143364_Outlook-Descriptio.png"
|
||||
},
|
||||
{
|
||||
"id": 143362,
|
||||
"name": "Outlook-Descriptio.png",
|
||||
"mimetype": "image/png",
|
||||
"create_date": "2025-02-20 09:37:13",
|
||||
"description": "Outlook-Descriptio.png",
|
||||
"res_name": "[T10929] TR: MAJ BRGlab",
|
||||
"type": "binary",
|
||||
"file_path": "attachments/143362_Outlook-Descriptio.png"
|
||||
},
|
||||
{
|
||||
"id": 143360,
|
||||
"name": "Outlook-nppfhufh",
|
||||
"mimetype": "image/jpeg",
|
||||
"create_date": "2025-02-20 09:37:13",
|
||||
"description": "Outlook-nppfhufh",
|
||||
"res_name": "[T10929] TR: MAJ BRGlab",
|
||||
"type": "binary",
|
||||
"file_path": "attachments/143360_Outlook-nppfhufh"
|
||||
}
|
||||
]
|
||||
@ -0,0 +1,15 @@
|
||||
{
|
||||
"id": 5654,
|
||||
"name": "Olivier ANTONI",
|
||||
"email": "Olivier.ANTONI@egis-group.com",
|
||||
"phone": false,
|
||||
"mobile": false,
|
||||
"street": "Le carat 168-170 Avenue Thiers",
|
||||
"city": "Lyon Cedex 06",
|
||||
"zip": "69455",
|
||||
"country_id": [
|
||||
75,
|
||||
"France"
|
||||
],
|
||||
"comment": ""
|
||||
}
|
||||
146
filtered_tickets/ticket_10908_TR: MAJ BRGlab/followers.json
Normal file
@ -0,0 +1,146 @@
|
||||
[
|
||||
{
|
||||
"id": 88384,
|
||||
"partner_id": [
|
||||
28961,
|
||||
"Fabien LAFAY"
|
||||
],
|
||||
"subtype_ids": [
|
||||
1,
|
||||
20
|
||||
],
|
||||
"partner_details": {
|
||||
"id": 28961,
|
||||
"name": "Fabien LAFAY",
|
||||
"email": "fabien@mail.cbao.fr",
|
||||
"phone": false,
|
||||
"function": false,
|
||||
"company_id": [
|
||||
1,
|
||||
"CBAO S.A.R.L."
|
||||
]
|
||||
},
|
||||
"subtype_details": [
|
||||
{
|
||||
"id": 1,
|
||||
"name": "Discussions",
|
||||
"description": false,
|
||||
"default": true
|
||||
},
|
||||
{
|
||||
"id": 20,
|
||||
"name": "Task Rating",
|
||||
"description": "Ratings",
|
||||
"default": true
|
||||
}
|
||||
]
|
||||
},
|
||||
{
|
||||
"id": 88385,
|
||||
"partner_id": [
|
||||
29833,
|
||||
"backoffice"
|
||||
],
|
||||
"subtype_ids": [
|
||||
1,
|
||||
20
|
||||
],
|
||||
"partner_details": {
|
||||
"id": 29833,
|
||||
"name": "backoffice",
|
||||
"email": "quentin.faivre@cbao.fr",
|
||||
"phone": false,
|
||||
"function": false,
|
||||
"company_id": [
|
||||
1,
|
||||
"CBAO S.A.R.L."
|
||||
]
|
||||
},
|
||||
"subtype_details": [
|
||||
{
|
||||
"id": 1,
|
||||
"name": "Discussions",
|
||||
"description": false,
|
||||
"default": true
|
||||
},
|
||||
{
|
||||
"id": 20,
|
||||
"name": "Task Rating",
|
||||
"description": "Ratings",
|
||||
"default": true
|
||||
}
|
||||
]
|
||||
},
|
||||
{
|
||||
"id": 88404,
|
||||
"partner_id": [
|
||||
5654,
|
||||
"EGIS SA, Olivier ANTONI"
|
||||
],
|
||||
"subtype_ids": [
|
||||
1,
|
||||
20
|
||||
],
|
||||
"partner_details": {
|
||||
"id": 5654,
|
||||
"name": "Olivier ANTONI",
|
||||
"email": "Olivier.ANTONI@egis-group.com",
|
||||
"phone": false,
|
||||
"function": "Laborantin",
|
||||
"company_id": [
|
||||
1,
|
||||
"CBAO S.A.R.L."
|
||||
]
|
||||
},
|
||||
"subtype_details": [
|
||||
{
|
||||
"id": 1,
|
||||
"name": "Discussions",
|
||||
"description": false,
|
||||
"default": true
|
||||
},
|
||||
{
|
||||
"id": 20,
|
||||
"name": "Task Rating",
|
||||
"description": "Ratings",
|
||||
"default": true
|
||||
}
|
||||
]
|
||||
},
|
||||
{
|
||||
"id": 88405,
|
||||
"partner_id": [
|
||||
32165,
|
||||
"Romuald GRUSON"
|
||||
],
|
||||
"subtype_ids": [
|
||||
1,
|
||||
20
|
||||
],
|
||||
"partner_details": {
|
||||
"id": 32165,
|
||||
"name": "Romuald GRUSON",
|
||||
"email": "romuald@mail.cbao.fr",
|
||||
"phone": false,
|
||||
"function": false,
|
||||
"company_id": [
|
||||
1,
|
||||
"CBAO S.A.R.L."
|
||||
]
|
||||
},
|
||||
"subtype_details": [
|
||||
{
|
||||
"id": 1,
|
||||
"name": "Discussions",
|
||||
"description": false,
|
||||
"default": true
|
||||
},
|
||||
{
|
||||
"id": 20,
|
||||
"name": "Task Rating",
|
||||
"description": "Ratings",
|
||||
"default": true
|
||||
}
|
||||
]
|
||||
}
|
||||
]
|
||||
@ -0,0 +1,258 @@
|
||||
{
|
||||
"227288": {
|
||||
"main_message": {
|
||||
"id": 227288,
|
||||
"body": "",
|
||||
"date": "2025-03-12 08:14:38",
|
||||
"author_id": [
|
||||
28961,
|
||||
"Fabien LAFAY"
|
||||
],
|
||||
"email_from": "\"Fabien LAFAY\" <fabien@cbao.fr>",
|
||||
"subject": false,
|
||||
"parent_id": false,
|
||||
"message_type": "notification",
|
||||
"subtype_id": [
|
||||
2,
|
||||
"Note"
|
||||
],
|
||||
"attachment_ids": []
|
||||
},
|
||||
"replies": []
|
||||
},
|
||||
"225611": {
|
||||
"main_message": null,
|
||||
"replies": [
|
||||
{
|
||||
"id": 225765,
|
||||
"body": "Bonjour , Je tiens à m'excuser pour ce désagrément. J'ai relancé Quentin, qui s'engage à le mettre en ligne au plus vite. Je garde ce ticket ouvert jusqu'à sa mise à disposition afin de suivre votre demande de près. Je reste à votre entière disposition pour toute information complémentaire. Cordialement, --- Support technique Afin d'assurer une meilleure traçabilité et vous garantir une prise en charge optimale, nous vous invitons à envoyer vos demandes d'assistance technique à support@cbao.fr L'objectif du Support Technique est de vous aider : si vous rencontrez une difficulté, ou pour nous soumettre une ou des suggestions d'amélioration de nos logiciels ou de nos méthodes. Notre service est ouvert du lundi au vendredi de 9h à 12h et de 14h à 18h. Dès réception, un technicien prendra en charge votre demande et au besoin vous rappellera. Confidentialité : Ce courriel contient des informations confidentielles exclusivement réservées au destinataire mentionné. Si vous deviez recevoir cet e-mail par erreur, merci d’en avertir immédiatement l’expéditeur et de le supprimer de votre système informatique. Au cas où vous ne seriez pas destinataire de ce message, veuillez noter que sa divulgation, sa copie ou tout acte en rapport avec la communication du contenu des informations est strictement interdit.",
|
||||
"date": "2025-02-21 15:51:53",
|
||||
"author_id": [
|
||||
32165,
|
||||
"Romuald GRUSON"
|
||||
],
|
||||
"email_from": "support@cbao.fr",
|
||||
"subject": "Re: [T10929] - TR: MAJ BRGlab",
|
||||
"parent_id": [
|
||||
225611,
|
||||
"[T10929] TR: MAJ BRGlab"
|
||||
],
|
||||
"message_type": "comment",
|
||||
"subtype_id": [
|
||||
1,
|
||||
"Discussions"
|
||||
],
|
||||
"attachment_ids": []
|
||||
},
|
||||
{
|
||||
"id": 225756,
|
||||
"body": "",
|
||||
"date": "2025-02-21 15:17:55",
|
||||
"author_id": [
|
||||
32165,
|
||||
"Romuald GRUSON"
|
||||
],
|
||||
"email_from": "\"Romuald GRUSON\" <romuald@cbao.fr>",
|
||||
"subject": false,
|
||||
"parent_id": [
|
||||
225611,
|
||||
"[T10929] TR: MAJ BRGlab"
|
||||
],
|
||||
"message_type": "notification",
|
||||
"subtype_id": [
|
||||
16,
|
||||
"Task Created"
|
||||
],
|
||||
"attachment_ids": []
|
||||
},
|
||||
{
|
||||
"id": 225755,
|
||||
"body": "Bonjour, L'essai présent dans notre base de données est une tentative d'essai réalisée par moi qui ne fonctionne pas. En cause le module ZK qui ne gère pas efficacement l'affichage des résultats en puissance de 10. J'avais fait un ticket en ce sens il y a 2 ans et demi à ce sujet. Le ticket avait été marqué comme étant une priorité il y a déjà plusieurs mois, et Quentin devait le passer en mode système en le créant en code. Lors de notre entretien sur Teams le 05/02, Quentin m'avait informé que l'essai serait disponible lors de la mise à jour prévue le lundi 10/02. Pouvez-vous me donner plus d'informations au sujet de cet essai ? Je tiens à préciser qu'après 2 ans et demi d'attente, le critère d'urgence peut paraitre relatif, mais à ce jour nous en avons un besoin impératif. Cordialement, Olivier Antoni Technicien Egis Géotechnique ( 07 88 25 39 98 olivier.antoni@egis -group.com I www.egis.fr Egis Géotechnique 3 rue docteur Schweitzer 38180 Seyssins FRANCE Suivez Egis sur : P Afin de contribuer au respect de l'environnement, merci de n'imprimer ce mail qu'en cas de nécessité De : support@cbao.fr <support@cbao.fr> Envoyé : jeudi 20 février 2025 14:13 À : ANTONI Olivier <Olivier.ANTONI@egis-group.com> Objet : Re: [T10929] - TR: MAJ BRGlab /!\\ Courriel externe - Merci d'être prudent avec les liens et les pièces jointes /!\\ External email - Please be careful with links and attachments /!\\ Bonjour , Je constate que la norme est déjà présente dans votre base de données. Est-ce sur un type de matériau spécifique que vous ne pouvez pas y accéder ? Pouvez-vous préciser le contexte afin que nous puissions identifier l'origine du problème ? Je reste à votre entière disposition pour toute information complémentaire. Cordialement, --- Support technique Afin d'assurer une meilleure traçabilité et vous garantir une prise en charge optimale, nous vous invitons à envoyer vos demandes d'assistance technique à support@cbao.fr L'objectif du Support Technique est de vous aider : si vous rencontrez une difficulté, ou pour nous soumettre une ou des suggestions d'amélioration de nos logiciels ou de nos méthodes. Notre service est ouvert du lundi au vendredi de 9h à 12h et de 14h à 18h. Dès réception, un technicien prendra en charge votre demande et au besoin vous rappellera. Confidentialité : Ce courriel contient des informations confidentielles exclusivement réservées au destinataire mentionné. Si vous deviez recevoir cet e-mail par erreur, merci d’en avertir immédiatement l’expéditeur et de le supprimer de votre système informatique. Au cas où vous ne seriez pas destinataire de ce message, veuillez noter que sa divulgation, sa copie ou tout acte en rapport avec la communication du contenu des informations est strictement interdit. Envoyé par CBAO S.A.R.L. . Ce message et ses pièces jointes peuvent contenir des informations confidentielles ou privilégiées et ne doivent donc pas être diffusés, exploités ou copiés sans autorisation. Si vous avez reçu ce message par erreur, merci de le signaler à l'expéditeur et le détruire ainsi que les pièces jointes. Les messages électroniques étant susceptibles d'altération, Egis décline toute responsabilité si ce message a été altéré, déformé ou falsifié. Merci. This message and its attachments may contain confidential or privileged information that may be protected by law; they should not be distributed, used or copied without authorisation. If you have received this email in error, please notify the sender and delete this message and its attachments. As emails may be altered, Egis is not liable for messages that have been modified, changed or falsified. Thank you.",
|
||||
"date": "2025-02-21 15:14:30",
|
||||
"author_id": [
|
||||
5654,
|
||||
"EGIS SA, Olivier ANTONI"
|
||||
],
|
||||
"email_from": "ANTONI Olivier <Olivier.ANTONI@egis-group.com>",
|
||||
"subject": "RE: [T10929] - TR: MAJ BRGlab",
|
||||
"parent_id": [
|
||||
225611,
|
||||
"[T10929] TR: MAJ BRGlab"
|
||||
],
|
||||
"message_type": "email",
|
||||
"subtype_id": [
|
||||
1,
|
||||
"Discussions"
|
||||
],
|
||||
"attachment_ids": [
|
||||
143501,
|
||||
143499,
|
||||
143497,
|
||||
143495,
|
||||
143493,
|
||||
143491
|
||||
]
|
||||
},
|
||||
{
|
||||
"id": 225636,
|
||||
"body": "",
|
||||
"date": "2025-02-20 13:13:34",
|
||||
"author_id": [
|
||||
32165,
|
||||
"Romuald GRUSON"
|
||||
],
|
||||
"email_from": "\"Romuald GRUSON\" <romuald@cbao.fr>",
|
||||
"subject": false,
|
||||
"parent_id": [
|
||||
225611,
|
||||
"[T10929] TR: MAJ BRGlab"
|
||||
],
|
||||
"message_type": "notification",
|
||||
"subtype_id": [
|
||||
19,
|
||||
"Stage Changed"
|
||||
],
|
||||
"attachment_ids": []
|
||||
},
|
||||
{
|
||||
"id": 225633,
|
||||
"body": "Bonjour , Je constate que la norme est déjà présente dans votre base de données. Est-ce sur un type de matériau spécifique que vous ne pouvez pas y accéder ? Pouvez-vous préciser le contexte afin que nous puissions identifier l'origine du problème ? Je reste à votre entière disposition pour toute information complémentaire. Cordialement, --- Support technique Afin d'assurer une meilleure traçabilité et vous garantir une prise en charge optimale, nous vous invitons à envoyer vos demandes d'assistance technique à support@cbao.fr L'objectif du Support Technique est de vous aider : si vous rencontrez une difficulté, ou pour nous soumettre une ou des suggestions d'amélioration de nos logiciels ou de nos méthodes. Notre service est ouvert du lundi au vendredi de 9h à 12h et de 14h à 18h. Dès réception, un technicien prendra en charge votre demande et au besoin vous rappellera. Confidentialité : Ce courriel contient des informations confidentielles exclusivement réservées au destinataire mentionné. Si vous deviez recevoir cet e-mail par erreur, merci d’en avertir immédiatement l’expéditeur et de le supprimer de votre système informatique. Au cas où vous ne seriez pas destinataire de ce message, veuillez noter que sa divulgation, sa copie ou tout acte en rapport avec la communication du contenu des informations est strictement interdit.",
|
||||
"date": "2025-02-20 13:13:30",
|
||||
"author_id": [
|
||||
32165,
|
||||
"Romuald GRUSON"
|
||||
],
|
||||
"email_from": "support@cbao.fr",
|
||||
"subject": "Re: [T10929] - TR: MAJ BRGlab",
|
||||
"parent_id": [
|
||||
225611,
|
||||
"[T10929] TR: MAJ BRGlab"
|
||||
],
|
||||
"message_type": "comment",
|
||||
"subtype_id": [
|
||||
1,
|
||||
"Discussions"
|
||||
],
|
||||
"attachment_ids": [
|
||||
143414
|
||||
]
|
||||
},
|
||||
{
|
||||
"id": 225612,
|
||||
"body": "Bonjour Quentin, Je constate que l'essai de perméabilité n'a pas été ajouté, penses-tu qu'il puisse l'être rapidement ? Cordialement, Olivier Antoni Technicien Egis Géotechnique ( 07 88 25 39 98 olivier.antoni@egis -group.com I www.egis.fr Egis Géotechnique 3 rue docteur Schweitzer 38180 Seyssins FRANCE Suivez Egis sur : P Afin de contribuer au respect de l'environnement, merci de n'imprimer ce mail qu'en cas de nécessité De : ANTONI Olivier <Olivier.ANTONI@egis-group.com> Envoyé : lundi 17 février 2025 11:23 À : Quentin Faivre <quentin.faivre@cbao.fr> Objet : MAJ BRGlab Salut Quentin, Est-ce que tu as pu faire la mise à jour de BRGLab, avec notamment l'ajout de l'essai de perméabilité (NF EN ISO 17892-11) ? Cordialement, Olivier. Olivier Antoni Technicien Egis Géotechnique ( 07 88 25 39 98 olivier.antoni@egis -group.com I www.egis.fr Egis Géotechnique 3 rue docteur Schweitzer 38180 Seyssins FRANCE Suivez Egis sur : P Afin de contribuer au respect de l'environnement, merci de n'imprimer ce mail qu'en cas de nécessité Ce message et ses pièces jointes peuvent contenir des informations confidentielles ou privilégiées et ne doivent donc pas être diffusés, exploités ou copiés sans autorisation. Si vous avez reçu ce message par erreur, merci de le signaler à l'expéditeur et le détruire ainsi que les pièces jointes. Les messages électroniques étant susceptibles d'altération, Egis décline toute responsabilité si ce message a été altéré, déformé ou falsifié. Merci. This message and its attachments may contain confidential or privileged information that may be protected by law; they should not be distributed, used or copied without authorisation. If you have received this email in error, please notify the sender and delete this message and its attachments. As emails may be altered, Egis is not liable for messages that have been modified, changed or falsified. Thank you.",
|
||||
"date": "2025-02-20 09:36:33",
|
||||
"author_id": [
|
||||
5654,
|
||||
"EGIS SA, Olivier ANTONI"
|
||||
],
|
||||
"email_from": "ANTONI Olivier <Olivier.ANTONI@egis-group.com>",
|
||||
"subject": "TR: MAJ BRGlab",
|
||||
"parent_id": [
|
||||
225611,
|
||||
"[T10929] TR: MAJ BRGlab"
|
||||
],
|
||||
"message_type": "email",
|
||||
"subtype_id": [
|
||||
1,
|
||||
"Discussions"
|
||||
],
|
||||
"attachment_ids": [
|
||||
143378,
|
||||
143376,
|
||||
143374,
|
||||
143372,
|
||||
143370,
|
||||
143368,
|
||||
143366,
|
||||
143364,
|
||||
143362,
|
||||
143360
|
||||
]
|
||||
}
|
||||
]
|
||||
},
|
||||
"225635": {
|
||||
"main_message": {
|
||||
"id": 225635,
|
||||
"body": "",
|
||||
"date": "2025-02-20 13:13:34",
|
||||
"author_id": [
|
||||
32165,
|
||||
"Romuald GRUSON"
|
||||
],
|
||||
"email_from": "\"Romuald GRUSON\" <romuald@cbao.fr>",
|
||||
"subject": false,
|
||||
"parent_id": false,
|
||||
"message_type": "notification",
|
||||
"subtype_id": [
|
||||
2,
|
||||
"Note"
|
||||
],
|
||||
"attachment_ids": []
|
||||
},
|
||||
"replies": []
|
||||
},
|
||||
"225634": {
|
||||
"main_message": {
|
||||
"id": 225634,
|
||||
"body": "",
|
||||
"date": "2025-02-20 13:13:32",
|
||||
"author_id": [
|
||||
32165,
|
||||
"Romuald GRUSON"
|
||||
],
|
||||
"email_from": "\"Romuald GRUSON\" <romuald@cbao.fr>",
|
||||
"subject": false,
|
||||
"parent_id": false,
|
||||
"message_type": "notification",
|
||||
"subtype_id": [
|
||||
2,
|
||||
"Note"
|
||||
],
|
||||
"attachment_ids": []
|
||||
},
|
||||
"replies": []
|
||||
},
|
||||
"225614": {
|
||||
"main_message": {
|
||||
"id": 225614,
|
||||
"body": "",
|
||||
"date": "2025-02-20 09:37:17",
|
||||
"author_id": [
|
||||
2,
|
||||
"OdooBot"
|
||||
],
|
||||
"email_from": "\"OdooBot\" <odoobot@example.com>",
|
||||
"subject": false,
|
||||
"parent_id": false,
|
||||
"message_type": "notification",
|
||||
"subtype_id": [
|
||||
2,
|
||||
"Note"
|
||||
],
|
||||
"attachment_ids": []
|
||||
},
|
||||
"replies": []
|
||||
},
|
||||
"225613": {
|
||||
"main_message": {
|
||||
"id": 225613,
|
||||
"body": "",
|
||||
"date": "2025-02-20 09:37:17",
|
||||
"author_id": [
|
||||
2,
|
||||
"OdooBot"
|
||||
],
|
||||
"email_from": "\"OdooBot\" <odoobot@example.com>",
|
||||
"subject": false,
|
||||
"parent_id": false,
|
||||
"message_type": "notification",
|
||||
"subtype_id": [
|
||||
2,
|
||||
"Note"
|
||||
],
|
||||
"attachment_ids": []
|
||||
},
|
||||
"replies": []
|
||||
}
|
||||
}
|
||||
256
filtered_tickets/ticket_10908_TR: MAJ BRGlab/messages.json
Normal file
@ -0,0 +1,256 @@
|
||||
[
|
||||
{
|
||||
"id": 227288,
|
||||
"body": "",
|
||||
"date": "2025-03-12 08:14:38",
|
||||
"author_id": [
|
||||
28961,
|
||||
"Fabien LAFAY"
|
||||
],
|
||||
"email_from": "\"Fabien LAFAY\" <fabien@cbao.fr>",
|
||||
"subject": false,
|
||||
"parent_id": false,
|
||||
"message_type": "notification",
|
||||
"subtype_id": [
|
||||
2,
|
||||
"Note"
|
||||
],
|
||||
"attachment_ids": []
|
||||
},
|
||||
{
|
||||
"id": 225765,
|
||||
"body": "Bonjour , Je tiens à m'excuser pour ce désagrément. J'ai relancé Quentin, qui s'engage à le mettre en ligne au plus vite. Je garde ce ticket ouvert jusqu'à sa mise à disposition afin de suivre votre demande de près. Je reste à votre entière disposition pour toute information complémentaire. Cordialement, --- Support technique Afin d'assurer une meilleure traçabilité et vous garantir une prise en charge optimale, nous vous invitons à envoyer vos demandes d'assistance technique à support@cbao.fr L'objectif du Support Technique est de vous aider : si vous rencontrez une difficulté, ou pour nous soumettre une ou des suggestions d'amélioration de nos logiciels ou de nos méthodes. Notre service est ouvert du lundi au vendredi de 9h à 12h et de 14h à 18h. Dès réception, un technicien prendra en charge votre demande et au besoin vous rappellera. Confidentialité : Ce courriel contient des informations confidentielles exclusivement réservées au destinataire mentionné. Si vous deviez recevoir cet e-mail par erreur, merci d’en avertir immédiatement l’expéditeur et de le supprimer de votre système informatique. Au cas où vous ne seriez pas destinataire de ce message, veuillez noter que sa divulgation, sa copie ou tout acte en rapport avec la communication du contenu des informations est strictement interdit.",
|
||||
"date": "2025-02-21 15:51:53",
|
||||
"author_id": [
|
||||
32165,
|
||||
"Romuald GRUSON"
|
||||
],
|
||||
"email_from": "support@cbao.fr",
|
||||
"subject": "Re: [T10929] - TR: MAJ BRGlab",
|
||||
"parent_id": [
|
||||
225611,
|
||||
"[T10929] TR: MAJ BRGlab"
|
||||
],
|
||||
"message_type": "comment",
|
||||
"subtype_id": [
|
||||
1,
|
||||
"Discussions"
|
||||
],
|
||||
"attachment_ids": []
|
||||
},
|
||||
{
|
||||
"id": 225756,
|
||||
"body": "",
|
||||
"date": "2025-02-21 15:17:55",
|
||||
"author_id": [
|
||||
32165,
|
||||
"Romuald GRUSON"
|
||||
],
|
||||
"email_from": "\"Romuald GRUSON\" <romuald@cbao.fr>",
|
||||
"subject": false,
|
||||
"parent_id": [
|
||||
225611,
|
||||
"[T10929] TR: MAJ BRGlab"
|
||||
],
|
||||
"message_type": "notification",
|
||||
"subtype_id": [
|
||||
16,
|
||||
"Task Created"
|
||||
],
|
||||
"attachment_ids": []
|
||||
},
|
||||
{
|
||||
"id": 225755,
|
||||
"body": "Bonjour, L'essai présent dans notre base de données est une tentative d'essai réalisée par moi qui ne fonctionne pas. En cause le module ZK qui ne gère pas efficacement l'affichage des résultats en puissance de 10. J'avais fait un ticket en ce sens il y a 2 ans et demi à ce sujet. Le ticket avait été marqué comme étant une priorité il y a déjà plusieurs mois, et Quentin devait le passer en mode système en le créant en code. Lors de notre entretien sur Teams le 05/02, Quentin m'avait informé que l'essai serait disponible lors de la mise à jour prévue le lundi 10/02. Pouvez-vous me donner plus d'informations au sujet de cet essai ? Je tiens à préciser qu'après 2 ans et demi d'attente, le critère d'urgence peut paraitre relatif, mais à ce jour nous en avons un besoin impératif. Cordialement, Olivier Antoni Technicien Egis Géotechnique ( 07 88 25 39 98 olivier.antoni@egis -group.com I www.egis.fr Egis Géotechnique 3 rue docteur Schweitzer 38180 Seyssins FRANCE Suivez Egis sur : P Afin de contribuer au respect de l'environnement, merci de n'imprimer ce mail qu'en cas de nécessité De : support@cbao.fr <support@cbao.fr> Envoyé : jeudi 20 février 2025 14:13 À : ANTONI Olivier <Olivier.ANTONI@egis-group.com> Objet : Re: [T10929] - TR: MAJ BRGlab /!\\ Courriel externe - Merci d'être prudent avec les liens et les pièces jointes /!\\ External email - Please be careful with links and attachments /!\\ Bonjour , Je constate que la norme est déjà présente dans votre base de données. Est-ce sur un type de matériau spécifique que vous ne pouvez pas y accéder ? Pouvez-vous préciser le contexte afin que nous puissions identifier l'origine du problème ? Je reste à votre entière disposition pour toute information complémentaire. Cordialement, --- Support technique Afin d'assurer une meilleure traçabilité et vous garantir une prise en charge optimale, nous vous invitons à envoyer vos demandes d'assistance technique à support@cbao.fr L'objectif du Support Technique est de vous aider : si vous rencontrez une difficulté, ou pour nous soumettre une ou des suggestions d'amélioration de nos logiciels ou de nos méthodes. Notre service est ouvert du lundi au vendredi de 9h à 12h et de 14h à 18h. Dès réception, un technicien prendra en charge votre demande et au besoin vous rappellera. Confidentialité : Ce courriel contient des informations confidentielles exclusivement réservées au destinataire mentionné. Si vous deviez recevoir cet e-mail par erreur, merci d’en avertir immédiatement l’expéditeur et de le supprimer de votre système informatique. Au cas où vous ne seriez pas destinataire de ce message, veuillez noter que sa divulgation, sa copie ou tout acte en rapport avec la communication du contenu des informations est strictement interdit. Envoyé par CBAO S.A.R.L. . Ce message et ses pièces jointes peuvent contenir des informations confidentielles ou privilégiées et ne doivent donc pas être diffusés, exploités ou copiés sans autorisation. Si vous avez reçu ce message par erreur, merci de le signaler à l'expéditeur et le détruire ainsi que les pièces jointes. Les messages électroniques étant susceptibles d'altération, Egis décline toute responsabilité si ce message a été altéré, déformé ou falsifié. Merci. This message and its attachments may contain confidential or privileged information that may be protected by law; they should not be distributed, used or copied without authorisation. If you have received this email in error, please notify the sender and delete this message and its attachments. As emails may be altered, Egis is not liable for messages that have been modified, changed or falsified. Thank you.",
|
||||
"date": "2025-02-21 15:14:30",
|
||||
"author_id": [
|
||||
5654,
|
||||
"EGIS SA, Olivier ANTONI"
|
||||
],
|
||||
"email_from": "ANTONI Olivier <Olivier.ANTONI@egis-group.com>",
|
||||
"subject": "RE: [T10929] - TR: MAJ BRGlab",
|
||||
"parent_id": [
|
||||
225611,
|
||||
"[T10929] TR: MAJ BRGlab"
|
||||
],
|
||||
"message_type": "email",
|
||||
"subtype_id": [
|
||||
1,
|
||||
"Discussions"
|
||||
],
|
||||
"attachment_ids": [
|
||||
143501,
|
||||
143499,
|
||||
143497,
|
||||
143495,
|
||||
143493,
|
||||
143491
|
||||
]
|
||||
},
|
||||
{
|
||||
"id": 225636,
|
||||
"body": "",
|
||||
"date": "2025-02-20 13:13:34",
|
||||
"author_id": [
|
||||
32165,
|
||||
"Romuald GRUSON"
|
||||
],
|
||||
"email_from": "\"Romuald GRUSON\" <romuald@cbao.fr>",
|
||||
"subject": false,
|
||||
"parent_id": [
|
||||
225611,
|
||||
"[T10929] TR: MAJ BRGlab"
|
||||
],
|
||||
"message_type": "notification",
|
||||
"subtype_id": [
|
||||
19,
|
||||
"Stage Changed"
|
||||
],
|
||||
"attachment_ids": []
|
||||
},
|
||||
{
|
||||
"id": 225635,
|
||||
"body": "",
|
||||
"date": "2025-02-20 13:13:34",
|
||||
"author_id": [
|
||||
32165,
|
||||
"Romuald GRUSON"
|
||||
],
|
||||
"email_from": "\"Romuald GRUSON\" <romuald@cbao.fr>",
|
||||
"subject": false,
|
||||
"parent_id": false,
|
||||
"message_type": "notification",
|
||||
"subtype_id": [
|
||||
2,
|
||||
"Note"
|
||||
],
|
||||
"attachment_ids": []
|
||||
},
|
||||
{
|
||||
"id": 225634,
|
||||
"body": "",
|
||||
"date": "2025-02-20 13:13:32",
|
||||
"author_id": [
|
||||
32165,
|
||||
"Romuald GRUSON"
|
||||
],
|
||||
"email_from": "\"Romuald GRUSON\" <romuald@cbao.fr>",
|
||||
"subject": false,
|
||||
"parent_id": false,
|
||||
"message_type": "notification",
|
||||
"subtype_id": [
|
||||
2,
|
||||
"Note"
|
||||
],
|
||||
"attachment_ids": []
|
||||
},
|
||||
{
|
||||
"id": 225633,
|
||||
"body": "Bonjour , Je constate que la norme est déjà présente dans votre base de données. Est-ce sur un type de matériau spécifique que vous ne pouvez pas y accéder ? Pouvez-vous préciser le contexte afin que nous puissions identifier l'origine du problème ? Je reste à votre entière disposition pour toute information complémentaire. Cordialement, --- Support technique Afin d'assurer une meilleure traçabilité et vous garantir une prise en charge optimale, nous vous invitons à envoyer vos demandes d'assistance technique à support@cbao.fr L'objectif du Support Technique est de vous aider : si vous rencontrez une difficulté, ou pour nous soumettre une ou des suggestions d'amélioration de nos logiciels ou de nos méthodes. Notre service est ouvert du lundi au vendredi de 9h à 12h et de 14h à 18h. Dès réception, un technicien prendra en charge votre demande et au besoin vous rappellera. Confidentialité : Ce courriel contient des informations confidentielles exclusivement réservées au destinataire mentionné. Si vous deviez recevoir cet e-mail par erreur, merci d’en avertir immédiatement l’expéditeur et de le supprimer de votre système informatique. Au cas où vous ne seriez pas destinataire de ce message, veuillez noter que sa divulgation, sa copie ou tout acte en rapport avec la communication du contenu des informations est strictement interdit.",
|
||||
"date": "2025-02-20 13:13:30",
|
||||
"author_id": [
|
||||
32165,
|
||||
"Romuald GRUSON"
|
||||
],
|
||||
"email_from": "support@cbao.fr",
|
||||
"subject": "Re: [T10929] - TR: MAJ BRGlab",
|
||||
"parent_id": [
|
||||
225611,
|
||||
"[T10929] TR: MAJ BRGlab"
|
||||
],
|
||||
"message_type": "comment",
|
||||
"subtype_id": [
|
||||
1,
|
||||
"Discussions"
|
||||
],
|
||||
"attachment_ids": [
|
||||
143414
|
||||
]
|
||||
},
|
||||
{
|
||||
"id": 225614,
|
||||
"body": "",
|
||||
"date": "2025-02-20 09:37:17",
|
||||
"author_id": [
|
||||
2,
|
||||
"OdooBot"
|
||||
],
|
||||
"email_from": "\"OdooBot\" <odoobot@example.com>",
|
||||
"subject": false,
|
||||
"parent_id": false,
|
||||
"message_type": "notification",
|
||||
"subtype_id": [
|
||||
2,
|
||||
"Note"
|
||||
],
|
||||
"attachment_ids": []
|
||||
},
|
||||
{
|
||||
"id": 225613,
|
||||
"body": "",
|
||||
"date": "2025-02-20 09:37:17",
|
||||
"author_id": [
|
||||
2,
|
||||
"OdooBot"
|
||||
],
|
||||
"email_from": "\"OdooBot\" <odoobot@example.com>",
|
||||
"subject": false,
|
||||
"parent_id": false,
|
||||
"message_type": "notification",
|
||||
"subtype_id": [
|
||||
2,
|
||||
"Note"
|
||||
],
|
||||
"attachment_ids": []
|
||||
},
|
||||
{
|
||||
"id": 225612,
|
||||
"body": "Bonjour Quentin, Je constate que l'essai de perméabilité n'a pas été ajouté, penses-tu qu'il puisse l'être rapidement ? Cordialement, Olivier Antoni Technicien Egis Géotechnique ( 07 88 25 39 98 olivier.antoni@egis -group.com I www.egis.fr Egis Géotechnique 3 rue docteur Schweitzer 38180 Seyssins FRANCE Suivez Egis sur : P Afin de contribuer au respect de l'environnement, merci de n'imprimer ce mail qu'en cas de nécessité De : ANTONI Olivier <Olivier.ANTONI@egis-group.com> Envoyé : lundi 17 février 2025 11:23 À : Quentin Faivre <quentin.faivre@cbao.fr> Objet : MAJ BRGlab Salut Quentin, Est-ce que tu as pu faire la mise à jour de BRGLab, avec notamment l'ajout de l'essai de perméabilité (NF EN ISO 17892-11) ? Cordialement, Olivier. Olivier Antoni Technicien Egis Géotechnique ( 07 88 25 39 98 olivier.antoni@egis -group.com I www.egis.fr Egis Géotechnique 3 rue docteur Schweitzer 38180 Seyssins FRANCE Suivez Egis sur : P Afin de contribuer au respect de l'environnement, merci de n'imprimer ce mail qu'en cas de nécessité Ce message et ses pièces jointes peuvent contenir des informations confidentielles ou privilégiées et ne doivent donc pas être diffusés, exploités ou copiés sans autorisation. Si vous avez reçu ce message par erreur, merci de le signaler à l'expéditeur et le détruire ainsi que les pièces jointes. Les messages électroniques étant susceptibles d'altération, Egis décline toute responsabilité si ce message a été altéré, déformé ou falsifié. Merci. This message and its attachments may contain confidential or privileged information that may be protected by law; they should not be distributed, used or copied without authorisation. If you have received this email in error, please notify the sender and delete this message and its attachments. As emails may be altered, Egis is not liable for messages that have been modified, changed or falsified. Thank you.",
|
||||
"date": "2025-02-20 09:36:33",
|
||||
"author_id": [
|
||||
5654,
|
||||
"EGIS SA, Olivier ANTONI"
|
||||
],
|
||||
"email_from": "ANTONI Olivier <Olivier.ANTONI@egis-group.com>",
|
||||
"subject": "TR: MAJ BRGlab",
|
||||
"parent_id": [
|
||||
225611,
|
||||
"[T10929] TR: MAJ BRGlab"
|
||||
],
|
||||
"message_type": "email",
|
||||
"subtype_id": [
|
||||
1,
|
||||
"Discussions"
|
||||
],
|
||||
"attachment_ids": [
|
||||
143378,
|
||||
143376,
|
||||
143374,
|
||||
143372,
|
||||
143370,
|
||||
143368,
|
||||
143366,
|
||||
143364,
|
||||
143362,
|
||||
143360
|
||||
]
|
||||
},
|
||||
{
|
||||
"id": 225611,
|
||||
"body": "",
|
||||
"date": "2025-02-20 09:37:16",
|
||||
"author_id": [
|
||||
2,
|
||||
"OdooBot"
|
||||
],
|
||||
"email_from": "\"OdooBot\" <odoobot@example.com>",
|
||||
"subject": false,
|
||||
"parent_id": false,
|
||||
"message_type": "notification",
|
||||
"subtype_id": [
|
||||
16,
|
||||
"Task Created"
|
||||
],
|
||||
"attachment_ids": []
|
||||
}
|
||||
]
|
||||
@ -0,0 +1,37 @@
|
||||
{
|
||||
"id": 225611,
|
||||
"body": "",
|
||||
"date": "2025-02-20 09:37:16",
|
||||
"author_id": [
|
||||
2,
|
||||
"OdooBot"
|
||||
],
|
||||
"email_from": "\"OdooBot\" <odoobot@example.com>",
|
||||
"subject": false,
|
||||
"parent_id": false,
|
||||
"message_type": "notification",
|
||||
"subtype_id": [
|
||||
16,
|
||||
"Task Created"
|
||||
],
|
||||
"attachment_ids": [],
|
||||
"author_details": {
|
||||
"id": 2,
|
||||
"name": "OdooBot",
|
||||
"email": "odoobot@example.com",
|
||||
"phone": false,
|
||||
"function": false,
|
||||
"company_id": [
|
||||
1,
|
||||
"CBAO S.A.R.L."
|
||||
]
|
||||
},
|
||||
"subtype_details": [
|
||||
{
|
||||
"id": 16,
|
||||
"name": "Task Created",
|
||||
"description": "Task Created",
|
||||
"default": false
|
||||
}
|
||||
]
|
||||
}
|
||||
@ -0,0 +1,51 @@
|
||||
{
|
||||
"id": 225612,
|
||||
"body": "Bonjour Quentin, Je constate que l'essai de perméabilité n'a pas été ajouté, penses-tu qu'il puisse l'être rapidement ? Cordialement, Olivier Antoni Technicien Egis Géotechnique ( 07 88 25 39 98 olivier.antoni@egis -group.com I www.egis.fr Egis Géotechnique 3 rue docteur Schweitzer 38180 Seyssins FRANCE Suivez Egis sur : P Afin de contribuer au respect de l'environnement, merci de n'imprimer ce mail qu'en cas de nécessité De : ANTONI Olivier <Olivier.ANTONI@egis-group.com> Envoyé : lundi 17 février 2025 11:23 À : Quentin Faivre <quentin.faivre@cbao.fr> Objet : MAJ BRGlab Salut Quentin, Est-ce que tu as pu faire la mise à jour de BRGLab, avec notamment l'ajout de l'essai de perméabilité (NF EN ISO 17892-11) ? Cordialement, Olivier. Olivier Antoni Technicien Egis Géotechnique ( 07 88 25 39 98 olivier.antoni@egis -group.com I www.egis.fr Egis Géotechnique 3 rue docteur Schweitzer 38180 Seyssins FRANCE Suivez Egis sur : P Afin de contribuer au respect de l'environnement, merci de n'imprimer ce mail qu'en cas de nécessité Ce message et ses pièces jointes peuvent contenir des informations confidentielles ou privilégiées et ne doivent donc pas être diffusés, exploités ou copiés sans autorisation. Si vous avez reçu ce message par erreur, merci de le signaler à l'expéditeur et le détruire ainsi que les pièces jointes. Les messages électroniques étant susceptibles d'altération, Egis décline toute responsabilité si ce message a été altéré, déformé ou falsifié. Merci. This message and its attachments may contain confidential or privileged information that may be protected by law; they should not be distributed, used or copied without authorisation. If you have received this email in error, please notify the sender and delete this message and its attachments. As emails may be altered, Egis is not liable for messages that have been modified, changed or falsified. Thank you.",
|
||||
"date": "2025-02-20 09:36:33",
|
||||
"author_id": [
|
||||
5654,
|
||||
"EGIS SA, Olivier ANTONI"
|
||||
],
|
||||
"email_from": "ANTONI Olivier <Olivier.ANTONI@egis-group.com>",
|
||||
"subject": "TR: MAJ BRGlab",
|
||||
"parent_id": [
|
||||
225611,
|
||||
"[T10929] TR: MAJ BRGlab"
|
||||
],
|
||||
"message_type": "email",
|
||||
"subtype_id": [
|
||||
1,
|
||||
"Discussions"
|
||||
],
|
||||
"attachment_ids": [
|
||||
143378,
|
||||
143376,
|
||||
143374,
|
||||
143372,
|
||||
143370,
|
||||
143368,
|
||||
143366,
|
||||
143364,
|
||||
143362,
|
||||
143360
|
||||
],
|
||||
"author_details": {
|
||||
"id": 5654,
|
||||
"name": "Olivier ANTONI",
|
||||
"email": "Olivier.ANTONI@egis-group.com",
|
||||
"phone": false,
|
||||
"function": "Laborantin",
|
||||
"company_id": [
|
||||
1,
|
||||
"CBAO S.A.R.L."
|
||||
]
|
||||
},
|
||||
"subtype_details": [
|
||||
{
|
||||
"id": 1,
|
||||
"name": "Discussions",
|
||||
"description": false,
|
||||
"default": true
|
||||
}
|
||||
]
|
||||
}
|
||||
@ -0,0 +1,37 @@
|
||||
{
|
||||
"id": 225613,
|
||||
"body": "",
|
||||
"date": "2025-02-20 09:37:17",
|
||||
"author_id": [
|
||||
2,
|
||||
"OdooBot"
|
||||
],
|
||||
"email_from": "\"OdooBot\" <odoobot@example.com>",
|
||||
"subject": false,
|
||||
"parent_id": false,
|
||||
"message_type": "notification",
|
||||
"subtype_id": [
|
||||
2,
|
||||
"Note"
|
||||
],
|
||||
"attachment_ids": [],
|
||||
"author_details": {
|
||||
"id": 2,
|
||||
"name": "OdooBot",
|
||||
"email": "odoobot@example.com",
|
||||
"phone": false,
|
||||
"function": false,
|
||||
"company_id": [
|
||||
1,
|
||||
"CBAO S.A.R.L."
|
||||
]
|
||||
},
|
||||
"subtype_details": [
|
||||
{
|
||||
"id": 2,
|
||||
"name": "Note",
|
||||
"description": false,
|
||||
"default": false
|
||||
}
|
||||
]
|
||||
}
|
||||
@ -0,0 +1,37 @@
|
||||
{
|
||||
"id": 225614,
|
||||
"body": "",
|
||||
"date": "2025-02-20 09:37:17",
|
||||
"author_id": [
|
||||
2,
|
||||
"OdooBot"
|
||||
],
|
||||
"email_from": "\"OdooBot\" <odoobot@example.com>",
|
||||
"subject": false,
|
||||
"parent_id": false,
|
||||
"message_type": "notification",
|
||||
"subtype_id": [
|
||||
2,
|
||||
"Note"
|
||||
],
|
||||
"attachment_ids": [],
|
||||
"author_details": {
|
||||
"id": 2,
|
||||
"name": "OdooBot",
|
||||
"email": "odoobot@example.com",
|
||||
"phone": false,
|
||||
"function": false,
|
||||
"company_id": [
|
||||
1,
|
||||
"CBAO S.A.R.L."
|
||||
]
|
||||
},
|
||||
"subtype_details": [
|
||||
{
|
||||
"id": 2,
|
||||
"name": "Note",
|
||||
"description": false,
|
||||
"default": false
|
||||
}
|
||||
]
|
||||
}
|
||||
@ -0,0 +1,42 @@
|
||||
{
|
||||
"id": 225633,
|
||||
"body": "Bonjour , Je constate que la norme est déjà présente dans votre base de données. Est-ce sur un type de matériau spécifique que vous ne pouvez pas y accéder ? Pouvez-vous préciser le contexte afin que nous puissions identifier l'origine du problème ? Je reste à votre entière disposition pour toute information complémentaire. Cordialement, --- Support technique Afin d'assurer une meilleure traçabilité et vous garantir une prise en charge optimale, nous vous invitons à envoyer vos demandes d'assistance technique à support@cbao.fr L'objectif du Support Technique est de vous aider : si vous rencontrez une difficulté, ou pour nous soumettre une ou des suggestions d'amélioration de nos logiciels ou de nos méthodes. Notre service est ouvert du lundi au vendredi de 9h à 12h et de 14h à 18h. Dès réception, un technicien prendra en charge votre demande et au besoin vous rappellera. Confidentialité : Ce courriel contient des informations confidentielles exclusivement réservées au destinataire mentionné. Si vous deviez recevoir cet e-mail par erreur, merci d’en avertir immédiatement l’expéditeur et de le supprimer de votre système informatique. Au cas où vous ne seriez pas destinataire de ce message, veuillez noter que sa divulgation, sa copie ou tout acte en rapport avec la communication du contenu des informations est strictement interdit.",
|
||||
"date": "2025-02-20 13:13:30",
|
||||
"author_id": [
|
||||
32165,
|
||||
"Romuald GRUSON"
|
||||
],
|
||||
"email_from": "support@cbao.fr",
|
||||
"subject": "Re: [T10929] - TR: MAJ BRGlab",
|
||||
"parent_id": [
|
||||
225611,
|
||||
"[T10929] TR: MAJ BRGlab"
|
||||
],
|
||||
"message_type": "comment",
|
||||
"subtype_id": [
|
||||
1,
|
||||
"Discussions"
|
||||
],
|
||||
"attachment_ids": [
|
||||
143414
|
||||
],
|
||||
"author_details": {
|
||||
"id": 32165,
|
||||
"name": "Romuald GRUSON",
|
||||
"email": "romuald@mail.cbao.fr",
|
||||
"phone": false,
|
||||
"function": false,
|
||||
"company_id": [
|
||||
1,
|
||||
"CBAO S.A.R.L."
|
||||
]
|
||||
},
|
||||
"subtype_details": [
|
||||
{
|
||||
"id": 1,
|
||||
"name": "Discussions",
|
||||
"description": false,
|
||||
"default": true
|
||||
}
|
||||
]
|
||||
}
|
||||
@ -0,0 +1,37 @@
|
||||
{
|
||||
"id": 225634,
|
||||
"body": "",
|
||||
"date": "2025-02-20 13:13:32",
|
||||
"author_id": [
|
||||
32165,
|
||||
"Romuald GRUSON"
|
||||
],
|
||||
"email_from": "\"Romuald GRUSON\" <romuald@cbao.fr>",
|
||||
"subject": false,
|
||||
"parent_id": false,
|
||||
"message_type": "notification",
|
||||
"subtype_id": [
|
||||
2,
|
||||
"Note"
|
||||
],
|
||||
"attachment_ids": [],
|
||||
"author_details": {
|
||||
"id": 32165,
|
||||
"name": "Romuald GRUSON",
|
||||
"email": "romuald@mail.cbao.fr",
|
||||
"phone": false,
|
||||
"function": false,
|
||||
"company_id": [
|
||||
1,
|
||||
"CBAO S.A.R.L."
|
||||
]
|
||||
},
|
||||
"subtype_details": [
|
||||
{
|
||||
"id": 2,
|
||||
"name": "Note",
|
||||
"description": false,
|
||||
"default": false
|
||||
}
|
||||
]
|
||||
}
|
||||
@ -0,0 +1,37 @@
|
||||
{
|
||||
"id": 225635,
|
||||
"body": "",
|
||||
"date": "2025-02-20 13:13:34",
|
||||
"author_id": [
|
||||
32165,
|
||||
"Romuald GRUSON"
|
||||
],
|
||||
"email_from": "\"Romuald GRUSON\" <romuald@cbao.fr>",
|
||||
"subject": false,
|
||||
"parent_id": false,
|
||||
"message_type": "notification",
|
||||
"subtype_id": [
|
||||
2,
|
||||
"Note"
|
||||
],
|
||||
"attachment_ids": [],
|
||||
"author_details": {
|
||||
"id": 32165,
|
||||
"name": "Romuald GRUSON",
|
||||
"email": "romuald@mail.cbao.fr",
|
||||
"phone": false,
|
||||
"function": false,
|
||||
"company_id": [
|
||||
1,
|
||||
"CBAO S.A.R.L."
|
||||
]
|
||||
},
|
||||
"subtype_details": [
|
||||
{
|
||||
"id": 2,
|
||||
"name": "Note",
|
||||
"description": false,
|
||||
"default": false
|
||||
}
|
||||
]
|
||||
}
|
||||
@ -0,0 +1,40 @@
|
||||
{
|
||||
"id": 225636,
|
||||
"body": "",
|
||||
"date": "2025-02-20 13:13:34",
|
||||
"author_id": [
|
||||
32165,
|
||||
"Romuald GRUSON"
|
||||
],
|
||||
"email_from": "\"Romuald GRUSON\" <romuald@cbao.fr>",
|
||||
"subject": false,
|
||||
"parent_id": [
|
||||
225611,
|
||||
"[T10929] TR: MAJ BRGlab"
|
||||
],
|
||||
"message_type": "notification",
|
||||
"subtype_id": [
|
||||
19,
|
||||
"Stage Changed"
|
||||
],
|
||||
"attachment_ids": [],
|
||||
"author_details": {
|
||||
"id": 32165,
|
||||
"name": "Romuald GRUSON",
|
||||
"email": "romuald@mail.cbao.fr",
|
||||
"phone": false,
|
||||
"function": false,
|
||||
"company_id": [
|
||||
1,
|
||||
"CBAO S.A.R.L."
|
||||
]
|
||||
},
|
||||
"subtype_details": [
|
||||
{
|
||||
"id": 19,
|
||||
"name": "Stage Changed",
|
||||
"description": "Stage changed",
|
||||
"default": false
|
||||
}
|
||||
]
|
||||
}
|
||||
@ -0,0 +1,47 @@
|
||||
{
|
||||
"id": 225755,
|
||||
"body": "Bonjour, L'essai présent dans notre base de données est une tentative d'essai réalisée par moi qui ne fonctionne pas. En cause le module ZK qui ne gère pas efficacement l'affichage des résultats en puissance de 10. J'avais fait un ticket en ce sens il y a 2 ans et demi à ce sujet. Le ticket avait été marqué comme étant une priorité il y a déjà plusieurs mois, et Quentin devait le passer en mode système en le créant en code. Lors de notre entretien sur Teams le 05/02, Quentin m'avait informé que l'essai serait disponible lors de la mise à jour prévue le lundi 10/02. Pouvez-vous me donner plus d'informations au sujet de cet essai ? Je tiens à préciser qu'après 2 ans et demi d'attente, le critère d'urgence peut paraitre relatif, mais à ce jour nous en avons un besoin impératif. Cordialement, Olivier Antoni Technicien Egis Géotechnique ( 07 88 25 39 98 olivier.antoni@egis -group.com I www.egis.fr Egis Géotechnique 3 rue docteur Schweitzer 38180 Seyssins FRANCE Suivez Egis sur : P Afin de contribuer au respect de l'environnement, merci de n'imprimer ce mail qu'en cas de nécessité De : support@cbao.fr <support@cbao.fr> Envoyé : jeudi 20 février 2025 14:13 À : ANTONI Olivier <Olivier.ANTONI@egis-group.com> Objet : Re: [T10929] - TR: MAJ BRGlab /!\\ Courriel externe - Merci d'être prudent avec les liens et les pièces jointes /!\\ External email - Please be careful with links and attachments /!\\ Bonjour , Je constate que la norme est déjà présente dans votre base de données. Est-ce sur un type de matériau spécifique que vous ne pouvez pas y accéder ? Pouvez-vous préciser le contexte afin que nous puissions identifier l'origine du problème ? Je reste à votre entière disposition pour toute information complémentaire. Cordialement, --- Support technique Afin d'assurer une meilleure traçabilité et vous garantir une prise en charge optimale, nous vous invitons à envoyer vos demandes d'assistance technique à support@cbao.fr L'objectif du Support Technique est de vous aider : si vous rencontrez une difficulté, ou pour nous soumettre une ou des suggestions d'amélioration de nos logiciels ou de nos méthodes. Notre service est ouvert du lundi au vendredi de 9h à 12h et de 14h à 18h. Dès réception, un technicien prendra en charge votre demande et au besoin vous rappellera. Confidentialité : Ce courriel contient des informations confidentielles exclusivement réservées au destinataire mentionné. Si vous deviez recevoir cet e-mail par erreur, merci d’en avertir immédiatement l’expéditeur et de le supprimer de votre système informatique. Au cas où vous ne seriez pas destinataire de ce message, veuillez noter que sa divulgation, sa copie ou tout acte en rapport avec la communication du contenu des informations est strictement interdit. Envoyé par CBAO S.A.R.L. . Ce message et ses pièces jointes peuvent contenir des informations confidentielles ou privilégiées et ne doivent donc pas être diffusés, exploités ou copiés sans autorisation. Si vous avez reçu ce message par erreur, merci de le signaler à l'expéditeur et le détruire ainsi que les pièces jointes. Les messages électroniques étant susceptibles d'altération, Egis décline toute responsabilité si ce message a été altéré, déformé ou falsifié. Merci. This message and its attachments may contain confidential or privileged information that may be protected by law; they should not be distributed, used or copied without authorisation. If you have received this email in error, please notify the sender and delete this message and its attachments. As emails may be altered, Egis is not liable for messages that have been modified, changed or falsified. Thank you.",
|
||||
"date": "2025-02-21 15:14:30",
|
||||
"author_id": [
|
||||
5654,
|
||||
"EGIS SA, Olivier ANTONI"
|
||||
],
|
||||
"email_from": "ANTONI Olivier <Olivier.ANTONI@egis-group.com>",
|
||||
"subject": "RE: [T10929] - TR: MAJ BRGlab",
|
||||
"parent_id": [
|
||||
225611,
|
||||
"[T10929] TR: MAJ BRGlab"
|
||||
],
|
||||
"message_type": "email",
|
||||
"subtype_id": [
|
||||
1,
|
||||
"Discussions"
|
||||
],
|
||||
"attachment_ids": [
|
||||
143501,
|
||||
143499,
|
||||
143497,
|
||||
143495,
|
||||
143493,
|
||||
143491
|
||||
],
|
||||
"author_details": {
|
||||
"id": 5654,
|
||||
"name": "Olivier ANTONI",
|
||||
"email": "Olivier.ANTONI@egis-group.com",
|
||||
"phone": false,
|
||||
"function": "Laborantin",
|
||||
"company_id": [
|
||||
1,
|
||||
"CBAO S.A.R.L."
|
||||
]
|
||||
},
|
||||
"subtype_details": [
|
||||
{
|
||||
"id": 1,
|
||||
"name": "Discussions",
|
||||
"description": false,
|
||||
"default": true
|
||||
}
|
||||
]
|
||||
}
|
||||
@ -0,0 +1,40 @@
|
||||
{
|
||||
"id": 225756,
|
||||
"body": "",
|
||||
"date": "2025-02-21 15:17:55",
|
||||
"author_id": [
|
||||
32165,
|
||||
"Romuald GRUSON"
|
||||
],
|
||||
"email_from": "\"Romuald GRUSON\" <romuald@cbao.fr>",
|
||||
"subject": false,
|
||||
"parent_id": [
|
||||
225611,
|
||||
"[T10929] TR: MAJ BRGlab"
|
||||
],
|
||||
"message_type": "notification",
|
||||
"subtype_id": [
|
||||
16,
|
||||
"Task Created"
|
||||
],
|
||||
"attachment_ids": [],
|
||||
"author_details": {
|
||||
"id": 32165,
|
||||
"name": "Romuald GRUSON",
|
||||
"email": "romuald@mail.cbao.fr",
|
||||
"phone": false,
|
||||
"function": false,
|
||||
"company_id": [
|
||||
1,
|
||||
"CBAO S.A.R.L."
|
||||
]
|
||||
},
|
||||
"subtype_details": [
|
||||
{
|
||||
"id": 16,
|
||||
"name": "Task Created",
|
||||
"description": "Task Created",
|
||||
"default": false
|
||||
}
|
||||
]
|
||||
}
|
||||
@ -0,0 +1,40 @@
|
||||
{
|
||||
"id": 225765,
|
||||
"body": "Bonjour , Je tiens à m'excuser pour ce désagrément. J'ai relancé Quentin, qui s'engage à le mettre en ligne au plus vite. Je garde ce ticket ouvert jusqu'à sa mise à disposition afin de suivre votre demande de près. Je reste à votre entière disposition pour toute information complémentaire. Cordialement, --- Support technique Afin d'assurer une meilleure traçabilité et vous garantir une prise en charge optimale, nous vous invitons à envoyer vos demandes d'assistance technique à support@cbao.fr L'objectif du Support Technique est de vous aider : si vous rencontrez une difficulté, ou pour nous soumettre une ou des suggestions d'amélioration de nos logiciels ou de nos méthodes. Notre service est ouvert du lundi au vendredi de 9h à 12h et de 14h à 18h. Dès réception, un technicien prendra en charge votre demande et au besoin vous rappellera. Confidentialité : Ce courriel contient des informations confidentielles exclusivement réservées au destinataire mentionné. Si vous deviez recevoir cet e-mail par erreur, merci d’en avertir immédiatement l’expéditeur et de le supprimer de votre système informatique. Au cas où vous ne seriez pas destinataire de ce message, veuillez noter que sa divulgation, sa copie ou tout acte en rapport avec la communication du contenu des informations est strictement interdit.",
|
||||
"date": "2025-02-21 15:51:53",
|
||||
"author_id": [
|
||||
32165,
|
||||
"Romuald GRUSON"
|
||||
],
|
||||
"email_from": "support@cbao.fr",
|
||||
"subject": "Re: [T10929] - TR: MAJ BRGlab",
|
||||
"parent_id": [
|
||||
225611,
|
||||
"[T10929] TR: MAJ BRGlab"
|
||||
],
|
||||
"message_type": "comment",
|
||||
"subtype_id": [
|
||||
1,
|
||||
"Discussions"
|
||||
],
|
||||
"attachment_ids": [],
|
||||
"author_details": {
|
||||
"id": 32165,
|
||||
"name": "Romuald GRUSON",
|
||||
"email": "romuald@mail.cbao.fr",
|
||||
"phone": false,
|
||||
"function": false,
|
||||
"company_id": [
|
||||
1,
|
||||
"CBAO S.A.R.L."
|
||||
]
|
||||
},
|
||||
"subtype_details": [
|
||||
{
|
||||
"id": 1,
|
||||
"name": "Discussions",
|
||||
"description": false,
|
||||
"default": true
|
||||
}
|
||||
]
|
||||
}
|
||||
@ -0,0 +1,37 @@
|
||||
{
|
||||
"id": 227288,
|
||||
"body": "",
|
||||
"date": "2025-03-12 08:14:38",
|
||||
"author_id": [
|
||||
28961,
|
||||
"Fabien LAFAY"
|
||||
],
|
||||
"email_from": "\"Fabien LAFAY\" <fabien@cbao.fr>",
|
||||
"subject": false,
|
||||
"parent_id": false,
|
||||
"message_type": "notification",
|
||||
"subtype_id": [
|
||||
2,
|
||||
"Note"
|
||||
],
|
||||
"attachment_ids": [],
|
||||
"author_details": {
|
||||
"id": 28961,
|
||||
"name": "Fabien LAFAY",
|
||||
"email": "fabien@mail.cbao.fr",
|
||||
"phone": false,
|
||||
"function": false,
|
||||
"company_id": [
|
||||
1,
|
||||
"CBAO S.A.R.L."
|
||||
]
|
||||
},
|
||||
"subtype_details": [
|
||||
{
|
||||
"id": 2,
|
||||
"name": "Note",
|
||||
"description": false,
|
||||
"default": false
|
||||
}
|
||||
]
|
||||
}
|
||||
163
filtered_tickets/ticket_10908_TR: MAJ BRGlab/ticket_info.json
Normal file
@ -0,0 +1,163 @@
|
||||
{
|
||||
"id": 10908,
|
||||
"active": true,
|
||||
"name": "TR: MAJ BRGlab",
|
||||
"description": "<p><br></p>",
|
||||
"sequence": 0,
|
||||
"stage_id": [
|
||||
5,
|
||||
"En attente de résolution"
|
||||
],
|
||||
"kanban_state": "normal",
|
||||
"create_date": "2025-02-20 09:37:13",
|
||||
"write_date": "2025-03-19 08:35:02",
|
||||
"date_start": "2025-02-20 09:37:16",
|
||||
"date_end": false,
|
||||
"date_assign": "2025-02-20 13:13:32",
|
||||
"date_deadline": false,
|
||||
"date_last_stage_update": "2025-02-21 15:17:55",
|
||||
"project_id": [
|
||||
3,
|
||||
"Demandes"
|
||||
],
|
||||
"notes": false,
|
||||
"planned_hours": 0.0,
|
||||
"user_id": [
|
||||
32,
|
||||
"Romuald GRUSON"
|
||||
],
|
||||
"partner_id": [
|
||||
5654,
|
||||
"EGIS SA, Olivier ANTONI"
|
||||
],
|
||||
"company_id": [
|
||||
1,
|
||||
"CBAO S.A.R.L."
|
||||
],
|
||||
"color": 0,
|
||||
"displayed_image_id": false,
|
||||
"parent_id": false,
|
||||
"child_ids": [],
|
||||
"email_from": "ANTONI Olivier <Olivier.ANTONI@egis-group.com>",
|
||||
"email_cc": "",
|
||||
"working_hours_open": 2.379627116111111,
|
||||
"working_hours_close": 0.0,
|
||||
"working_days_open": 0.09915112983796297,
|
||||
"working_days_close": 0.0,
|
||||
"website_message_ids": [
|
||||
225765,
|
||||
225755,
|
||||
225633,
|
||||
225612
|
||||
],
|
||||
"remaining_hours": 0.0,
|
||||
"effective_hours": 0.0,
|
||||
"total_hours_spent": 0.0,
|
||||
"progress": 0.0,
|
||||
"subtask_effective_hours": 0.0,
|
||||
"timesheet_ids": [],
|
||||
"priority": "0",
|
||||
"code": "T10929",
|
||||
"milestone_id": false,
|
||||
"sale_line_id": false,
|
||||
"sale_order_id": false,
|
||||
"billable_type": "no",
|
||||
"activity_ids": [],
|
||||
"message_follower_ids": [
|
||||
88384,
|
||||
88385,
|
||||
88404,
|
||||
88405
|
||||
],
|
||||
"message_ids": [
|
||||
227288,
|
||||
225765,
|
||||
225756,
|
||||
225755,
|
||||
225636,
|
||||
225635,
|
||||
225634,
|
||||
225633,
|
||||
225614,
|
||||
225613,
|
||||
225612,
|
||||
225611
|
||||
],
|
||||
"message_main_attachment_id": [
|
||||
143360,
|
||||
"Outlook-nppfhufh"
|
||||
],
|
||||
"failed_message_ids": [],
|
||||
"rating_ids": [],
|
||||
"rating_last_value": 0.0,
|
||||
"access_token": "3307e367-64be-4943-9682-db68a0a1efbd",
|
||||
"create_uid": [
|
||||
1,
|
||||
"OdooBot"
|
||||
],
|
||||
"write_uid": [
|
||||
32,
|
||||
"Romuald GRUSON"
|
||||
],
|
||||
"x_CBAO_windows_maj_ID": false,
|
||||
"x_CBAO_version_signalement": false,
|
||||
"x_CBAO_version_correction": false,
|
||||
"x_CBAO_DateCorrection": false,
|
||||
"x_CBAO_Scoring_Facilite": 0,
|
||||
"x_CBAO_Scoring_Importance": 0,
|
||||
"x_CBAO_Scoring_Urgence": 0,
|
||||
"x_CBAO_Scoring_Incidence": 0,
|
||||
"x_CBAO_Scoring_Resultat": 0,
|
||||
"x_CBAO_InformationsSup": false,
|
||||
"kanban_state_label": "En cours",
|
||||
"subtask_planned_hours": 0.0,
|
||||
"manager_id": [
|
||||
22,
|
||||
"Fabien LAFAY"
|
||||
],
|
||||
"user_email": "romuald@mail.cbao.fr",
|
||||
"attachment_ids": [],
|
||||
"legend_blocked": "Bloquéé",
|
||||
"legend_done": "Planifiée",
|
||||
"legend_normal": "En cours",
|
||||
"subtask_project_id": [
|
||||
3,
|
||||
"Demandes"
|
||||
],
|
||||
"subtask_count": 0,
|
||||
"analytic_account_active": true,
|
||||
"allow_timesheets": true,
|
||||
"use_milestones": false,
|
||||
"show_time_control": "start",
|
||||
"is_project_map_empty": true,
|
||||
"activity_state": false,
|
||||
"activity_user_id": false,
|
||||
"activity_type_id": false,
|
||||
"activity_date_deadline": false,
|
||||
"activity_summary": false,
|
||||
"message_is_follower": false,
|
||||
"message_unread": false,
|
||||
"message_unread_counter": 0,
|
||||
"message_needaction": false,
|
||||
"message_needaction_counter": 0,
|
||||
"message_has_error": false,
|
||||
"message_has_error_counter": 0,
|
||||
"message_attachment_count": 17,
|
||||
"rating_last_feedback": false,
|
||||
"rating_last_image": false,
|
||||
"rating_count": 0,
|
||||
"access_url": "/my/task/10908",
|
||||
"access_warning": "",
|
||||
"display_name": "[T10929] TR: MAJ BRGlab",
|
||||
"__last_update": "2025-03-19 08:35:02",
|
||||
"stage_id_value": "En attente de résolution",
|
||||
"project_id_value": "Demandes",
|
||||
"user_id_value": "Romuald GRUSON",
|
||||
"partner_id_value": "EGIS SA, Olivier ANTONI",
|
||||
"manager_id_value": "Fabien LAFAY",
|
||||
"company_id_value": "CBAO S.A.R.L.",
|
||||
"subtask_project_id_value": "Demandes",
|
||||
"message_main_attachment_id_value": "Outlook-nppfhufh",
|
||||
"create_uid_value": "OdooBot",
|
||||
"write_uid_value": "Romuald GRUSON"
|
||||
}
|
||||
163
filtered_tickets/ticket_10908_raw.json
Normal file
@ -0,0 +1,163 @@
|
||||
{
|
||||
"id": 10908,
|
||||
"active": true,
|
||||
"name": "TR: MAJ BRGlab",
|
||||
"description": "<p><br></p>",
|
||||
"sequence": 0,
|
||||
"stage_id": [
|
||||
5,
|
||||
"En attente de résolution"
|
||||
],
|
||||
"kanban_state": "normal",
|
||||
"create_date": "2025-02-20 09:37:13",
|
||||
"write_date": "2025-03-19 08:35:02",
|
||||
"date_start": "2025-02-20 09:37:16",
|
||||
"date_end": false,
|
||||
"date_assign": "2025-02-20 13:13:32",
|
||||
"date_deadline": false,
|
||||
"date_last_stage_update": "2025-02-21 15:17:55",
|
||||
"project_id": [
|
||||
3,
|
||||
"Demandes"
|
||||
],
|
||||
"notes": false,
|
||||
"planned_hours": 0.0,
|
||||
"user_id": [
|
||||
32,
|
||||
"Romuald GRUSON"
|
||||
],
|
||||
"partner_id": [
|
||||
5654,
|
||||
"EGIS SA, Olivier ANTONI"
|
||||
],
|
||||
"company_id": [
|
||||
1,
|
||||
"CBAO S.A.R.L."
|
||||
],
|
||||
"color": 0,
|
||||
"displayed_image_id": false,
|
||||
"parent_id": false,
|
||||
"child_ids": [],
|
||||
"email_from": "ANTONI Olivier <Olivier.ANTONI@egis-group.com>",
|
||||
"email_cc": "",
|
||||
"working_hours_open": 2.379627116111111,
|
||||
"working_hours_close": 0.0,
|
||||
"working_days_open": 0.09915112983796297,
|
||||
"working_days_close": 0.0,
|
||||
"website_message_ids": [
|
||||
225765,
|
||||
225755,
|
||||
225633,
|
||||
225612
|
||||
],
|
||||
"remaining_hours": 0.0,
|
||||
"effective_hours": 0.0,
|
||||
"total_hours_spent": 0.0,
|
||||
"progress": 0.0,
|
||||
"subtask_effective_hours": 0.0,
|
||||
"timesheet_ids": [],
|
||||
"priority": "0",
|
||||
"code": "T10929",
|
||||
"milestone_id": false,
|
||||
"sale_line_id": false,
|
||||
"sale_order_id": false,
|
||||
"billable_type": "no",
|
||||
"activity_ids": [],
|
||||
"message_follower_ids": [
|
||||
88384,
|
||||
88385,
|
||||
88404,
|
||||
88405
|
||||
],
|
||||
"message_ids": [
|
||||
227288,
|
||||
225765,
|
||||
225756,
|
||||
225755,
|
||||
225636,
|
||||
225635,
|
||||
225634,
|
||||
225633,
|
||||
225614,
|
||||
225613,
|
||||
225612,
|
||||
225611
|
||||
],
|
||||
"message_main_attachment_id": [
|
||||
143360,
|
||||
"Outlook-nppfhufh"
|
||||
],
|
||||
"failed_message_ids": [],
|
||||
"rating_ids": [],
|
||||
"rating_last_value": 0.0,
|
||||
"access_token": "3307e367-64be-4943-9682-db68a0a1efbd",
|
||||
"create_uid": [
|
||||
1,
|
||||
"OdooBot"
|
||||
],
|
||||
"write_uid": [
|
||||
32,
|
||||
"Romuald GRUSON"
|
||||
],
|
||||
"x_CBAO_windows_maj_ID": false,
|
||||
"x_CBAO_version_signalement": false,
|
||||
"x_CBAO_version_correction": false,
|
||||
"x_CBAO_DateCorrection": false,
|
||||
"x_CBAO_Scoring_Facilite": 0,
|
||||
"x_CBAO_Scoring_Importance": 0,
|
||||
"x_CBAO_Scoring_Urgence": 0,
|
||||
"x_CBAO_Scoring_Incidence": 0,
|
||||
"x_CBAO_Scoring_Resultat": 0,
|
||||
"x_CBAO_InformationsSup": false,
|
||||
"kanban_state_label": "En cours",
|
||||
"subtask_planned_hours": 0.0,
|
||||
"manager_id": [
|
||||
22,
|
||||
"Fabien LAFAY"
|
||||
],
|
||||
"user_email": "romuald@mail.cbao.fr",
|
||||
"attachment_ids": [],
|
||||
"legend_blocked": "Bloquéé",
|
||||
"legend_done": "Planifiée",
|
||||
"legend_normal": "En cours",
|
||||
"subtask_project_id": [
|
||||
3,
|
||||
"Demandes"
|
||||
],
|
||||
"subtask_count": 0,
|
||||
"analytic_account_active": true,
|
||||
"allow_timesheets": true,
|
||||
"use_milestones": false,
|
||||
"show_time_control": "start",
|
||||
"is_project_map_empty": true,
|
||||
"activity_state": false,
|
||||
"activity_user_id": false,
|
||||
"activity_type_id": false,
|
||||
"activity_date_deadline": false,
|
||||
"activity_summary": false,
|
||||
"message_is_follower": false,
|
||||
"message_unread": false,
|
||||
"message_unread_counter": 0,
|
||||
"message_needaction": false,
|
||||
"message_needaction_counter": 0,
|
||||
"message_has_error": false,
|
||||
"message_has_error_counter": 0,
|
||||
"message_attachment_count": 17,
|
||||
"rating_last_feedback": false,
|
||||
"rating_last_image": false,
|
||||
"rating_count": 0,
|
||||
"access_url": "/my/task/10908",
|
||||
"access_warning": "",
|
||||
"display_name": "[T10929] TR: MAJ BRGlab",
|
||||
"__last_update": "2025-03-19 08:35:02",
|
||||
"stage_id_value": "En attente de résolution",
|
||||
"project_id_value": "Demandes",
|
||||
"user_id_value": "Romuald GRUSON",
|
||||
"partner_id_value": "EGIS SA, Olivier ANTONI",
|
||||
"manager_id_value": "Fabien LAFAY",
|
||||
"company_id_value": "CBAO S.A.R.L.",
|
||||
"subtask_project_id_value": "Demandes",
|
||||
"message_main_attachment_id_value": "Outlook-nppfhufh",
|
||||
"create_uid_value": "OdooBot",
|
||||
"write_uid_value": "Romuald GRUSON"
|
||||
}
|
||||
3
filtered_tickets/ticket_T10929_raw.json
Normal file
@ -0,0 +1,3 @@
|
||||
[
|
||||
10908
|
||||
]
|
||||