POPULARITY
Emmanuel et Guillaume discutent de divers sujets liés à la programmation, notamment les systèmes de fichiers en Java, le Data Oriented Programming, les défis de JPA avec Kotlin, et les nouvelles fonctionnalités de Quarkus. Ils explorent également des sujets un peu fous comme la création de datacenters dans l'espace. Pas mal d'architecture aussi. Enregistré le 13 février 2026 Téléchargement de l'épisode LesCastCodeurs-Episode-337.mp3 ou en vidéo sur YouTube. News Langages Comment implémenter un file system en Java https://foojay.io/today/bootstrapping-a-java-file-system/ Créer un système de fichiers Java personnalisé avec NIO.2 pour des usages variés (VCS, archives, systèmes distants). Évolution Java: java.io.File (1.0) -> NIO (1.4) -> NIO.2 (1.7) pour personnalisation via FileSystem. Recommander conception préalable; API Java est orientée POSIX. Composants clés à considérer: Conception URI (scheme unique, chemin). Gestion de l'arborescence (BD, métadonnées, efficacité). Stockage binaire (emplacement, chiffrement, versions). Minimum pour démarrer (4 composants): Implémenter Path (représente fichier/répertoire). Étendre FileSystem (instance du système). Étendre FileSystemProvider (moteur, enregistré par scheme). Enregistrer FileSystemProvider via META-INF/services. Étapes suivantes: Couche BD (arborescence), opérations répertoire/fichier de base, stockage, tests. Processus long et exigeant, mais gratifiant. Un article de brian goetz sur le futur du data oriented programming en Java https://openjdk.org/projects/amber/design-notes/beyond-records Le projet Amber de Java introduit les "carrier classes", une évolution des records qui permet plus de flexibilité tout en gardant les avantages du pattern matching et de la reconstruction Les records imposent des contraintes strictes (immutabilité, représentation exacte de l'état) qui limitent leur usage pour des classes avec état muable ou dérivé Les carrier classes permettent de déclarer une state description complète et canonique sans imposer que la représentation interne corresponde exactement à l'API publique Le modificateur "component" sur les champs permet au compilateur de dériver automatiquement les accesseurs pour les composants alignés avec la state description Les compact constructors sont généralisés aux carrier classes, générant automatiquement l'initialisation des component fields Les carrier classes supportent la déconstruction via pattern matching comme les records, rendant possible leur usage dans les instanceof et switch Les carrier interfaces permettent de définir une state description sur une interface, obligeant les implémentations à fournir les accesseurs correspondants L'extension entre carrier classes est possible, avec dérivation automatique des appels super() quand les composants parent sont subsumés par l'enfant Les records deviennent un cas particulier de carrier classes avec des contraintes supplémentaires (final, extends Record, component fields privés et finaux obligatoires) L'évolution compatible des records est améliorée en permettant l'ajout de composants en fin de liste et la déconstruction partielle par préfixe Comment éviter les pièges courants avec JPA et Kotlin - https://blog.jetbrains.com/idea/2026/01/how-to-avoid-common-pitfalls-with-jpa-and-kotlin/ JPA est une spécification Java pour la persistance objet-relationnel, mais son utilisation avec Kotlin présente des incompatibilités dues aux différences de conception des deux langages Les classes Kotlin sont finales par défaut, ce qui empêche la création de proxies par JPA pour le lazy loading et les opérations transactionnelles Le plugin kotlin-jpa génère automatiquement des constructeurs sans argument et rend les classes open, résolvant les problèmes de compatibilité Les data classes Kotlin ne sont pas adaptées aux entités JPA car elles génèrent equals/hashCode basés sur tous les champs, causant des problèmes avec les relations lazy L'utilisation de lateinit var pour les relations peut provoquer des exceptions si on accède aux propriétés avant leur initialisation par JPA Les types non-nullables Kotlin peuvent entrer en conflit avec le comportement de JPA qui initialise les entités avec des valeurs null temporaires Le backing field direct dans les getters/setters personnalisés peut contourner la logique de JPA et casser le lazy loading IntelliJ IDEA 2024.3 introduit des inspections pour détecter automatiquement ces problèmes et propose des quick-fixes L'IDE détecte les entités finales, les data classes inappropriées, les problèmes de constructeurs et l'usage incorrect de lateinit Ces nouvelles fonctionnalités aident les développeurs à éviter les bugs subtils liés à l'utilisation de JPA avec Kotlin Librairies Guide sur MapStruct @IterableMapping - https://www.baeldung.com/java-mapstruct-iterablemapping MapStruct est une bibliothèque Java pour générer automatiquement des mappers entre beans, l'annotation @IterableMapping permet de configurer finement le mapping de collections L'attribut dateFormat permet de formater automatiquement des dates lors du mapping de listes sans écrire de boucle manuelle L'attribut qualifiedByName permet de spécifier quelle méthode custom appliquer sur chaque élément de la collection à mapper Exemple d'usage : filtrer des données sensibles comme des mots de passe en mappant uniquement certains champs via une méthode dédiée L'attribut nullValueMappingStrategy permet de contrôler le comportement quand la collection source est null (retourner null ou une collection vide) L'annotation fonctionne pour tous types de collections Java (List, Set, etc.) et génère le code de boucle nécessaire Possibilité d'appliquer des formats numériques avec numberFormat pour convertir des nombres en chaînes avec un format spécifique MapStruct génère l'implémentation complète du mapper au moment de la compilation, éliminant le code boilerplate L'annotation peut être combinée avec @Named pour créer des méthodes de mapping réutilisables et nommées Le mapping des collections supporte les conversions de types complexes au-delà des simples conversions de types primitifs Accès aux fichiers Samba depuis Java avec JCIFS - https://www.baeldung.com/java-samba-jcifs JCIFS est une bibliothèque Java permettant d'accéder aux partages Samba/SMB sans monter de lecteur réseau, supportant le protocole SMB3 on pense aux galériens qui doivent se connecter aux systèmes dit legacy La configuration nécessite un contexte CIFS (CIFSContext) et des objets SmbFile pour représenter les ressources distantes L'authentification se fait via NtlmPasswordAuthenticator avec domaine, nom d'utilisateur et mot de passe La bibliothèque permet de lister les fichiers et dossiers avec listFiles() et vérifier leurs propriétés (taille, date de modification) Création de fichiers avec createNewFile() et de dossiers avec mkdir() ou mkdirs() pour créer toute une arborescence Suppression via delete() qui peut parcourir et supprimer récursivement des arborescences entières Copie de fichiers entre partages Samba avec copyTo(), mais impossibilité de copier depuis le système de fichiers local Pour copier depuis le système local, utilisation des streams SmbFileInputStream et SmbFileOutputStream Les opérations peuvent cibler différents serveurs Samba et différents partages (anonymes ou protégés par mot de passe) La bibliothèque s'intègre dans des blocs try-with-resources pour une gestion automatique des ressources Quarkus 3.31 - Support complet Java 25, nouveau packaging Maven et Panache Next - https://quarkus.io/blog/quarkus-3-31-released/ Support complet de Java 25 avec images runtime et native Nouveau packaging Maven de type quarkus avec lifecycle optimisé pour des builds plus rapides voici un article complet pour plus de detail https://quarkus.io/blog/building-large-applications/ Introduction de Panache Next, nouvelle génération avec meilleure expérience développeur et API unifiée ORM/Reactive Mise à jour vers Hibernate ORM 7.2, Reactive 3.2, Search 8.2 Support de Hibernate Spatial pour les données géospatiales Passage à Testcontainers 2 et JUnit 6 Annotations de sécurité supportées sur les repositories Jakarta Data Chiffrement des tokens OIDC pour les implémentations custom TokenStateManager Support OAuth 2.0 Pushed Authorization Requests dans l'extension OIDC Maven 3.9 maintenant requis minimum pour les projets Quarkus A2A Java SDK 1.0.0.Alpha1 - Alignement avec la spécification 1.0 du protocole Agent2Agent - https://quarkus.io/blog/a2a-java-sdk-1-0-0-alpha1/ Le SDK Java A2A implémente le protocole Agent2Agent qui permet la communication standardisée entre agents IA pour découvrir des capacités, déléguer des tâches et collaborer Passage à la version 1.0 de la spécification marque la transition d'expérimental à production-ready avec des changements cassants assumés Modernisation complète du module spec avec des Java records partout remplaçant le mix précédent de classes et records pour plus de cohérence Adoption de Protocol Buffers comme source de vérité avec des mappers MapStruct pour la conversion et Gson pour JSON-RPC Les builders utilisent maintenant des méthodes factory statiques au lieu de constructeurs publics suivant les best practices Java modernes Introduction de trois BOMs Maven pour simplifier la gestion des dépendances du SDK core, des extensions et des implémentations de référence Quarkus AgentCard évolue avec une liste supportedInterfaces remplaçant url et preferredTransport pour plus de flexibilité dans la déclaration des protocoles Support de la pagination ajouté pour ListTasks et les endpoints de configuration des notifications push avec des wrappers Result appropriés Interface A2AHttpClient pluggable permettant des implémentations HTTP personnalisées avec une implémentation Vert.x fournie Travail continu vers la conformité complète avec le TCK 1.0 en cours de développement parallèlement à la finalisation de la spécification Pourquoi Quarkus finit par "cliquer" : les 10 questions que se posent les développeurs Java - https://www.the-main-thread.com/p/quarkus-java-developers-top-questions-2025 un article qui revele et repond aux questions des gens qui ont utilisé Quarkus depuis 4-6 mois, les non noob questions Quarkus est un framework Java moderne optimisé pour le cloud qui propose des temps de démarrage ultra-rapides et une empreinte mémoire réduite Pourquoi Quarkus démarre si vite ? Le framework effectue le travail lourd au moment du build (scanning, indexation, génération de bytecode) plutôt qu'au runtime Quand utiliser le mode réactif plutôt qu'impératif ? Le réactif est pertinent pour les workloads avec haute concurrence et dominance I/O, l'impératif reste plus simple dans les autres cas Quelle est la différence entre Dev Services et Testcontainers ? Dev Services utilise Testcontainers en gérant automatiquement le cycle de vie, les ports et la configuration sans cérémonie Comment la DI de Quarkus diffère de Spring ? CDI est un standard basé sur la sécurité des types et la découverte au build-time, différent de l'approche framework de Spring Comment gérer la configuration entre environnements ? Quarkus permet de scaler depuis le développement local jusqu'à Kubernetes avec des profils, fichiers multiples et configuration externe Comment tester correctement les applications Quarkus ? @QuarkusTest démarre l'application une fois pour toute la suite de tests, changeant le modèle mental par rapport à Spring Boot Que fait vraiment Panache en coulisses ? Panache est du JPA avec des opinions fortes et des défauts propres, enveloppant Hibernate avec un style Active Record Doit-on utiliser les images natives et quand ? Les images natives brillent pour le serverless et l'edge grâce au démarrage rapide et la faible empreinte mémoire, mais tous les apps n'en bénéficient pas Comment Quarkus s'intègre avec Kubernetes ? Le framework génère automatiquement les ressources Kubernetes, gère les health checks et métriques comme s'il était nativement conçu pour cet écosystème Comment intégrer l'IA dans une application Quarkus ? LangChain4j permet d'ajouter embeddings, retrieval, guardrails et observabilité directement en Java sans passer par Python Infrastructure Les alternatives à MinIO https://rmoff.net/2026/01/14/alternatives-to-minio-for-single-node-local-s3/ MinIO a abandonné le support single-node fin 2025 pour des raisons commerciales, cassant de nombreuses démos et pipelines CI/CD qui l'utilisaient pour émuler S3 localement L'auteur cherche un remplacement simple avec image Docker, compatibilité S3, licence open source, déploiement mono-nœud facile et communauté active S3Proxy est très léger et facile à configurer, semble être l'option la plus simple mais repose sur un seul contributeur RustFS est facile à utiliser et inclut une GUI, mais c'est un projet très récent en version alpha avec une faille de sécurité majeure récente SeaweedFS existe depuis 2012 avec support S3 depuis 2018, relativement facile à configurer et dispose d'une interface web basique Zenko CloudServer remplace facilement MinIO mais la documentation et le branding (cloudserver/zenko/scality) peuvent prêter à confusion Garage nécessite une configuration complexe avec fichier TOML et conteneur d'initialisation séparé, pas un simple remplacement drop-in Apache Ozone requiert au minimum quatre nœuds pour fonctionner, beaucoup trop lourd pour un usage local simple L'auteur recommande SeaweedFS et S3Proxy comme remplaçants viables, RustFS en maybe, et élimine Garage et Ozone pour leur complexité Garage a une histoire tres associative, il vient du collectif https://deuxfleurs.fr/ qui offre un cloud distribué sans datacenter C'est certainement pas une bonne idée, les datacenters dans l'espace https://taranis.ie/datacenters-in-space-are-a-terrible-horrible-no-good-idea/ Avis d'expert (ex-NASA/Google, Dr en électronique spatiale) : Centres de données spatiaux, une "terrible" idée. Incompatibilité fondamentale : L'électronique (surtout IA/GPU) est inadaptée à l'environnement spatial. Énergie : Accès limité. Le solaire (type ISS) est insuffisant pour l'échelle de l'IA. Le nucléaire (RTG) est trop faible. Refroidissement : L'espace n'est pas "froid" ; absence de convection. Nécessite des radiateurs gigantesques (ex: 531m² pour 200kW). Radiations : Provoque erreurs (SEU, SEL) et dommages. Les GPU sont très vulnérables. Blindage lourd et inefficace. Les puces "durcies" sont très lentes. Communications : Bande passante très limitée (1Gbps radio vs 100Gbps terrestre). Le laser est tributaire des conditions atmosphériques. Conclusion : Projet extrêmement difficile, coûteux et aux performances médiocres. Data et Intelligence Artificielle Guillaume a développé un serveur MCP pour arXiv (le site de publication de papiers de recherche) en Java avec le framework Quarkus https://glaforge.dev/posts/2026/01/18/implementing-an-arxiv-mcp-server-with-quarkus-in-java/ Implémentation d'un serveur MCP (Model Context Protocol) arXiv en Java avec Quarkus. Objectif : Accéder aux publications arXiv et illustrer les fonctionnalités moins connues du protocole MCP. Mise en œuvre : Utilisation du framework Quarkus (Java) et son support MCP étendu. Assistance par Antigravity (IDE agentique) pour le développement et l'intégration de l'API arXiv. Interaction avec l'API arXiv : requêtes HTTP, format XML Atom pour les résultats, parser XML Jackson. Fonctionnalités MCP exposées : Outils (@Tool) : Recherche de publications (search_papers). Ressources (@Resource, @ResourceTemplate) : Taxonomie des catégories arXiv, métadonnées des articles (via un template d'URI). Prompts (@Prompt) : Exemples pour résumer des articles ou construire des requêtes de recherche. Configuration : Le serveur peut fonctionner en STDIO (local) ou via HTTP Streamable (local ou distant), avec une configuration simple dans des clients comme Gemini CLI. Conclusion : Quarkus simplifie la création de serveurs MCP riches en fonctionnalités, rendant les données et services "prêts pour l'IA" avec l'aide d'outils d'IA comme Antigravity. Anthropic ne mettra pas de pub dans Claude https://www.anthropic.com/news/claude-is-a-space-to-think c'est en reaction au plan non public d'OpenAi de mettre de la pub pour pousser les gens au mode payant OpenAI a besoin de cash et est probablement le plus utilisé pour gratuit au monde Anthropic annonce que Claude restera sans publicité pour préserver son rôle d'assistant conversationnel dédié au travail et à la réflexion approfondie. Les conversations avec Claude sont souvent sensibles, personnelles ou impliquent des tâches complexes d'ingénierie logicielle où les publicités seraient inappropriées. L'analyse des conversations montre qu'une part significative aborde des sujets délicats similaires à ceux évoqués avec un conseiller de confiance. Un modèle publicitaire créerait des incitations contradictoires avec le principe fondamental d'être "genuinely helpful" inscrit dans la Constitution de Claude. Les publicités introduiraient un conflit d'intérêt potentiel où les recommandations pourraient être influencées par des motivations commerciales plutôt que par l'intérêt de l'utilisateur. Le modèle économique d'Anthropic repose sur les contrats entreprise et les abonnements payants, permettant de réinvestir dans l'amélioration de Claude. Anthropic maintient l'accès gratuit avec des modèles de pointe et propose des tarifs réduits pour les ONG et l'éducation dans plus de 60 pays. Le commerce "agentique" sera supporté mais uniquement à l'initiative de l'utilisateur, jamais des annonceurs, pour préserver la confiance. Les intégrations tierces comme Figma, Asana ou Canva continueront d'être développées en gardant l'utilisateur aux commandes. Anthropic compare Claude à un cahier ou un tableau blanc : des espaces de pensée purs, sans publicité. Infinispan 16.1 est sorti https://infinispan.org/blog/2026/02/04/infinispan-16-1 déjà le nom de la release mérite une mention Le memory bounded par cache et par ensemble de cache s est pas facile à faire en Java Une nouvelle api OpenAPI AOT caché dans les images container Un serveur MCP local juste avec un fichier Java ? C'est possible avec LangChain4j et JBang https://glaforge.dev/posts/2026/02/11/zero-boilerplate-java-stdio-mcp-servers-with-langchain4j-and-jbang/ Création rapide de serveurs MCP Java sans boilerplate. MCP (Model Context Protocol): standard pour connecter les LLM à des outils et données. Le tutoriel répond au manque d'options simples pour les développeurs Java, face à une prédominance de Python/TypeScript dans l'écosystème MCP. La solution utilise: LangChain4j: qui intègre un nouveau module serveur MCP pour le protocole STDIO. JBang: permet d'exécuter des fichiers Java comme des scripts, éliminant les fichiers de build (pom.xml, Gradle). Implémentation: se fait via un seul fichier .java. JBang gère automatiquement les dépendances (//DEPS). L'annotation @Tool de LangChain4j expose les méthodes Java aux LLM. StdioMcpServerTransport gère la communication JSON-RPC via l'entrée/sortie standard (STDIO). Point crucial: Les logs doivent impérativement être redirigés vers System.err pour éviter de corrompre System.out, qui est réservé à la communication MCP (messages JSON-RPC). Facilite l'intégration locale avec des outils comme Gemini CLI, Claude Code, etc. Reciprocal Rank Fusion : un algorithme utile et souvent utilisé pour faire de la recherche hybride, pour mélanger du RAG et des recherches par mots-clé https://glaforge.dev/posts/2026/02/10/advanced-rag-understanding-reciprocal-rank-fusion-in-hybrid-search/ RAG : Qualité LLM dépend de la récupération. Recherche Hybride : Combiner vectoriel et mots-clés (BM25) est optimal. Défi : Fusionner des scores d'échelles différentes. Solution : Reciprocal Rank Fusion (RRF). RRF : Algorithme robuste qui fusionne des listes de résultats en se basant uniquement sur le rang des documents, ignorant les scores. Avantages RRF : Pas de normalisation de scores, scalable, excellente première étape de réorganisation. Architecture RAG fréquente : RRF (large sélection) + Cross-Encoder / modèle de reranking (précision fine). RAG-Fusion : Utilise un LLM pour générer plusieurs variantes de requête, puis RRF agrège tous les résultats pour renforcer le consensus et réduire les hallucinations. Implémentation : LangChain4j utilise RRF par défaut pour agréger les résultats de plusieurs retrievers. Les dernières fonctionnalités de Gemini et Nano Banana supportées dans LangChain4j https://glaforge.dev/posts/2026/02/06/latest-gemini-and-nano-banana-enhancements-in-langchain4j/ Nouveaux modèles d'images Nano Banana (Gemini 2.5/3.0) pour génération et édition (jusqu'à 4K). "Grounding" via Google Search (pour images et texte) et Google Maps (localisation, Gemini 2.5). Outil de contexte URL (Gemini 3.0) pour lecture directe de pages web. Agents multimodaux (AiServices) capables de générer des images. Configuration de la réflexion (profondeur Chain-of-Thought) pour Gemini 3.0. Métadonnées enrichies : usage des tokens et détails des sources de "grounding". Comment configurer Gemini CLI comment agent de code dans IntelliJ grâce au protocole ACP https://glaforge.dev/posts/2026/02/01/how-to-integrate-gemini-cli-with-intellij-idea-using-acp/ But : Intégrer Gemini CLI à IntelliJ IDEA via l'Agent Client Protocol (ACP). Prérequis : IntelliJ IDEA 2025.3+, Node.js (v20+), Gemini CLI. Étapes : Installer Gemini CLI (npm install -g @google/gemini-cli). Localiser l'exécutable gemini. Configurer ~/.jetbrains/acp.json (chemin exécutable, --experimental-acp, use_idea_mcp: true). Redémarrer IDEA, sélectionner "Gemini CLI" dans l'Assistant IA. Usage : Gemini interagit avec le code et exécute des commandes (contexte projet). Important : S'assurer du flag --experimental-acp dans la configuration. Outillage PipeNet, une alternative (open source aussi) à LocalTunnel, mais un plus évoluée https://pipenet.dev/ pipenet: Alternative open-source et moderne à localtunnel (client + serveur). Usages: Développement local (partage, webhooks), intégration SDK, auto-hébergement sécurisé. Fonctionnalités: Client (expose ports locaux, sous-domaines), Serveur (déploiement, domaines personnalisés, optimisé cloud mono-port). Avantages vs localtunnel: Déploiement cloud sur un seul port, support multi-domaines, TypeScript/ESM, maintenance active. Protocoles: HTTP/S, WebSocket, SSE, HTTP Streaming. Intégration: CLI ou SDK JavaScript. JSON-IO — une librairie comme Jackson ou GSON, supportant JSON5, TOON, et qui pourrait être utile pour l'utilisation du "structured output" des LLMs quand ils ne produisent pas du JSON parfait https://github.com/jdereg/json-io json-io : Librairie Java pour la sérialisation et désérialisation JSON/TOON. Gère les graphes d'objets complexes, les références cycliques et les types polymorphes. Support complet JSON5 (lecture et écriture), y compris des fonctionnalités non prises en charge par Jackson/Gson. Format TOON : Notation orientée token, optimisée pour les LLM, réduisant l'utilisation de tokens de 40 à 50% par rapport au JSON. Légère : Aucune dépendance externe (sauf java-util), taille de JAR réduite (~330K). Compatible JDK 1.8 à 24, ainsi qu'avec les environnements JPMS et OSGi. Deux modes de conversion : vers des objets Java typés (toJava()) ou vers des Map (toMaps()). Options de configuration étendues via ReadOptionsBuilder et WriteOptionsBuilder. Optimisée pour les déploiements cloud natifs et les architectures de microservices. Utiliser mailpit et testcontainer pour tester vos envois d'emails https://foojay.io/today/testing-emails-with-testcontainers-and-mailpit/ l'article montre via SpringBoot et sans. Et voici l'extension Quarkus https://quarkus.io/extensions/io.quarkiverse.mailpit/quarkus-mailpit/?tab=docs Tester l'envoi d'emails en développement est complexe car on ne peut pas utiliser de vrais serveurs SMTP Mailpit est un serveur SMTP de test qui capture les emails et propose une interface web pour les consulter Testcontainers permet de démarrer Mailpit dans un conteneur Docker pour les tests d'intégration L'article montre comment configurer une application SpringBoot pour envoyer des emails via JavaMail Un module Testcontainers dédié à Mailpit facilite son intégration dans les tests Le conteneur Mailpit expose un port SMTP (1025) et une API HTTP (8025) pour vérifier les emails reçus Les tests peuvent interroger l'API HTTP de Mailpit pour valider le contenu des emails envoyés Cette approche évite d'utiliser des mocks et teste réellement l'envoi d'emails Mailpit peut aussi servir en développement local pour visualiser les emails sans les envoyer réellement La solution fonctionne avec n'importe quel framework Java supportant JavaMail Architecture Comment scaler un système de 0 à 10 millions d'utilisateurs https://blog.algomaster.io/p/scaling-a-system-from-0-to-10-million-users Philosophie : Scalabilité incrémentale, résoudre les goulots d'étranglement sans sur-ingénierie. 0-100 utilisateurs : Serveur unique (app, DB, jobs). 100-1K : Séparer app et DB (services gérés, pooling). 1K-10K : Équilibreur de charge, multi-serveurs d'app (stateless via sessions partagées). 10K-100K : Caching, réplicas de lecture DB, CDN (réduire charge DB). 100K-500K : Auto-scaling, applications stateless (authentification JWT). 500K-10M : Sharding DB, microservices, files de messages (traitement asynchrone). 10M+ : Déploiement multi-régions, CQRS, persistance polyglotte, infra personnalisée. Principes clés : Simplicité, mesure, stateless essentiel, cache/asynchrone, sharding prudent, compromis (CAP), coût de la complexité. Patterns d'Architecture 2026 - Du Hype à la Réalité du Terrain (Part 1/2) - https://blog.ippon.fr/2026/01/30/patterns-darchitecture-2026-part-1/ L'article présente quatre patterns d'architecture logicielle pour répondre aux enjeux de scalabilité, résilience et agilité business dans les systèmes modernes Il présentent leurs raisons et leurs pièges Un bon rappel L'Event-Driven Architecture permet une communication asynchrone entre systèmes via des événements publiés et consommés, évitant le couplage direct Les bénéfices de l'EDA incluent la scalabilité indépendante des composants, la résilience face aux pannes et l'ajout facile de nouveaux cas d'usage Le pattern API-First associé à un API Gateway centralise la sécurité, le routage et l'observabilité des APIs avec un catalogue unifié Le Backend for Frontend crée des APIs spécifiques par canal (mobile, web, partenaires) pour optimiser l'expérience utilisateur CQRS sépare les modèles de lecture et d'écriture avec des bases optimisées distinctes, tandis que l'Event Sourcing stocke tous les événements plutôt que l'état actuel Le Saga Pattern gère les transactions distribuées via orchestration centralisée ou chorégraphie événementielle pour coordonner plusieurs microservices Les pièges courants incluent l'explosion d'événements granulaires, la complexité du debugging distribué, et la mauvaise gestion de la cohérence finale Les technologies phares sont Kafka pour l'event streaming, Kong pour l'API Gateway, EventStoreDB pour l'Event Sourcing et Temporal pour les Sagas Ces patterns nécessitent une maturité technique et ne sont pas adaptés aux applications CRUD simples ou aux équipes junior Patterns d'architecture 2026 : du hype à la réalité terrain part. 2 - https://blog.ippon.fr/2026/02/04/patterns-darchitecture-2026-part-2/ Deuxième partie d'un guide pratique sur les patterns d'architecture logicielle et système éprouvés pour moderniser et structurer les applications en 2026 Strangler Fig permet de migrer progressivement un système legacy en l'enveloppant petit à petit plutôt que de tout réécrire d'un coup (70% d'échec pour les big bang) Anti-Corruption Layer protège votre nouveau domaine métier des modèles externes et legacy en créant une couche de traduction entre les systèmes Service Mesh gère automatiquement la communication inter-services dans les architectures microservices (sécurité mTLS, observabilité, résilience) Architecture Hexagonale sépare le coeur métier des détails techniques via des ports et adaptateurs pour améliorer la testabilité et l'évolutivité Chaque pattern est illustré par un cas client concret avec résultats mesurables et liste des pièges à éviter lors de l'implémentation Les technologies 2026 mentionnées incluent Istio, Linkerd pour service mesh, LaunchDarkly pour feature flags, NGINX et Kong pour API gateway Tableau comparatif final aide à choisir le bon pattern selon la complexité, le scope et le use case spécifique du projet L'article insiste sur une approche pragmatique : ne pas utiliser un pattern juste parce qu'il est moderne mais parce qu'il résout un problème réel Pour les systèmes simples type CRUD ou avec peu de services, ces patterns peuvent introduire une complexité inutile qu'il faut savoir éviter Méthodologies Le rêve récurrent de remplacer voire supprimer les développeurs https://www.caimito.net/en/blog/2025/12/07/the-recurring-dream-of-replacing-developers.html Depuis 1969, chaque décennie voit une tentative de réduire le besoin de développeurs (de COBOL, UML, visual builders… à IA). Motivation : frustration des dirigeants face aux délais et coûts de développement. La complexité logicielle est intrinsèque et intellectuelle, non pas une question d'outils. Chaque vague technologique apporte de la valeur mais ne supprime pas l'expertise humaine. L'IA assiste les développeurs, améliore l'efficacité, mais ne remplace ni le jugement ni la gestion de la complexité. La demande de logiciels excède l'offre car la contrainte majeure est la réflexion nécessaire pour gérer cette complexité. Pour les dirigeants : les outils rendent-ils nos développeurs plus efficaces sur les problèmes complexes et réduisent-ils les tâches répétitives ? Le "rêve" de remplacer les développeurs, irréalisable, est un moteur d'innovation créant des outils précieux. Comment creuser des sujets à l'ère de l'IA générative. Quid du partage et la curation de ces recherches ? https://glaforge.dev/posts/2026/02/04/researching-topics-in-the-age-of-ai-rock-solid-webhooks-case-study/ Recherche initiale de l'auteur sur les webhooks en 2019, processus long et manuel. L'IA (Deep Research, Gemini, NotebookLM) facilite désormais la recherche approfondie, l'exploration de sujets et le partage des résultats. L'IA a identifié et validé des pratiques clés pour des déploiements de webhooks résilients, en grande partie les mêmes que celles trouvées précédemment par l'auteur. Génération d'artefacts par l'IA : rapport détaillé, résumé concis, illustration sketchnote, et même une présentation (slide deck). Guillaume s'interroge sur le partage public de ces rapports de recherche générés par l'IA, tout en souhaitant éviter le "AI Slop". Loi, société et organisation Le logiciel menacé par le vibe coding https://www.techbuzz.ai/articles/we-built-a-monday-com-clone-in-under-an-hour-with-ai Deux journalistes de CNBC sans expérience de code ont créé un clone fonctionnel de Monday.com en moins de 60 minutes pour 5 à 15 dollars. L'expérience valide les craintes des investisseurs qui ont provoqué une baisse de 30% des actions des entreprises SaaS. L'IA a non seulement reproduit les fonctionnalités de base mais a aussi recherché Monday.com de manière autonome pour identifier et recréer ses fonctionnalités clés. Cette technique appelée "vibe-coding" permet aux non-développeurs de construire des applications via des instructions en anglais courant. Les entreprises les plus vulnérables sont celles offrant des outils "qui se posent sur le travail" comme Atlassian, Adobe, HubSpot, Zendesk et Smartsheet. Les entreprises de cybersécurité comme CrowdStrike et Palo Alto sont considérées plus protégées grâce aux effets de réseau et aux barrières réglementaires. Les systèmes d'enregistrement comme Salesforce restent plus difficiles à répliquer en raison de leur profondeur d'intégration et de données d'entreprise. Le coût de 5 à 15 dollars par construction permet aux entreprises de prototyper plusieurs solutions personnalisées pour moins cher qu'une seule licence Monday.com. L'expérience soulève des questions sur la pérennité du marché de 5 milliards de dollars des outils de gestion de projet face à l'IA générative. Conférences En complément de l'agenda des conférences de Aurélie Vache, il y a également le site https://javaconferences.org/ (fait par Brian Vermeer) avec toutes les conférences Java à venir ! La liste des conférences provenant de Developers Conferences Agenda/List par Aurélie Vache et contributeurs : 12-13 février 2026 : Touraine Tech #26 - Tours (France) 12-13 février 2026 : World Artificial Intelligence Cannes Festival - Cannes (France) 19 février 2026 : ObservabilityCON on the Road - Paris (France) 6 mars 2026 : WordCamp Nice 2026 - Nice (France) 18 mars 2026 : Jupyter Workshops: AI in Jupyter: Building Extensible AI Capabilities for Interactive Computing - Saint-Maur-des-Fossés (France) 18-19 mars 2026 : Agile Niort 2026 - Niort (France) 20 mars 2026 : Atlantique Day 2026 - Nantes (France) 26 mars 2026 : Data Days Lille - Lille (France) 26-27 mars 2026 : SymfonyLive Paris 2026 - Paris (France) 26-27 mars 2026 : REACT PARIS - Paris (France) 27-29 mars 2026 : Shift - Nantes (France) 31 mars 2026 : ParisTestConf - Paris (France) 31 mars 2026-1 avril 2026 : FlowCon France 2026 - Paris (France) 1 avril 2026 : AWS Summit Paris - Paris (France) 2 avril 2026 : Pragma Cannes 2026 - Cannes (France) 2-3 avril 2026 : Xen Spring Meetup 2026 - Grenoble (France) 7 avril 2026 : PyTorch Conference Europe - Paris (France) 9-10 avril 2026 : Android Makers by droidcon 2026 - Paris (France) 9-11 avril 2026 : Drupalcamp Grenoble 2026 - Grenoble (France) 16-17 avril 2026 : MiXiT 2026 - Lyon (France) 17-18 avril 2026 : Faiseuses du Web 5 - Dinan (France) 22-24 avril 2026 : Devoxx France 2026 - Paris (France) 23-25 avril 2026 : Devoxx Greece - Athens (Greece) 6-7 mai 2026 : Devoxx UK 2026 - London (UK) 12 mai 2026 : Lead Innovation Day - Leadership Edition - Paris (France) 19 mai 2026 : La Product Conf Paris 2026 - Paris (France) 21-22 mai 2026 : Flupa UX Days 2026 - Paris (France) 22 mai 2026 : AFUP Day 2026 Lille - Lille (France) 22 mai 2026 : AFUP Day 2026 Paris - Paris (France) 22 mai 2026 : AFUP Day 2026 Bordeaux - Bordeaux (France) 22 mai 2026 : AFUP Day 2026 Lyon - Lyon (France) 28 mai 2026 : DevCon 27 : I.A. & Vibe Coding - Paris (France) 28 mai 2026 : Cloud Toulouse 2026 - Toulouse (France) 29 mai 2026 : NG Baguette Conf 2026 - Paris (France) 29 mai 2026 : Agile Tour Strasbourg 2026 - Strasbourg (France) 2-3 juin 2026 : Agile Tour Rennes 2026 - Rennes (France) 2-3 juin 2026 : OW2Con - Paris-Châtillon (France) 3 juin 2026 : IA–NA - La Rochelle (France) 5 juin 2026 : TechReady - Nantes (France) 5 juin 2026 : Fork it! - Rouen - Rouen (France) 6 juin 2026 : Polycloud - Montpellier (France) 9 juin 2026 : JFTL - Montrouge (France) 9 juin 2026 : C: - Caen (France) 11-12 juin 2026 : DevQuest Niort - Niort (France) 11-12 juin 2026 : DevLille 2026 - Lille (France) 12 juin 2026 : Tech F'Est 2026 - Nancy (France) 16 juin 2026 : Mobilis In Mobile 2026 - Nantes (France) 17-19 juin 2026 : Devoxx Poland - Krakow (Poland) 17-20 juin 2026 : VivaTech - Paris (France) 18 juin 2026 : Tech'Work - Lyon (France) 22-26 juin 2026 : Galaxy Community Conference - Clermont-Ferrand (France) 24-25 juin 2026 : Agi'Lille 2026 - Lille (France) 24-26 juin 2026 : BreizhCamp 2026 - Rennes (France) 2 juillet 2026 : Azur Tech Summer 2026 - Valbonne (France) 2-3 juillet 2026 : Sunny Tech - Montpellier (France) 3 juillet 2026 : Agile Lyon 2026 - Lyon (France) 6-8 juillet 2026 : Riviera Dev - Sophia Antipolis (France) 2 août 2026 : 4th Tech Summit on Artificial Intelligence & Robotics - Paris (France) 20-22 août 2026 : 4th Tech Summit on AI & Robotics - Paris (France) & Online 4 septembre 2026 : JUG Summer Camp 2026 - La Rochelle (France) 17-18 septembre 2026 : API Platform Conference 2026 - Lille (France) 24 septembre 2026 : PlatformCon Live Day Paris 2026 - Paris (France) 1 octobre 2026 : WAX 2026 - Marseille (France) 1-2 octobre 2026 : Volcamp - Clermont-Ferrand (France) 5-9 octobre 2026 : Devoxx Belgium - Antwerp (Belgium) Nous contacter Pour réagir à cet épisode, venez discuter sur le groupe Google https://groups.google.com/group/lescastcodeurs Contactez-nous via X/twitter https://twitter.com/lescastcodeurs ou Bluesky https://bsky.app/profile/lescastcodeurs.com Faire un crowdcast ou une crowdquestion Soutenez Les Cast Codeurs sur Patreon https://www.patreon.com/LesCastCodeurs Tous les épisodes et toutes les infos sur https://lescastcodeurs.com/
Peter M from Primary purpose group in Cannes France leading a Big Book Study on the topic of the chapter How it works specifically on pages 62-67. This was recorded at the Global Lockdown Group in India sometime during the summer of 2022. Zoom Support Sober Cast: https://sobercast.com/donate Email: sobercast@gmail.com Sober Cast has 3200+ episodes available, visit SoberCast.com to access all the episodes where you can easily find topics or specific speakers using tags or search. https://sobercast.com
De retour à cinq dans l'épisode, les cast codeurs démarrent cette année avec un gros épisode pleins de news et d'articles de fond. IA bien sûr, son impact sur les pratiques, Mockito qui tourne un page, du CSS (et oui), sur le (non) mapping d'APIs REST en MCP et d'une palanquée d'outils pour vous. Enregistré le 9 janvier 2026 Téléchargement de l'épisode LesCastCodeurs-Episode-335.mp3 ou en vidéo sur YouTube. News Langages 2026 sera-t'elle l'année de Java dans le terminal ? (j'ai ouïe dire que ça se pourrait bien…) https://xam.dk/blog/lets-make-2026-the-year-of-java-in-the-terminal/ 2026: Année de Java dans le terminal, pour rattraper son retard sur Python, Rust, Go et Node.js. Java est sous-estimé pour les applications CLI et les TUIs (interfaces utilisateur terminales) malgré ses capacités. Les anciennes excuses (démarrage lent, outillage lourd, verbosité, distribution complexe) sont obsolètes grâce aux avancées récentes : GraalVM Native Image pour un démarrage en millisecondes. JBang pour l'exécution simplifiée de scripts Java (fichiers uniques, dépendances) et de JARs. JReleaser pour l'automatisation de la distribution multi-plateforme (Homebrew, SDKMAN, Docker, images natives). Project Loom pour la concurrence facile avec les threads virtuels. PicoCLI pour la gestion des arguments. Le potentiel va au-delà des scripts : création de TUIs complètes et esthétiques (ex: dashboards, gestionnaires de fichiers, assistants IA). Excuses caduques : démarrage rapide (GraalVM), légèreté (JBang), distribution simple (JReleaser), concurrence (Loom). Potentiel : créer des applications TUI riches et esthétiques. Sortie de Ruby 4.0.0 https://www.ruby-lang.org/en/news/2025/12/25/ruby-4-0-0-released/ Ruby Box (expérimental) : Une nouvelle fonctionnalité permettant d'isoler les définitions (classes, modules, monkey patches) dans des boîtes séparées pour éviter les conflits globaux. ZJIT : Un nouveau compilateur JIT de nouvelle génération développé en Rust, visant à surpasser YJIT à terme (actuellement en phase expérimentale). Améliorations de Ractor : Introduction de Ractor::Port pour une meilleure communication entre Ractors et optimisation des structures internes pour réduire les contentions de verrou global. Changements syntaxiques : Les opérateurs logiques (||, &&, and, or) en début de ligne permettent désormais de continuer la ligne précédente, facilitant le style "fluent". Classes Core : Set et Pathname deviennent des classes intégrées (Core) au lieu d'être dans la bibliothèque standard. Diagnostics améliorés : Les erreurs d'arguments (ArgumentError) affichent désormais des extraits de code pour l'appelant ET la définition de la méthode. Performances : Optimisation de Class#new, accès plus rapide aux variables d'instance et améliorations significatives du ramasse-miettes (GC). Nettoyage : Suppression de comportements obsolètes (comme la création de processus via IO.open avec |) et mise à jour vers Unicode 17.0. Librairies Introduction pour créer une appli multi-tenant avec Quarkus et http://nip.io|nip.io https://www.the-main-thread.com/p/quarkus-multi-tenant-api-nipio-tutorial Construction d'une API REST multi-tenant en Quarkus avec isolation par sous-domaine Utilisation de http://nip.io|nip.io pour la résolution DNS automatique sans configuration locale Extraction du tenant depuis l'en-tête HTTP Host via un filtre JAX-RS Contexte tenant géré avec CDI en scope Request pour l'isolation des données Service applicatif gérant des données spécifiques par tenant avec Map concurrent Interface web HTML/JS pour visualiser et ajouter des données par tenant Configuration CORS nécessaire pour le développement local Pattern acme.127-0-0-1.nip.io résolu automatiquement vers localhost Code complet disponible sur GitHub avec exemples curl et tests navigateur Base idéale pour prototypage SaaS, tests multi-tenants Hibernate 7.2 avec quelques améliorations intéressantes https://docs.hibernate.org/orm/7.2/whats-new/%7Bhtml-meta-canonical-link%7D read only replica (experimental), crée deux session factories et swap au niveau jdbc si le driver le supporte et custom sinon. On ouvre une session en read only child statelesssession (partage le contexte transactionnel) hibernate vector module ajouter binary, float16 and sparse vectors Le SchemaManager peut resynchroniser les séquences par rapport aux données des tables Regexp dans HQL avec like Nouvelle version de Hibernate with Panache pour Quarkus https://quarkus.io/blog/hibernate-panache-next/ Nouvelle extension expérimentale qui unifie Hibernate ORM with Panache et Hibernate Reactive with Panache Les entités peuvent désormais fonctionner en mode bloquant ou réactif sans changer de type de base Support des sessions sans état (StatelessSession) en plus des entités gérées traditionnelles Intégration de Jakarta Data pour des requêtes type-safe vérifiées à la compilation Les opérations sont définies dans des repositories imbriqués plutôt que des méthodes statiques Possibilité de définir plusieurs repositories pour différents modes d'opération sur une même entité Accès aux différents modes (bloquant/réactif, géré/sans état) via des méthodes de supertype Support des annotations @Find et @HQL pour générer des requêtes type-safe Accès au repository via injection ou via le métamodèle généré Extension disponible dans la branche main, feedback demandé sur Zulip ou GitHub Spring Shell 4.0.0 GA publié - https://spring.io/blog/2025/12/30/spring-shell-4-0-0-ga-released Sortie de la version finale de Spring Shell 4.0.0 disponible sur Maven Central Compatible avec les dernières versions de Spring Framework et Spring Boot Modèle de commandes revu pour simplifier la création d'applications CLI interactives Intégration de jSpecify pour améliorer la sécurité contre les NullPointerException Architecture plus modulaire permettant meilleure personnalisation et extension Documentation et exemples entièrement mis à jour pour faciliter la prise en main Guide de migration vers la v4 disponible sur le wiki du projet Corrections de bugs pour améliorer la stabilité et la fiabilité Permet de créer des applications Java autonomes exécutables avec java -jar ou GraalVM native Approche opinionnée du développement CLI tout en restant flexible pour les besoins spécifiques Une nouvelle version de la librairie qui implémenter des gatherers supplémentaires à ceux du JDK https://github.com/tginsberg/gatherers4j/releases/tag/v0.13.0 gatherers4j v0.13.0. Nouveaux gatherers : uniquelyOccurringBy(), moving/runningMedian(), moving/runningMax/Min(). Changement : les gatherers "moving" incluent désormais par défaut les valeurs partielles (utiliser excludePartialValues() pour désactiver). LangChain4j 1.10.0 https://github.com/langchain4j/langchain4j/releases/tag/1.10.0 Introduction d'un catalogue de modèles pour Anthropic, Gemini, OpenAI et Mistral. Ajout de capacités d'observabilité et de monitoring pour les agents. Support des sorties structurées, des outils avancés et de l'analyse de PDF via URL pour Anthropic. Support des services de transcription pour OpenAI. Possibilité de passer des paramètres de configuration de chat en argument des méthodes. Nouveau garde-fou de modération pour les messages entrants. Support du contenu de raisonnement pour les modèles. Introduction de la recherche hybride. Améliorations du client MCP. Départ du lead de mockito après 10 ans https://github.com/mockito/mockito/issues/3777 Tim van der Lippe, mainteneur majeur de Mockito, annonce son départ pour mars 2026, marquant une décennie de contribution au projet. L'une des raisons principales est l'épuisement lié aux changements récents dans la JVM (JVM 22+) concernant les agents, imposant des contraintes techniques lourdes sans alternative simple proposée par les mainteneurs du JDK. Il pointe du doigt le manque de soutien et la pression exercée sur les bénévoles de l'open source lors de ces transitions technologiques majeures. La complexité croissante pour supporter Kotlin, qui utilise la JVM de manière spécifique, rend la base de code de Mockito plus difficile à maintenir et moins agréable à faire évoluer selon lui. Il exprime une perte de plaisir et préfère désormais consacrer son temps libre à d'autres projets comme Servo, un moteur web écrit en Rust. Une période de transition est prévue jusqu'en mars pour assurer la passation de la maintenance à de nouveaux contributeurs. Infrastructure Le premier intérêt de Kubernetes n'est pas le scaling - https://mcorbin.fr/posts/2025-12-29-kubernetes-scale/ Avant Kubernetes, gérer des applications en production nécessitait de multiples outils complexes (Ansible, Puppet, Chef) avec beaucoup de configuration manuelle Le load balancing se faisait avec HAProxy et Keepalived en actif/passif, nécessitant des mises à jour manuelles de configuration à chaque changement d'instance Le service discovery et les rollouts étaient orchestrés manuellement, instance par instance, sans automatisation de la réconciliation Chaque stack (Java, Python, Ruby) avait sa propre méthode de déploiement, sans standardisation (rpm, deb, tar.gz, jar) La gestion des ressources était manuelle avec souvent une application par machine, créant du gaspillage et complexifiant la maintenance Kubernetes standardise tout en quelques ressources YAML (Deployment, Service, Ingress, ConfigMap, Secret) avec un format déclaratif simple Toutes les fonctionnalités critiques sont intégrées : service discovery, load balancing, scaling, stockage, firewalling, logging, tolérance aux pannes La complexité des centaines de scripts shell et playbooks Ansible maintenus avant était supérieure à celle de Kubernetes Kubernetes devient pertinent dès qu'on commence à reconstruire manuellement ces fonctionnalités, ce qui arrive très rapidement La technologie est flexible et peut gérer aussi bien des applications modernes que des monolithes legacy avec des contraintes spécifiques Mole https://github.com/tw93/Mole Un outil en ligne de commande (CLI) tout-en-un pour nettoyer et optimiser macOS. Combine les fonctionnalités de logiciels populaires comme CleanMyMac, AppCleaner, DaisyDisk et iStat Menus. Analyse et supprime en profondeur les caches, les fichiers logs et les résidus de navigateurs. Désinstallateur intelligent qui retire proprement les applications et leurs fichiers cachés (Launch Agents, préférences). Analyseur d'espace disque interactif pour visualiser l'occupation des fichiers et gérer les documents volumineux. Tableau de bord temps réel (mo status) pour surveiller le CPU, le GPU, la mémoire et le réseau. Fonction de purge spécifique pour les développeurs permettant de supprimer les artefacts de build (node_modules, target, etc.). Intégration possible avec Raycast ou Alfred pour un lancement rapide des commandes. Installation simple via Homebrew ou un script curl. Des images Docker sécurisées pour chaque développeur https://www.docker.com/blog/docker-hardened-images-for-every-developer/ Docker rend ses "Hardened Images" (DHI) gratuites et open source (licence Apache 2.0) pour tous les développeurs. Ces images sont conçues pour être minimales, prêtes pour la production et sécurisées dès le départ afin de lutter contre l'explosion des attaques sur la chaîne logistique logicielle. Elles s'appuient sur des bases familières comme Alpine et Debian, garantissant une compatibilité élevée et une migration facile. Chaque image inclut un SBOM (Software Bill of Materials) complet et vérifiable, ainsi qu'une provenance SLSA de niveau 3 pour une transparence totale. L'utilisation de ces images permet de réduire considérablement le nombre de vulnérabilités (CVE) et la taille des images (jusqu'à 95 % plus petites). Docker étend cette approche sécurisée aux graphiques Helm et aux serveurs MCP (Mongo, Grafana, GitHub, etc.). Des offres commerciales (DHI Enterprise) restent disponibles pour des besoins spécifiques : correctifs critiques sous 7 jours, support FIPS/FedRAMP ou support à cycle de vie étendu (ELS). Un assistant IA expérimental de Docker peut analyser les conteneurs existants pour recommander l'adoption des versions sécurisées correspondantes. L'initiative est soutenue par des partenaires majeurs tels que Google, MongoDB, Snyk et la CNCF. Web La maçonnerie ("masonry") arrive dans la spécification des CSS et commence à être implémentée par les navigateurs https://webkit.org/blog/17660/introducing-css-grid-lanes/ Permet de mettre en colonne des éléments HTML les uns à la suite des autres. D'abord sur la première ligne, et quand la première ligne est remplie, le prochain élément se trouvera dans la colonne où il pourra être le plus haut possible, et ainsi de suite. après la plomberie du middleware, la maçonnerie du front :laughing: Data et Intelligence Artificielle On ne devrait pas faire un mapping 1:1 entre API REST et MCP https://nordicapis.com/why-mcp-shouldnt-wrap-an-api-one-to-one/ Problématique : Envelopper une API telle quelle dans le protocole MCP (Model Context Protocol) est un anti-pattern. Objectif du MCP : Conçu pour les agents d'IA, il doit servir d'interface d'intention, non de miroir d'API. Les agents comprennent les tâches, pas la logique complexe des API (authentification, pagination, orchestration). Conséquences du mappage un-à-un : Confusion des agents, erreurs, hallucinations. Difficulté à gérer les orchestrations complexes (plusieurs appels pour une seule action). Exposition des faiblesses de l'API (schéma lourd, endpoints obsolètes). Maintenance accrue lors des changements d'API. Meilleure approche : Construire des outils MCP comme des SDK pour agents, encapsulant la logique nécessaire pour accomplir une tâche spécifique. Pratiques recommandées : Concevoir autour des intentions/actions utilisateur (ex. : "créer un projet", "résumer un document"). Regrouper les appels en workflows ou actions uniques. Utiliser un langage naturel pour les définitions et les noms. Limiter la surface d'exposition de l'API pour la sécurité et la clarté. Appliquer des schémas d'entrée/sortie stricts pour guider l'agent et réduire l'ambiguïté. Des agents en production avec AWS - https://blog.ippon.fr/2025/12/22/des-agents-en-production-avec-aws/ AWS re:Invent 2025 a massivement mis en avant l'IA générative et les agents IA Un agent IA combine un LLM, une boucle d'appel et des outils invocables Strands Agents SDK facilite le prototypage avec boucles ReAct intégrées et gestion de la mémoire Managed MLflow permet de tracer les expérimentations et définir des métriques de performance Nova Forge optimise les modèles par réentraînement sur données spécifiques pour réduire coûts et latence Bedrock Agent Core industrialise le déploiement avec runtime serverless et auto-scaling Agent Core propose neuf piliers dont observabilité, authentification, code interpreter et browser managé Le protocole MCP d'Anthropic standardise la fourniture d'outils aux agents SageMaker AI et Bedrock centralisent l'accès aux modèles closed source et open source via API unique AWS mise sur l'évolution des chatbots vers des systèmes agentiques optimisés avec modèles plus frugaux Debezium 3.4 amène plusieurs améliorations intéressantes https://debezium.io/blog/2025/12/16/debezium-3-4-final-released/ Correction du problème de calcul du low watermark Oracle qui causait des pertes de performance Correction de l'émission des événements heartbeat dans le connecteur Oracle avec les requêtes CTE Amélioration des logs pour comprendre les transactions actives dans le connecteur Oracle Memory guards pour protéger contre les schémas de base de données de grande taille Support de la transformation des coordonnées géométriques pour une meilleure gestion des données spatiales Extension Quarkus DevServices permettant de démarrer automatiquement une base de données et Debezium en dev Intégration OpenLineage pour tracer la lignée des données et suivre leur flux à travers les pipelines Compatibilité testée avec Kafka Connect 4.1 et Kafka brokers 4.1 Infinispan 16.0.4 et .5 https://infinispan.org/blog/2025/12/17/infinispan-16-0-4 Spring Boot 4 et Spring 7 supportés Evolution dans les metriques Deux bugs de serialisation Construire un agent de recherche en Java avec l'API Interactions https://glaforge.dev/posts/2026/01/03/building-a-research-assistant-with-the-interactions-api-in-java/ Assistant de recherche IA Java (API Interactions Gemini), test du SDK implémenté par Guillaume. Workflow en 4 phases : Planification : Gemini Flash + Google Search. Recherche : Modèle "Deep Research" (tâche de fond). Synthèse : Gemini Pro (rapport exécutif). Infographie : Nano Banana Pro (à partir de la synthèse). API Interactions : gestion d'état serveur, tâches en arrière-plan, réponses multimodales (images). Appréciation : gestion d'état de l'API (vs LLM sans état). Validation : efficacité du SDK Java pour cas complexes. Stephan Janssen (le papa de Devoxx) a créé un serveur MCP (Model Context Protocol) basé sur LSP (Language Server Protocol) pour que les assistants de code analysent le code en le comprenant vraiment plutôt qu'en faisant des grep https://github.com/stephanj/LSP4J-MCP Le problème identifié : Les assistants IA utilisent souvent la recherche textuelle (type grep) pour naviguer dans le code, ce qui manque de contexte sémantique, génère du bruit (faux positifs) et consomme énormément de tokens inutilement. La solution LSP4J-MCP : Une approche "standalone" (autonome) qui encapsule le serveur de langage Eclipse (JDTLS) via le protocole MCP (Model Context Protocol). Avantage principal : Offre une compréhension sémantique profonde du code Java (types, hiérarchies, références) sans nécessiter l'ouverture d'un IDE lourd comme IntelliJ. Comparaison des méthodes : AST : Trop léger (pas de compréhension inter-fichiers). IntelliJ MCP : Puissant mais exige que l'IDE soit ouvert (gourmand en ressources). LSP4J-MCP : Le meilleur des deux mondes pour les workflows en terminal, à distance (SSH) ou CI/CD. Fonctionnalités clés : Expose 5 outils pour l'IA (find_symbols, find_references, find_definition, document_symbols, find_interfaces_with_method). Résultats : Une réduction de 100x des tokens utilisés pour la navigation et une précision accrue (distinction des surcharges, des scopes, etc.). Disponibilité : Le projet est open source et disponible sur GitHub pour intégration immédiate (ex: avec Claude Code, Gemini CLI, etc). A noter l'ajout dans claude code 2.0.74 d'un tool pour supporter LSP ( https://github.com/anthropics/claude-code/blob/main/CHANGELOG.md#2074 ) Awesome (GitHub) Copilot https://github.com/github/awesome-copilot Une collection communautaire d'instructions, de prompts et de configurations pour optimiser l'utilisation de GitHub Copilot. Propose des "Agents" spécialisés qui s'intègrent aux serveurs MCP pour améliorer les flux de travail spécifiques. Inclut des prompts ciblés pour la génération de code, la documentation et la résolution de problèmes complexes. Fournit des instructions détaillées sur les standards de codage et les meilleures pratiques applicables à divers frameworks. Propose des "Skills" (compétences) sous forme de dossiers contenant des ressources pour des tâches techniques spécialisées. (les skills sont dispo dans copilot depuis un mois : https://github.blog/changelog/2025-12-18-github-copilot-now-supports-agent-skills/ ) Permet une installation facile via un serveur MCP dédié, compatible avec VS Code et Visual Studio. Encourage la contribution communautaire pour enrichir les bibliothèques de prompts et d'agents. Aide à augmenter la productivité en offrant des solutions pré-configurées pour de nombreux langages et domaines. Garanti par une licence MIT et maintenu activement par des contributeurs du monde entier. IA et productivité : bilan de l'année 2025 (Laura Tacho - DX)) https://newsletter.getdx.com/p/ai-and-productivity-year-in-review?aid=recNfypKAanQrKszT En 2025, l'ingénierie assistée par l'IA est devenue la norme : environ 90 % des développeurs utilisent des outils d'IA mensuellement, et plus de 40 % quotidiennement. Les chercheurs (Microsoft, Google, GitHub) soulignent que le nombre de lignes de code (LOC) reste un mauvais indicateur d'impact, car l'IA génère beaucoup de code sans forcément garantir une valeur métier supérieure. Si l'IA améliore l'efficacité individuelle, elle pourrait nuire à la collaboration à long terme, car les développeurs passent plus de temps à "parler" à l'IA qu'à leurs collègues. L'identité du développeur évolue : il passe de "producteur de code" à un rôle de "metteur en scène" qui délègue, valide et exerce son jugement stratégique. L'IA pourrait accélérer la montée en compétences des développeurs juniors en les forçant à gérer des projets et à déléguer plus tôt, agissant comme un "accélérateur" plutôt que de les rendre obsolètes. L'accent est mis sur la créativité plutôt que sur la simple automatisation, afin de réimaginer la manière de travailler et d'obtenir des résultats plus impactants. Le succès en 2026 dépendra de la capacité des entreprises à cibler les goulots d'étranglement réels (dette technique, documentation, conformité) plutôt que de tester simplement chaque nouveau modèle d'IA. La newsletter avertit que les titres de presse simplifient souvent à l'excès les recherches sur l'IA, masquant parfois les nuances cruciales des études réelles. Un développeur décrit dans un article sur Twitter son utilisation avancée de Claude Code pour le développement, avec des sous-agents, des slash-commands, comment optimiser le contexte, etc. https://x.com/AureaLibe/status/2008958120878330329?s=20 Outillage IntelliJ IDEA, thread dumps et project Loom (virtual threads) - https://blog.jetbrains.com/idea/2025/12/thread-dumps-and-project-loom-virtual-threads/ Les virtual threads Java améliorent l'utilisation du matériel pour les opérations I/O parallèles avec peu de changements de code Un serveur peut maintenant gérer des millions de threads au lieu de quelques centaines Les outils existants peinent à afficher et analyser des millions de threads simultanément Le débogage asynchrone est complexe car le scheduler et le worker s'exécutent dans des threads différents Les thread dumps restent essentiels pour diagnostiquer deadlocks, UI bloquées et fuites de threads Netflix a découvert un deadlock lié aux virtual threads en analysant un heap dump, bug corrigé dans Java 25. Mais c'était de la haute voltige IntelliJ IDEA supporte nativement les virtual threads dès leur sortie avec affichage des locks acquis IntelliJ IDEA peut ouvrir des thread dumps générés par d'autres outils comme jcmd Le support s'étend aussi aux coroutines Kotlin en plus des virtual threads Quelques infos sur IntelliJ IDEA 2025.3 https://blog.jetbrains.com/idea/2025/12/intellij-idea-2025-3/ Distribution unifiée regroupant davantage de fonctionnalités gratuites Amélioration de la complétion des commandes dans l'IDE Nouvelles fonctionnalités pour le débogueur Spring Thème Islands devient le thème par défaut Support complet de Spring Boot 4 et Spring Framework 7 Compatibilité avec Java 25 Prise en charge de Spring Data JDBC et Vitest 4 Support natif de Junie et Claude Agent pour l'IA Quota d'IA transparent et option Bring Your Own Key à venir Corrections de stabilité, performance et expérience utilisateur Plein de petits outils en ligne pour le développeur https://blgardner.github.io/prism.tools/ génération de mot de passe, de gradient CSS, de QR code encodage décodage de Base64, JWT formattage de JSON, etc. resumectl - Votre CV en tant que code https://juhnny5.github.io/resumectl/ Un outil en ligne de commande (CLI) écrit en Go pour générer un CV à partir d'un fichier YAML. Permet l'exportation vers plusieurs formats : PDF, HTML, ou un affichage direct dans le terminal. Propose 5 thèmes intégrés (Modern, Classic, Minimal, Elegant, Tech) personnalisables avec des couleurs spécifiques. Fonctionnalité d'initialisation (resumectl init) permettant d'importer automatiquement des données depuis LinkedIn et GitHub (projets les plus étoilés). Supporte l'ajout de photos avec des options de filtre noir et blanc ou de forme (rond/carré). Inclut un mode "serveur" (resumectl serve) pour prévisualiser les modifications en temps réel via un navigateur local. Fonctionne comme un binaire unique sans dépendances externes complexes pour les modèles. mactop - Un moniteur "top" pour Apple Silicon https://github.com/metaspartan/mactop Un outil de surveillance en ligne de commande (TUI) conçu spécifiquement pour les puces Apple Silicon (M1, M2, M3, M4, M5). Permet de suivre en temps réel l'utilisation du CPU (E-cores et P-cores), du GPU et de l'ANE (Neural Engine). Affiche la consommation électrique (wattage) du système, du CPU, du GPU et de la DRAM. Fournit des données sur les températures du SoC, les fréquences du GPU et l'état thermique global. Surveille l'utilisation de la mémoire vive, de la swap, ainsi que l'activité réseau et disque (E/S). Propose 10 mises en page (layouts) différentes et plusieurs thèmes de couleurs personnalisables. Ne nécessite pas l'utilisation de sudo car il s'appuie sur les API natives d'Apple (SMC, IOReport, IOKit). Inclut une liste de processus détaillée (similaire à htop) avec la possibilité de tuer des processus directement depuis l'interface. Offre un mode "headless" pour exporter les métriques au format JSON et un serveur optionnel pour Prometheus. Développé en Go avec des composants en CGO et Objective-C. Adieu direnv, Bonjour misehttps://codeka.io/2025/12/19/adieu-direnv-bonjour-mise/ L'auteur remplace ses outils habituels (direnv, asdf, task, just) par un seul outil polyvalent écrit en Rust : mise. mise propose trois fonctions principales : gestionnaire de paquets (langages et outils), gestionnaire de variables d'environnement et exécuteur de tâches. Contrairement à direnv, il permet de gérer des alias et utilise un fichier de configuration structuré (mise.toml) plutôt que du scripting shell. La configuration est hiérarchique, permettant de surcharger les paramètres selon les répertoires, avec un système de "trust" pour la sécurité. Une "killer-feature" soulignée est la gestion des secrets : mise s'intègre avec age pour chiffrer des secrets (via clés SSH) directement dans le fichier de configuration. L'outil supporte une vaste liste de langages et d'outils via un registre interne et des plugins (compatibilité avec l'écosystème asdf). Il simplifie le workflow de développement en regroupant l'installation des outils et l'automatisation des tâches au sein d'un même fichier. L'auteur conclut sur la puissance, la flexibilité et les excellentes performances de l'outil après quelques heures de test. Claude Code v2.1.0 https://github.com/anthropics/claude-code/blob/main/CHANGELOG.md#210 Rechargement à chaud des "skills" : Les modifications apportées aux compétences dans ~/.claude/skills sont désormais appliquées instantanément sans redémarrer la session. Sous-agents et forks : Support de l'exécution de compétences et de commandes slash dans un contexte de sous-agent forké via context: fork. Réglages linguistiques : Ajout d'un paramètre language pour configurer la langue de réponse par défaut (ex: language: "french"). Améliorations du terminal : Shift+Enter fonctionne désormais nativement dans plusieurs terminaux (iTerm2, WezTerm, Ghostty, Kitty) sans configuration manuelle. Sécurité et correction de bugs : Correction d'une faille où des données sensibles (clés API, tokens OAuth) pouvaient apparaître dans les logs de débogage. Nouvelles commandes slash : Ajout de /teleport et /remote-env pour les abonnés claude.ai afin de gérer des sessions distantes. Mode Plan : Le raccourci /plan permet d'activer le mode plan directement depuis le prompt, et la demande de permission à l'entrée de ce mode a été supprimée. Vim et navigation : Ajout de nombreux mouvements Vim (text objects, répétitions de mouvements f/F/t/T, indentations, etc.). Performance : Optimisation du temps de démarrage et du rendu terminal pour les caractères Unicode/Emoji. Gestion du gitignore : Support du réglage respectGitignore dans settings.json pour contrôler le comportement du sélecteur de fichiers @-mention. Méthodologies 200 déploiements en production par jour, même le vendredi : retours d'expérience https://mcorbin.fr/posts/2025-03-21-deploy-200/ Le déploiement fréquent, y compris le vendredi, est un indicateur de maturité technique et augmente la productivité globale. L'excellence technique est un atout stratégique indispensable pour livrer rapidement des produits de qualité. Une architecture pragmatique orientée services (SOA) facilite les déploiements indépendants et réduit la charge cognitive. L'isolation des services est cruciale : un développeur doit pouvoir tester son service localement sans dépendre de toute l'infrastructure. L'automatisation via Kubernetes et l'approche GitOps avec ArgoCD permettent des déploiements continus et sécurisés. Les feature flags et un système de permissions solide permettent de découpler le déploiement technique de l'activation fonctionnelle pour les utilisateurs. L'autonomie des développeurs est renforcée par des outils en self-service (CLI maison) pour gérer l'infrastructure et diagnostiquer les incidents sans goulot d'étranglement. Une culture d'observabilité intégrée dès la conception permet de détecter et de réagir rapidement aux anomalies en production. Accepter l'échec comme inévitable permet de concevoir des systèmes plus résilients capables de se rétablir automatiquement. "Vibe Coding" vs "Prompt Engineering" : l'IA et le futur du développement logiciel https://www.romenrg.com/blog/2025/12/25/vibe-coding-vs-prompt-engineering-ai-and-the-future-of-software-development/ L'IA est passée du statut d'expérimentation à celui d'infrastructure essentielle pour le développement de logiciels en 2025. L'IA ne remplace pas les ingénieurs, mais agit comme un amplificateur de leurs compétences, de leur jugement et de la qualité de leur réflexion. Distinction entre le "Vibe Coding" (rapide, intuitif, idéal pour les prototypes) et le "Prompt Engineering" (délibéré, contraint, nécessaire pour les systèmes maintenables). L'importance cruciale du contexte ("Context Engineering") : l'IA devient réellement puissante lorsqu'elle est connectée aux systèmes réels (GitHub, Jira, etc.) via des protocoles comme le MCP. Utilisation d'agents spécialisés (écriture de RFC, revue de code, architecture) plutôt que de modèles génériques pour obtenir de meilleurs résultats. Émergence de l'ingénieur "Technical Product Manager" capable d'abattre seul le travail d'une petite équipe grâce à l'IA, à condition de maîtriser les fondamentaux techniques. Le risque majeur : l'IA permet d'aller très vite dans la mauvaise direction si le jugement humain et l'expérience font défaut. Le niveau d'exigence global augmente : les bases techniques solides deviennent plus importantes que jamais pour éviter l'accumulation de dette technique rapide. Une revue de code en solo (Kent Beck) ! https://tidyfirst.substack.com/p/party-of-one-for-code-review?r=64ov3&utm_campaign=post&utm_medium=web&triedRedirect=true La revue de code traditionnelle, héritée des inspections formelles d'IBM, s'essouffle car elle est devenue trop lente et asynchrone par rapport au rythme du développement moderne. Avec l'arrivée de l'IA ("le génie"), la vitesse de production du code dépasse la capacité de relecture humaine, créant un goulot d'étranglement majeur. La revue de code doit évoluer vers deux nouveaux objectifs prioritaires : un "sanity check" pour vérifier que l'IA a bien fait ce qu'on lui demandait, et le contrôle de la dérive structurelle de la base de code. Maintenir une structure saine est crucial non seulement pour les futurs développeurs humains, mais aussi pour que l'IA puisse continuer à comprendre et modifier le code efficacement sans perdre le contexte. Kent Beck expérimente des outils automatisés (comme CodeRabbit) pour obtenir des résumés et des schémas d'architecture afin de garder une conscience globale des changements rapides. Même si les outils automatisés sont utiles, le "Pair Programming" reste irremplaçable pour la richesse des échanges et la pression sociale bénéfique qu'il impose à la réflexion. La revue de code solo n'est pas une fin en soi, mais une adaptation nécessaire lorsque l'on travaille seul avec des outils de génération de code augmentés. Loi, société et organisation Lego lance les Lego Smart Play, avec des Brique, des Smart Tags et des Smart Figurines pour faire de nouvelles constructions interactives avec des Legos https://www.lego.com/fr-fr/smart-play LEGO SMART Play : technologie réactive au jeu des enfants. Trois éléments clés : SMART Brique : Brique LEGO 2x4 "cerveau". Accéléromètre, lumières réactives, détecteur de couleurs, synthétiseur sonore. Réagit aux mouvements (tenir, tourner, taper). SMART Tags : Petites pièces intelligentes. Indiquent à la SMART Brique son rôle (ex: hélicoptère, voiture) et les sons à produire. Activent sons, mini-jeux, missions secrètes. SMART Minifigurines : Activées près d'une SMART Brique. Révèlent des personnalités uniques (sons, humeurs, réactions) via la SMART Brique. Encouragent l'imagination. Fonctionnement : SMART Brique détecte SMART Tags et SMART Minifigurines. Réagit aux mouvements avec lumières et sons dynamiques. Compatibilité : S'assemble avec les briques LEGO classiques. Objectif : Créer des expériences de jeu interactives, uniques et illimitées. Conférences La liste des conférences provenant de Developers Conferences Agenda/List par Aurélie Vache et contributeurs : 14-17 janvier 2026 : SnowCamp 2026 - Grenoble (France) 22 janvier 2026 : DevCon #26 : sécurité / post-quantique / hacking - Paris (France) 28 janvier 2026 : Software Heritage Symposium - Paris (France) 29-31 janvier 2026 : Epitech Summit 2026 - Paris - Paris (France) 2-5 février 2026 : Epitech Summit 2026 - Moulins - Moulins (France) 3 février 2026 : Cloud Native Days France 2026 - Paris (France) 3-4 février 2026 : Epitech Summit 2026 - Lille - Lille (France) 3-4 février 2026 : Epitech Summit 2026 - Mulhouse - Mulhouse (France) 3-4 février 2026 : Epitech Summit 2026 - Nancy - Nancy (France) 3-4 février 2026 : Epitech Summit 2026 - Nantes - Nantes (France) 3-4 février 2026 : Epitech Summit 2026 - Marseille - Marseille (France) 3-4 février 2026 : Epitech Summit 2026 - Rennes - Rennes (France) 3-4 février 2026 : Epitech Summit 2026 - Montpellier - Montpellier (France) 3-4 février 2026 : Epitech Summit 2026 - Strasbourg - Strasbourg (France) 3-4 février 2026 : Epitech Summit 2026 - Toulouse - Toulouse (France) 4-5 février 2026 : Epitech Summit 2026 - Bordeaux - Bordeaux (France) 4-5 février 2026 : Epitech Summit 2026 - Lyon - Lyon (France) 4-6 février 2026 : Epitech Summit 2026 - Nice - Nice (France) 5 février 2026 : Web Days Convention - Aix-en-Provence (France) 12 février 2026 : Strasbourg Craft #1 - Strasbourg (France) 12-13 février 2026 : Touraine Tech #26 - Tours (France) 19 février 2026 : ObservabilityCON on the Road - Paris (France) 6 mars 2026 : WordCamp Nice 2026 - Nice (France) 18-19 mars 2026 : Agile Niort 2026 - Niort (France) 20 mars 2026 : Atlantique Day 2026 - Nantes (France) 26 mars 2026 : Data Days Lille - Lille (France) 26-27 mars 2026 : SymfonyLive Paris 2026 - Paris (France) 26-27 mars 2026 : REACT PARIS - Paris (France) 27-29 mars 2026 : Shift - Nantes (France) 31 mars 2026 : ParisTestConf - Paris (France) 1 avril 2026 : AWS Summit Paris - Paris (France) 2 avril 2026 : Pragma Cannes 2026 - Cannes (France) 9-10 avril 2026 : AndroidMakers by droidcon - Paris (France) 16-17 avril 2026 : MiXiT 2026 - Lyon (France) 22-24 avril 2026 : Devoxx France 2026 - Paris (France) 23-25 avril 2026 : Devoxx Greece - Athens (Greece) 24-25 avril 2026 : Faiseuses du Web 5 - Dinan (France) 6-7 mai 2026 : Devoxx UK 2026 - London (UK) 22 mai 2026 : AFUP Day 2026 Lille - Lille (France) 22 mai 2026 : AFUP Day 2026 Paris - Paris (France) 22 mai 2026 : AFUP Day 2026 Bordeaux - Bordeaux (France) 22 mai 2026 : AFUP Day 2026 Lyon - Lyon (France) 29 mai 2026 : NG Baguette Conf 2026 - Paris (France) 5 juin 2026 : TechReady - Nantes (France) 5 juin 2026 : Fork it! - Rouen - Rouen (France) 6 juin 2026 : Polycloud - Montpellier (France) 11-12 juin 2026 : DevQuest Niort - Niort (France) 11-12 juin 2026 : DevLille 2026 - Lille (France) 12 juin 2026 : Tech F'Est 2026 - Nancy (France) 17-19 juin 2026 : Devoxx Poland - Krakow (Poland) 17-20 juin 2026 : VivaTech - Paris (France) 2 juillet 2026 : Azur Tech Summer 2026 - Valbonne (France) 2-3 juillet 2026 : Sunny Tech - Montpellier (France) 3 juillet 2026 : Agile Lyon 2026 - Lyon (France) 2 août 2026 : 4th Tech Summit on Artificial Intelligence & Robotics - Paris (France) 4 septembre 2026 : JUG Summer Camp 2026 - La Rochelle (France) 17-18 septembre 2026 : API Platform Conference 2026 - Lille (France) 24 septembre 2026 : PlatformCon Live Day Paris 2026 - Paris (France) 1 octobre 2026 : WAX 2026 - Marseille (France) 1-2 octobre 2026 : Volcamp - Clermont-Ferrand (France) 5-9 octobre 2026 : Devoxx Belgium - Antwerp (Belgium) Nous contacter Pour réagir à cet épisode, venez discuter sur le groupe Google https://groups.google.com/group/lescastcodeurs Contactez-nous via X/twitter https://twitter.com/lescastcodeurs ou Bluesky https://bsky.app/profile/lescastcodeurs.com Faire un crowdcast ou une crowdquestion Soutenez Les Cast Codeurs sur Patreon https://www.patreon.com/LesCastCodeurs Tous les épisodes et toutes les infos sur https://lescastcodeurs.com/
Tracklisting:1. Twolate, Les Castizos - Bulla - Toolroom Trax2. Raumakustik x Panik Pop - Lick My Power - Alleanza3. Jewel Kid - Work - In-Rotation (Insomniac)4. Acid Harry - Loca - Alleanza5. Jewel Kid - Prima - In-Rotation (Insomniac)6. Tony Romera & Jewel Kid - Right Back - Alleanza7. Low Steppa & Jewel Kid - Pull Up - Alleanza8. Alex Now (ES), Dario Nunez & Ron Carroll - Our House - Golden Recordings9. Dario Nunez, Javi Colina - Tiki Tiki - Toolroom Trax10. Liam Cox - Out of Control - Realm11. Maur vs Dave Spoon - At Night - Toolroom12. Sergei Rez - Spanish Vibe - Darklight Recordings13. Jesus Fernandez - Old Skool - Toolroom Trax14. Tal Fussman - Freedom Defines House - Rekids15. Andruss, Hugel, Fatboi - Pega - Black Book Records16. Dario Nunez - Take This Out - HoTL Records17. Tony Cortez - La Murga - Golden Recordings
In the first installment of our three-part solo travel series, Zakiya Gibbons, host of dating podcast Hang Up, recounts a pretty glamorous work trip to Cannes—and shares how she navigated moments of loneliness, figured out ways to prioritize downtime and actually see the destination, and even managed to squeeze in a date.
Award Winning HBO Actor Newton Mayenge is best known for his role as NBA Legend Jim Chones on the HBO series Winning Time: The Rise of the Lakers Dynasty. The youngest of four children; Mayenge's parents are of African descent from the Democratic Republic of Congo (Formerly Zaire). With a passion for basketball, he played all through his younger years and received scholarships and played in college. After graduating from the University of North Carolina with dual Bachelor of Arts degrees in Political Science and African-American Studies, he played professional basketball in Germany. After a car crash ended his dreams of playing in the NBA, he turned to his next love, performing. Since then, he has been seen on fashion show runways in Paris, New York, Los Angeles, Miami and Palm Springs. He has also been on book covers and in various films. Newton is also the Host of The League Talk Show produced by his wife Actress Whitney Bowers. In the winter of 2024 Newton is slated to star in the new Cannes-France film The Other Side of Fame and he has many other projects in the works. Listen to the conversation, get some good news, and have some laughs with the guys on Good Things Are Happening. Visit us on the web at https://www.goodthingspod.com/ Patreon: https://www.patreon.com/goodthingsarehappeningpodcast/
#clubambition #drake #kendricklamar Club Ambition Podcast "CAP" Episode 138 https://linktr.ee/clubambition UNCUT PATREON https://www.patreon.com/ClubAmbition DISCORD COMMUNITY: https://discord.com/invite/M8Kmha8Uqv SPONSORED Underdog Fantasy promo code "AMBITION" for $100 https://play.underdogfantasy.com/p-club-ambition MERCH: https://clubambition.shop Listen To Podcasts: https://podcasters.spotify.com/pod/show/clubambition El Po K our spanish podcast https://www.youtube.com/playlist?list=PLNukP3hLjNb_ITL34h3Gjue3z9KWiF-px Watch CAP: https://www.youtube.com/watch?v=W4YVeSYZi28&list=PLNukP3hLjNb_zwvsdwqTOGvgBb-_Ym2mL&pp=gAQBiAQB Timestamps - CAP Episode 138 Memorial Day glizzys 0:00 - RIP Bill Walton 12:40 - Rhode Island news 14:30 - Cassie speaks on Diddy and new lawsuit by woman 26:30 - Joe Budden & Tahiry allegations 39:00 - 50 Cent sells Diddy doc, Mase rumor & gay rumor 54:35 - Live Nation & Ticketmaster case 1:04:50 - Lil Yachty back on lean 1:27:05 - Trump pandering Sheff G & Sleepy Hallow 1:34:36 - New Drake & J Cole verses, Grippy and Sexyy Red 1:43:17 - Celtics Sweep! Pacers live while filming 1:57:50 - Drake Sexyy Red verse? 2:11:40 - Vory a Drake ghostwriter? Mob Ties 2:19:40 - Funny moment between Metro and 21 Savage 2:25:00 - Travis Scott & Tyga fight breakdown, whats going on in Cannes France? 2:28:43 - Top 100 albums Apple Music list 2:38:35 - Terrence Howard on Joe Rogan viral 2:45:15 - Recap Baby Reindeer show 2:56:30 - Reviewing Shane Gillis “Tires” Netflix show 2:57:45 - Recap Tom Brady roast, edgy comedy is back 2:59:25 - Forrest Gump Tom Hanks reacts to Drake beef 3:06:51 FOLLOW US! Podcast IG: https://www.instagram.com/clubambitionpodcast/ Owner/Host/Editor | SOUND: https://www.instagram.com/itsavibe/ CAP Co-Host / Producer | Marloon: https://www.instagram.com/imfromthe401/ CAP Co-Host | Noel: https://www.instagram.com/noelfrias_/ El Po K Host | Maestro Vitiko: https://www.instagram.com/vitiko_baez_el_po_k?utm_source=ig_web_button_share_sheet&igsh=ZDNlZDc0MzIxNw== El Po K Co-Host | Locotron: https://www.instagram.com/iambenjaminrd?utm_source=ig_web_button_share_sheet&igsh=ZDNlZDc0MzIxNw== Graphic Designer | Edwin: https://www.instagram.com/edrebels/ TikTok: https://www.tiktok.com/@clubambition/ Twitter: https://twitter.com/ClubAmbition__/ ----------------------------------------------------------- Want a promo snippet of your song at the beginning of the video? Email us if interested in business! - ClubAmbition401@Gmail.com - ------------------------------------------------------------- RIP: Nipsey, Mac, XXXtentacion, Juice, Pop, Von, DMX, Virgil, Dolph, Takeoff --------------------------------------------------------------------- COPYRIGHT DISCLAIMER ALL RIGHTS BELONG TO THEIR RESPECTIVE OWNERS --- Support this podcast: https://podcasters.spotify.com/pod/show/clubambition/support
UNDRAFTED ALLSTARZ SPORTS SHOW LIVE ON HOT7025FM.COM! Special guest Jevon Banks joined the show! 1. Nba playoffs recap 2. Austin Rivers there is 30 nba players who can go play NFL football right now!? 3. CC debut game and 2nd game 4. Las Vegas Aces opening game win 5. NfL schedules 6. Puff video of him hitting, kicking, dragging Cassie! Do we now believe all the things Cassie said he did? Tune in dammit. We LIT! UNDRAFTED ALLSTARZ SPORTS SHOW LIVE ON HOT7025FM.COM! --- Support this podcast: https://podcasters.spotify.com/pod/show/undrafted-allstarz/support
The Cybercrime Wire, hosted by Scott Schober, provides boardroom and C-suite executives, CIOs, CSOs, CISOs, IT executives and cybersecurity professionals with a breaking news story we're following. If there's a cyberattack, hack, or data breach you should know about, then we're on it. Listen to the podcast daily and hear it every hour on WCYB. The Cybercrime Wire is brought to you Cybercrime Magazine, Page ONE for Cybersecurity at https://cybercrimemagazine.com. • For more breaking news, visit https://cybercrimewire.com
Teatime with Miss LizFebruary 15th, 7 pm ESTEVENING TEAJOIN US FOR THE LIVE SHOW WHERE YOU CAN BRING YOUR QUESTIONS, COMMENTS AND SUPPORT TO MAKE A DIFFERENCE TOGETHER. WITH A QUICK SUBSCRIPTION TO THE MISS LIZS YOUTUBE CHANNEL BELOW:https://youtube.com/@misslizsteatimes?si=5eu0--BgowGVVHKqMEET MY GUEST:Glenda BenevidesLive Performance and Philanthropy - Music that makes a differenceGlenda Benevides is an award-winning, Recording Academy voting member,GRAMMY® considered a singer-songwriter who weaves stories that touch the soul. Imagine the soul-singing love child of Heart, Janis Joplin, and Bessie Smith and that is Glenda. A powerfully resonant voice, emanating with blues and soul, demanding attention, calling to action anduplifting the very fabric of love shared amongst us all...Like a wild tent revival preacher, Glenda's sermon is empowerment, enlightenment and building bridges of understanding all wrapped in powerful self-expression that moves you from the head to the feet!Glenda Benevides was born in Oakland Ca and has been singing professionally since 16. Deeply influenced by classic vocalist Sarah Vaughan Rachelle Ferrell to Staple Singers, her soul's expression and intention are of the heart. Glenda has toured from Japan to the EU to the UK on through Canada leaving no stone unturned to light a fire on the dance floor.Glenda's career has included singing and performing for the South African Film Festival in Cannes France, The Brava theatre for a women's fundraiser gala in San Francisco, the Popkomm Music conference in Berlin, a Beverly Wilshire, Los Angeles solo performance for best-selling author Harv Ecker (Millionaire Mind seminars) and a guest appearance at the Crown Plaza in Santiago, Chile to a Presidential fundraiser for Dennis Kucinich at the Kuumbwas Jazz Center in Santa Cruz, CA and 2017 a rally for Alabama Dem Senator Doug Jones.Glenda has also produced many of her live performances, a web series, and music videos and has been the creative director and producer for many private events such as an exclusive fundraising gala for The Shakespeare Society of America, Foundation for Climate Restoration and donates a percentage from her music sales to One Tree Planted.Glenda also started her own record company Good Witch Records in 2004, along with Mirror Speaks The Truth productions for music in film and T. Glenda, wrote and developed a TV script called Never Give Up. She started Global Badass Goddess online Magazine and podcast in 2018, featuring women from around the world sharing stories of inspiration and empowerment. She now has a Glenda Benevides Music podcast to share stories from extraordinary artists in their trials and triumphs.Glenda is an author of Courage, Find Your Fire and Ignite Action in Your Life along with Own The Goddess Within e-book and workshop.Glenda has worked and sung with artists Toto, Jeffrey Osborne, Pink Martini and Broadway artists of "Aida" fame, Damian Perkins, and Steve Smith of Dirty Vegas, to name a few.Awards include AOF Action on Film International LA Film Festival X 2014 award winner for Best Score, Original Composition Change - Orphans in the Storm.YOUTUBE: youtube.com/c/glendabenevidesW: glendabenevides.comIG: glendabenevidesmusicLINKED IN: https://www.linkedin.com/in/glendabenevides/BUY MUSIC: https://glendabenevides.bandcamp.comSPOTIFY STREAM: https://open.spotify.com/artist/ 7iEMzMaMTNsw7uw1Ivq59S#teatimewithmissliz#misslizteatime#makingadifferencetogether#GrammyArtist#songwriter#musician#philanthropy#singersongwriter#awardwinning#womanempowerment#magazine#filmfestival#authorlife#creativeart#producer#director#musicvideos#podcastshow#joinus#livestreaming#LikeFollowShare
Peter M from Primary Purpose Group in Cannes France leads this Big Book Study Session on The Family Afterwards from page 122 to end of chapter. This was recorded in August of 2022 at The Global Lock-down Group in India. Email: sobercast@gmail.com Support Sober Cast: https://sobercast.com/donate AA Event List: https://scast.us/events If you have an AA roundup, retreat, convention or workshop coming up, we would be happy to give you a shout out here on the podcast and list the event on the Sober Cast website. Visit the link above and look for "Submit Your Event" in the blue box. Sober Cast has 2400+ episodes available, visit SoberCast.com to access all the episodes where you can easily find topics or specific speakers using tags or search. https://sobercast.com
Glenda Benevides is an award-winning, Recording Academy voting member, GRAMMY® considered a singer-songwriter who weaves stories that touch the soul. Imagine the soul-singing love child of Heart, Janis Joplin, and Bessie Smith and that is Glenda. A powerfully resonant voice, emanating with blues and soul, demanding attention, calling to action, and uplifting the very fabric of love shared amongst us all... Like a wild tent revival preacher, Glenda's sermon is empowerment, enlightenment, and building bridges of understanding all wrapped in powerful self-expression that moves you from the head to the feet! Glenda Benevides was born in Oakland Ca and has been singing professionally since 16. Deeply influenced by classic vocalist Sarah Vaughan to Rachelle Ferrell to Staple Singers, her soul's expression and intention are of the heart. Glenda has toured from Japan to the EU to the UK on through Canada leaving no stone unturned to light a fire on the dance floor. Glenda's career has included singing and performing for the South African Film Festival in Cannes France, The Brava theater for a women's fundraiser gala in San Francisco, the Popkomm Music conference in Berlin, a Beverly Wilshire, Los Angeles solo performance for best-selling author Harv Ecker (Millionaire Mind seminars), and a guest appearance at the Crown Plaza in Santiago, Chile to a Presidential fundraiser for Dennis Kucinich at the Kuumbwas Jazz Center in Santa Cruz, CA, and in 2017 a rally for Alabama Dem Senator Doug Jones. Glenda has also produced many of her live performances, a web series, music videos, and has been the creative director and producer for many private events such as an exclusive fundraising gala for The Shakespeare Society of America, and the Foundation for Climate Restoration and donates a percentage from her music sales to One Tree Planted. Glenda also started her own record company Good Witch Records in 2004, along with Mirror Speaks The Truth productions for music in film and TV. Glenda wrote and developed a TV script called Never Give Up. She started Global Badass Goddess online Magazine and podcast in 2018, which features women from around the world sharing stories of inspiration and empowerment. She now has Glenda Benevides Music podcast to share stories from extraordinary artists in their trials and triumphs. Glenda is the author of Courage, Find Your Fire, and Ignite Action in Your Life along with Own The Goddess Within e-book and workshop. Glenda has worked and sung with artists Toto, Jeffrey Osborne, Pink Martini and Broadway artist of "Aida" fame, Damian Perkins, and Steve Smith of Dirty Vegas, just to name a few. Awards include: AOF Action on Film International LA Film Festival X 2014 award winner for Best Score, Original Composition Change - Orphans in the Storm. YOUTUBE: youtube.com/c/glendabenevides W: glendabenevides.com IG: glendabenevidesmusic LINKED IN: https://www.linkedin.com/in/glendabenevides/ BUY MUSIC: https://glendabenevides.bandcamp.com SPOTIFY STREAM: https://open.spotify.com/artist/ 7iEMzMaMTNsw7uw1Ivq59S Learn more about your host, Kim Lengling at www.kimlenglingauthor.com --- Send in a voice message: https://podcasters.spotify.com/pod/show/letfearbouncepodcast/message
Season 7 – Gap Year: Mediterranean Europe Episode 4 You've probably heard of the Cannes Film Festival, but did you know about its scandalous past? In this episode, we're going full celebrity mode, digging into the history behind the international film festival, which is known for defending a filmmakers' freedom of expression. But there's more to Cannes than epic yachts and film fun. The beach poses a great opportunity to relax, and the original Old Town offers excellent views of the ocean and the city. Not to mention, there's great shopping – including a flea market with designer vintage clothing. Looking for an affordable AirBnB? Consider the one we reserved (not sponsored): https://www.airbnb.com/rooms/34644781?guests=1&adults=1&s=67&unique_share_id=020b24d7-5e1c-46b5-92e4-042d5a3ec740 This episode is available wherever you listen to podcasts. But sometimes words aren't enough. You can see these adventures in our Cannes video: https://youtu.be/Ad7wBAMv3Wc Send us your feedback and thoughts via email at travelfomopodcast@gmail.com. Have your own travel story? Attach a voice memo to your email, and you could hear your own voice in a future podcast episode. --- Travel FOMO is hosted by a husband and wife duo, Jamin and Hilarie Houghton. Learn more about them at www.travelfomopodcast.com. You can subscribe to Travel FOMO in two different ways: (1) See their adventures on YouTube and (2) follow audibly from wherever you listen to podcasts. Why? Because they're traveling to 18 different countries during their gap year, and you won't want to miss it. Follow us on social media: Instagram: www.instagram.com/travelfomopodcast Facebook: www.facebook.com/travelfomopodcast TikTok: www.tiktok.com/@travelfomopodcast
This week's Eye on Travel Podcast with Peter Greenberg -- broadcasting from The International Luxury Travel Market in Cannes, France - the largest summit of high end hotels, airlines, cruise lines, tour operators -- and an indication of whose spending what, how much, and where, with some surprises. This year we have seen travel behavior change dramatically as people are willing to forgo purchasing luxury goods in favor of travel experiences. Amir Eylon, President and CEO of Longwoods International did the research, and he has the numbers. Then Peter sits down with Shannon Knapp, President and CEO of Leading Hotels of the World, a collection of more than 400 high end luxury hotels. Right now, hotels are getting about 40 percent higher rates than in 2019, and Knapp explains not only why, but how most hotels expect to maintain those rates. Then, Crystal Vinisse Thomas, Vice President & Global Brand Leader Hyatt Hotels Corporation on how Hyatt had to pivot quickly to adjust to changing traveler behavior -- and changing traveler demands. Plus, what this is doing to the hotel business model.See Privacy Policy at https://art19.com/privacy and California Privacy Notice at https://art19.com/privacy#do-not-sell-my-info.
This week's Eye on Travel Podcast with Peter Greenberg -- broadcasting from The International Luxury Travel Market in Cannes, France - the largest summit of high end hotels, airlines, cruise lines, tour operators -- and an indication of whose spending what, how much, and where, with some surprises. This year we have seen travel behavior change dramatically as people are willing to forgo purchasing luxury goods in favor of travel experiences. Amir Eylon, President and CEO of Longwoods International did the research, and he has the numbers. Then Peter sits down with Shannon Knapp, President and CEO of Leading Hotels of the World, a collection of more than 400 high end luxury hotels. Right now, hotels are getting about 40 percent higher rates than in 2019, and Knapp explains not only why, but how most hotels expect to maintain those rates. Then, Crystal Vinisse Thomas, Vice President & Global Brand Leader Hyatt Hotels Corporation on how Hyatt had to pivot quickly to adjust to changing traveler behavior -- and changing traveler demands. Plus, what this is doing to the hotel business model.See Privacy Policy at https://art19.com/privacy and California Privacy Notice at https://art19.com/privacy#do-not-sell-my-info.
Life since graduating! Miss Florida USA pageant, jewelry design, Cannes France & wisdom teeth!
Peter M from Primary purpose group in Cannes France leading a Big Book Study on the topic of the chapter How it works specifically on pages 62-67. This was recorded at the Global Lockdown Group in India sometime during the summer of 2022. Zoom Email: sobercast@gmail.com Support Sober Cast: https://sobercast.com/donate We have added a page of meetings that have moved online https://sobercast.com/online-meetings Sober Cast has 1900+ episodes available, visit SoberCast.com to access all the episodes where you can easily find topics or specific speakers using tags or search.
Chalene and Bret are spending 30 days in Europe! They plan to visit France, Italy and Greece. In this episode, they'll spill all the tea on their first week in Cannes, France! Download the Patreon App and Join The Chalene Show at patreon.com/TheChaleneShow Subscribe to Chalene's YouTube! New videos drop every Friday! Thank you to our show sponsor Gladskin go to Gladskin.com/chalene to get 15% off plus free shipping on your first order! Join our awesome PodSquad on Facebook here! Links You May Want to Check out: Subscribe to Build Your Tribe!!! Be sure to check out the limited time Push journal Build Your Own Bundle Special!! Join Phase it Up and start creating healthier habits, it isn't like other diets or programs! PhaseItUp.com Join the InstaClubHub to go deep in learning all the latest tips and strategies to Instagram growth and engagement! InstaClubHub.com Check out the new supplement multi packs I am Myself Again Check out all the Discounts and some of Chalene's favorite things at Chalene.com/Deals Leave Chalene a message at (619) 500-4819 Leave Chalene a Voicemail review or question HERE Join our awesome PodSquad on Facebook here! Go to Chalene.com/MyThing and see what your passion or hidden talents are!! Connect with me on your fav social platform: Instagram: www.Instagram.com/ChaleneJohnson Facebook: www.Facebook.com/Chalene TikTok: @chaleneOfficial Twitter: www.Twitter.com/ChaleneJohnson Sign Up For MY WEEKLY NEWSLETTER and you'll get FREE tips on how to live a ridiculously amazing fun-filled life! Be sure you are subscribed to this podcast to automatically receive your episodes!!! Get episode show notes here: www.chalenejohnson.com/podcast Hey! Send me a tweet & tell me what you think about the show! (Use the Hashtag) #The Chalene Show so I know you're a homie! XOXO Chalene
Episode Overview Episode 84 is the last of 2021. In this show, Chris answers a number of listener questions. Baz and Chris review the year and discuss the latest cruise newsSupport The ShowListen, Like, Subscribe & Review on your favourite podcast directory.Share the podcast with someone you think will enjoy the showBuy Me A Coffee – This podcast is only possible thanks to our supporters, simply buying a coffee keeps us on air. It is just like shouting your mate a coffee, and we consider our listeners close mates. https://bit.ly/2T2FYGXSustainable Fashion – choose a TBCP design or design your own… all using organic cotton, green energy and zero plastic https://bit.ly/32G7RdhSupport Chris in his walk from Cape to Cape: All donations support zero2hero empowering young people to deal with mental health. https://donate.mycause.com.au/cause/263123?donateToMember=156839Cruise NewsEnchanted Princess Officially Named in Original Production “Our World, Enchanted”Enchanted Princess, the 5th royal-class ship in the Princess Cruises fleet, was officially named today in a ceremony titled “Our World, Enchanted.” Hosted by Princess Cruises Celebrations Ambassador Jill Whelan and Enchanted Princess Cruise Director Dan Falconer, the original production introduced viewers to the ship's innovative features of the MedallionClass ship and shared some of Princess' history as a cruise industry leader.The ceremony honoured three members of The Explorers Club – Captain Lynn Danaher, Dr. Vicki Ferrini and Jenifer Austin – who served as the godmothers of Enchanted Princess. The notable godmothers have been recognised for their achievements in expeditions, oceanography and mapping the world's oceans.The 145,000-tonne, 3,660-guest ship represents an evolution of the design platform used for her sister ships – Royal Princess (2013), Regal Princess (2014), Majestic Princess (2017) and Sky Princess (2019) – offering an elevation of spectacular style and elegance distinguished by Princess. The ship's inaugural cruise season began November 10, with various 10-day Southern Caribbean itineraries, sailing roundtrip from Fort Lauderdale. The naming ceremony is available to watchhereCarnival Radiance Christened By Godmother Dr. Lucille O'NealIn a celebration of all things fun and family, Carnival Cruise Line christened its newest ship Carnival Radiance last night in a naming ceremony in Long Beach, Calif., with the ship's Godmother Dr. Lucille O'Neal and her son, Carnival Chief Fun Officer Shaquille O'Neal as featured guests of the event. Carnival Radiance underwent a $200 million bow-to-stern makeover and is Carnival's third ship sailing year-round from Long Beach, joining Carnival Panorama and Carnival Miracle.The heartfelt naming ceremony began with a “We Are Family” video of Carnival Radiance crew members preparing the ship for guests sailing four- and five-day Mexico voyagesIn addition to Big Chicken, new offerings added to Carnival Radiance include Guy's Pig & Anchor Bar-B-Que Smokehouse created by Food Network star and longtime partner Guy Fieri; Heroes Tribute Bar saluting those that serve in the Armed Forces; Cucina del Capitano family-style Italian restaurant; Bonsai Sushi; and the Caribbean-inspired RedFrog Pub. All of the ship's public spaces have been transformed as well – including the water park, youth facilities, retail shops, Cloud 9 Spa and a new Liquid Lounge home to Carnival's award-winning Playlist Productions shows. The exterior of the ship has also been adorned with the line's new red, white and blue hull livery fashioned after its flagship, Mardi Gras.Royal Caribbean Reveals Four World-Class Ships Head to Alaska in 2023Following a successful return to service in Alaska earlier this year, Royal Caribbean announces that they'll return in 2023 for their second consecutive year with four ships in the region.Three bold, returning favourites, Ovation, Quantum and Radiance of the Seas, will be joined by Enchantment of the Seas to offer families and all travellers a variety of ways to experience the Last Frontier and its majestic glaciers, breathtaking wildlife and charming towns.From Mendenhall Glacier to the Inside Passage, to onboard memory-making thanks to unique experiences such as simulated skydiving on RipCord by iFly and taking in awe-inspiring views through acres of glass, vacationers have in-store cool thrills from one day to the next.Ovation and Quantum of the Seas – Cruising from: SeattleOn Ovation's cruises, departing on Fridays, travellers can discover the best of Alaska from one charming town to the next. Extended stays also offer adventure seekers more time to explore in Skagway, Alaska, where one can retrace the steps of the historic Klondike Gold Rush and visit a restored 19th-century railroad depot; and state capital Juneau, Alaska, which offers dogsledding across Mendenhall Glacier and explorations of centuries-old mining trails. Plus, vacationers can head to the road less travelled at Ward Cove near Ketchikan where they can take in the unspoiled scenery along the Tongass Narrows and the wildlife that calls it home, like sea lions, bald eagles, and porpoises.Departing on Mondays, Quantum's stunning itineraries will bring travellers up close to the massive Dawes Glacier after sailing through the impressive Endicott Arm, alongside visits to four coastal communities, including Ketchikan, Alaska, and Victoria, British Columbia. When heading ashore, travellers can look forward to immersing themselves in the local culture while at destinations like Sitka and Icy Strait Point, Alaska, home to the rich history of the Tlingit and activities ranging from kayak island-hopping to whale watching and fishing.Radiance and Enchantment of the Seas – Cruising from: Seward and VancouverRadiance will, once again, sail alternating southbound and northbound itineraries that depart from Seward and Vancouver. Travellers will have the opportunity to discover the region's magnificent landscapes firsthand when visiting Icy Strait Point, Sitka and Skagway, and as they sail the Inside Passage and by Hubbard Glacier.Enchantment makes its way to the Pacific coast for its debut Alaska season, sailing roundtrip from Vancouver. Vacationers have in store more glaciers than one, Hubbard Glacier and Tracy Arm fjord, and inspiring destinations like Haines, Ketchikan – the gateway to the wild landscapes and seascapes – Skagway and Juneau.Renascent Swan Hellenic's SH Minerva sets sail for Antarctica The new ship is on her way to Ushuaia ready for a New Year maiden Antarctic cruise departing 29th December.Wednesday the 8th of December 2021, Swan Hellenic announced that its new ship SH Minerva had left Helsinki for Argentina and her first cultural expedition cruise of the Antarctic, a 10-day New Year celebration of discovery departing Ushuaia on the 29th of December 2021.SH Minerva was delivered on the 3rd of December following her christening on the 23rd of November and 3 days of highly successful sea trials in which the next-generation polar expedition vessel performed beyond expectations in all respects, from manoeuvrability and stability to top speed and emissions. The elegant new purpose-designed ship sailed through the Kiel Canal on the 6th of December. She is the first in a series of three stunning high ice class cultural expedition cruise vessels made for premium cruise experiences worldwide, with a strong bias for extreme latitude areas. SH Minerva features a 5-megawatt diesel-electric propulsion system with selective catalytic reduction and a PC5 ice-strengthened hull with extra-large stabilisers for exceptional passenger comfort. At 113 m, the 10,500-ton vessel has been specially designed to explore the most inspiring and inaccessible places on the planet.The vessels have been designed to meet the latest environmental regulations. SH Minerva is completely self-sufficient for up to 40 days or 8,000 nautical miles. Preparations have been made to implement battery technology which would also make it possible to operate silently. The vessels are equipped with exhaust gas cleaning, advanced wastewater treatment systems and the waste storage facilities required for operating in sensitive polar areas.Providing spacious 5-star accommodation for 152 guests in 76 spacious cabins and suites, the vast majority with large balconies, SH Minerva is operated by an onboard team of 120 to provide the highest levels of personal service.Plancius first back to the FalklandsWhen Oceanwide Expeditions vessel Plancius ports in Stanley this Friday, she will be the first cruise ship to visit the Falklands since the islands reopened its ports to tourism.Plancius will dock in Stanley on December 10th with its full occupancy of 108 passengers, after which guests will be free to explore the town and nearby areas before continuing on their voyage.This is a happy event long anticipated by all parties, though strict COVID-19 measures will remain intact both in the Falklands and on Plancius. All Oceanwide staff and passengers were vaccinated and required to take several tests both before and during their cruise, which will be 17 days into its 19-night total by the time Plancius reaches Stanley.Plancius also underwent extensive upgrades prior to the voyage: Pathogen-killing UV filtration for HVAC systems, fever-detecting thermal cameras for common areas, and dedicated quarantine cabins with independent air vents are just some of the many safety measures Oceanwide has taken.Stanley businesses have likewise developed additional protocols. These include but are not limited to enhanced cleaning routines, contactless payment, and self-declaration forms, efforts that have earned the islands the approval of the World Travel & Tourism Council.Margaritaville Sets Sail with Margaritaville at SeaMargaritaville announces Margaritaville at Sea, an offshore resort experience. The first cruise ship, Margaritaville Paradise, will offer the fun, escapism, and state of mind synonymous with the global lifestyle brand.Departing on her first passenger sailing on April 30 from the Port of Palm Beach Florida to Grand Bahama Island, Margaritaville Paradise will include 10 passenger decks and 658 cabins in various stateroom categories. Following a multi-million investment and refurbishment, the ship's cabins and common spaces will feature Margaritaville's signature casual-luxe design with subtle nautical details and colours influenced by the surrounding sea, sand, and sky.Margaritaville Paradise, formerly Bahamas Paradise Cruise Line's flagship vessel, Grand Classica, will feature gourmet food and beverage options, including JWB Prime Steak & Seafood, Frank and Lola's Pizzeria, Port of Indecision Buffet, LandShark Sports Bar, and Margaritaville Coffee & Pastry Shop as well as the Euphoria Lounge, Sunset Bar, and 5 o'Clock Somewhere Bar. Additionally, the ship will offer onboard leisure activities and entertainment, including the Par-A-Dice Casino, a Stars on the Water Theatre, St. Somewhere Spa, Fins Up! Fitness Centre, pools, a retail shop, and more. The ship was built at Fincantieri's Marghera shipyard and entered service as a pioneer ship. She has opened many new markets and frontiers during her lifetime, so it is fitting that Margaritaville Paradise will again be a pioneer for Margaritaville at Sea.Crystal Cruises Launches First-Ever Zero Single Supplement; Promotion Offered on 15 Crystal Symphony Caribbean and Mediterranean Sailings in 2022Crystal is offering additional holiday cheer to solo travellers with its new Zero Single Supplement promotion, which is available for the first time on its ocean vessels applicable with 15 Crystal Symphony voyages to the Caribbean and Mediterranean in 2022. The Zero Single Supplement allows solo guests to enjoy all of Crystal Symphony's luxury six-star amenities at double occupancy rates without the supplemental fee typically charged to solo travellers.The Zero Single Supplement promotion is offered on the following Crystal Symphony sailings departing from six convenient homeports in North America and Europe:Caribbean: 7-night voyages from Miami and San Juan, (January through March 2022) – These tropical adventures travel deep into the into the Caribbean where pristine beaches rub shoulders with verdant hills while vibrant coral reefs invite exploration of an underwater world of spectacular beauty. Whether it's enjoying a champagne sailaway, exploring historic landmarks or biking through the lush countryside, these adventures are the perfect winter-time getaway.Mediterranean: 7-, 8- and 10-night voyages from Lisbon, Venice, London and Monte Carlo (April, June and August 2022) – Departing from some of Europe's iconic world-class cities that are destinations unto themselves, these immersive voyages take guests on a journey of discovery as they marvel at centuries-old architecture, including ancient ruins, savor locally produced wines and authentic cuisine, view famous artwork, and hike through rugged terrain dotted with cliffs and pine forests. Specific dates included in the promotion are available at crystalcruises.com. Guests must book by January 5, 2022 to take advantage of these special solo fares, with special reduced deposits of $100 on select sailings.Altitude on Arvia – sky high activities on Britain's newest cruise shipA high ropes experience, tropical themed mini-golf and water splash zone will all form part of a new top deck Altitude experience on Arvia, P&O Cruises newest ship to be launched in December 2022.Britain's most environmentally-friendly ship, powered by LNG, has been designed as the “sunshine ship” and will include a number of “adventure firsts” set high up on the top deck.Altitude Minigolf will include water hazards, tiki huts, “hippos” and night-time illuminations and the nine-hole course will be open throughout the day and evening.Altitude Splash Valley will be a cooling aquazone for all the family with water jets, shaded areas and ocean views.Altitude Skywalk is set 54 metres above the ocean and is the company's first ever high ropes experience with varying courses to suit all abilities.Sports Arena – an outdoor sports court for football, basketball, short tennis or cricket.P&O Cruises' second LNG-powered Excel class ship and sister ship to Iona is named Arvia, meaning from the seashore, and will join the fleet in December 2022. Arvia is the latest evolution in the P&O Cruises experience, embodying the newest trends in travel, dining and entertainment, and will be the epitome of a sunshine resort sailing year-round to the warmest climates.The 185,000 tons ship, 345m in length, with 16 guest decks will feature Altitude Skywalk a unique high ropes experience, a swim-up bar and stunning infinity pool, a new restaurant Green & Co featuring Mizuhana serving a plant and fish-led menu, Ocean Studios cinema, 1,300sqm of shopping and the Oasis Spa and Health Club.MSC entire fleet back at sea in 2022 MSC Cruises has confirmed that the Company's entire fleet of 19 ships will be sailing during the northern hemisphere summer 2022 offering an outstanding choice of cruises.With almost 500 departures to choose from, different length cruises, an incredible choice of convenient embarkation ports and a modern fleet of ships offering an unparalleled experience on board, there really is something for everyone. Enjoy round-the-clock onboard activities; award-winning entertainment; immersive kids and family programmes; refined, international dining; luxurious spas all whilst staying in stylish and comfortable accommodation. There's an itinerary and ship to suit every type of holidaymaker, from short cruises in the Mediterranean, longer scenic cruises in Northern Europe through to beach cruises in the Caribbean – guests can book their dream holiday now.Northern Europe highlights for summer 2022 include:MSC Virtuosa offers itineraries between from Southampton (UK) 7 to 14 nights to the Norwegian Fjords, St Petersburg (Russia) via Sweden and Denmark and longer cruises to the Canary Islands (Spain),the Mediterranean, and Norway's North Cape plus some mini-cruises of 3-4 nights.MSC Grandiosa, embarking in Kiel (Germany) will offer seven-night itineraries with highlights including a combination of itineraries taking in destinations including Copenhagen (Denmark), Helsinki (Finland), St Petersburg (Russia), Tallinn (Estonia) and Flaam (Norway).MSC Preziosa, embarking in Kiel (Germany) will offer itineraries between seven and 11 nights, with highlights including two alternative itineraries to the Norwegian Fjords or to St Petersburg (Russia) via Tallinn (Estonia), Helsinki (Finland) and Stockholm (Sweden).MSC Poesia, embarking in Warnemunde/Berlin (Germany) will offer itineraries between seven and 14 nights including 11-night sailings visiting nine countries (an overnight in Russia, Germany, Poland, Lithuania, Latvia, Finland, Estonia, Sweden, Denmark), and longer cruises to St Petersburg (Russia) via Tallinn (Estonia), Stockholm (Sweden) and Copenhagen (Denmark) and an epic 21 night cruise that includes calls to a number of destinations in Iceland and Greenland.MSC Magnifica, embarking in Hamburg (Germany) will offer itineraries between ten and 14 nights to Norway or Iceland. The Norway cruise includes call to Alesund, Honningsvag/North Cape, Tromso, Trondheim, , Bergen and Kristiansand Iceland cruises includes calls to Reykjavik (overnight), Isafjordur and Akureyri) and Orkney Islands and Invergordon (Scotland, United Kingdom). Whilst Spitsburgen cruises include, Kristiansand, Andalsnes, Narvik ,Longyearbyen, Honningsvag and Nordfjordeid.Western Mediterranean highlights for summer 2022 include:MSC Meravigliawill homeport in Barcelona, calling the perfect itinerary for any sun-seeker: Cannes (France), Genoa, La Spezia and Civitavecchia (Italy), plus Palma de Mallorca (Spain).MSC Opera will homeport from Genoa, and visit Palermo, other destinations include calls at Marseille (France), Barcelona (Spain), and the newly reinstated embarkation port of La Goulette (Tunisia) and Naples (Italy).MSC Splendida will offer cruises fromGenoa (Italy) to Marseille (France), one of Sicily's most sought-after destination Siracusa, Taranto and its awe-aspiring beaches, plus returning to Civitavecchia (Italy)MSC Seaview will offer yet the best part of Western Mediterranean, from Genoa (Italy), she will visit the historical ports of Naples and Messina (Italy), Valletta (Malta), Barcelona (Spain) and Marseille (France).MSC Seaside: departing from Genoa, she will offer itineraries to Civitavecchia and, Palermo (Italy) and Ibiza and Valencia (Spain) and Marseille (France).MSC Orchestra: the ship will perform cruises of 4-5 nights in Spring and from June will commence the new 10-night cruises callingGenoa (Italy) to Marseille/Provence (France), Malaga, Cadiz/Seville, Lisbon (Portugal) Alicante/Costa Blanca and Mahon/Menorca (Spain), and Olbia (Italy).In Autumn, MSC Magnifcia will offer cruises 11-night cruises to Canary islands, Morroco and Madeira, whilst MSC Poesia offer 3-, 4- and 5-night cruises rounding our the season in the West Mediterranean. Eastern Mediterranean highlights for summer 2022 include:With Trieste (Italy) as homeport, MSC Fantasia will offer calls to Ancona (Italy), Kotor (Montenegro), Bari (Italy), Corfu (Greece) and the picturesque city of Dubrovnik (Croatia). From September the ship will perform 11-night cruises that include Pireaus/Athens (Greece), Izmir/Ephesus and an overnight in Istanbul (Turkey)MSC Musica will depart from Monfalcone (Italy),Katakolon/Olympia, Heraklion, Santorini (Greece) Bari (ItalyMSC Sinfoniaand MSC Armonia will both homeport from the heart of the Mediterranean, the Italian port of Venice from Marghera. Other exciting ports on MSC Sinfonia's itinerary include Kotor (Montenegro), the infamous Greek islands of Mykonos and Santorini (Greece) and Bari (Italy).MSC Armonia is putting a focus on gorgeous views with calls to Brindisi (Italy), Greek island of Mykonos and Greek mainland destination of Piraeus for Athens as well as Split and Zadar (Croatia).A variety of spectacular destinations await guests aboardMSC Lirica departing from Piraeus/Athens (Greece), calling at Kusadasi (Turkey), Haifa (Israel), the islands of Limassol (Cyprus), plus Rhodes and Santorini (Greece) plus 11-nights add in itinerary.Caribbean highlights for summer 2022 include:MSC Seashore, embarking in Miami (USA) will offer alternating seven-night itineraries to the west and east Caribbean to destinations including Nassua (The Bahamas), Puerto Plata (Dominican Republic), Ocho Rios (Jamaica), George Town (Cayman Islands), Cozumel (Mexico) with each cruise calling at Ocean Cay MSC Marine Reserve, MSC Cruises' own private island in The Bahamas.MSC Divina, embarking in Port Canaveral/Orlando (USA), will offer cruises between three and seven nights to the Caribbean with destinations including Costa Maya and Cozumel (Mexico), Nassau (The Bahamas) with each cruise calling at Ocean Cay MSC Marine ReserveFar East highlights for summer 2022 include:MSC Bellissimawill sail a range of departures from China and JapanMSC celebrates two newbuild milestones of construction The Cruise Division of MSC Group and Chantiers de l'Atlantique has celebrated two significant newbuild milestones for the construction of the line's next generation of environmentally advanced vessels. MSC World Europa and MSC Euribia will become the first LNG-powered vessels to join the MSC Cruises fleet next year representing an investment of €3 billion in Liquified Natutal Gas (LNG) ships with the construction on World Europa II due to commence in early 2023.These ships play an important role in the Company's commitment to achieving net zero greenhouse gas emissions by 2050. LNG is by far the cleanest marine fuel currently available at scale and it virtually eliminates local air pollutant emissions like sulphur oxides (99%), nitrogen oxides (85%) and particles (98%). In terms of emissions with a global impact, LNG plays a key role in climate change mitigation and the engines of these two ships have the potential to reduce CO2 emissions by up to 25% compared to standard fuels. In addition, with the subsequent availability of Bio and Synthetic forms of LNG, this energy source will provide a pathway toward eventual decarbonized operations.It was also revealed that MSC Cruises and the Chantiers de l'Atlantique confirmed the installation of a fuel cell pilot plant on board MSC World Europa known as Blue Horizon. The technology will use LNG to convert fuel into electricity at one of the highest efficiencies of any power solution available today, producing electricity and heat on board. The fuel cell technology selected by Chantiers de l'Atlantique (CdA) and MSC Cruises is the SOFC (Solid Oxide Fuel Cell) developed by Bloom Energy. The SOFC will reduce emissions of greenhouse gases (GHG) by about a further 30 percent compared with a conventional LNG engine without producing emissions of nitrogen oxides, sulphur oxides or fine particles. It also offers the advantage of being compatible with LNG, as well as several low carbon fuels such as types of methanol, ammonia and hydrogen. This project will form the building block for future larger installations and the beginning of an even closer collaboration between MSC Cruises and Chantier de L'Atlantique on R&D of fuel cell technology.The traditional coin ceremony tradition took place as the keel was laid for MSC Cruises' second LNG-powered ship, MSC Euribia, which will be one of the most environmentally high performing contemporary vessels built in France. Anne Claire Juventin Responsible for Quality Control from the Chantiers de l'Atlantique, and Valentina Mancini, Brand Manager from MSC Cruises performed the traditional maritime ritual as godmothers representing the ship owner and the shipbuilder when they placed two coins under the keel as the historical sign of blessing and good fortune for the project, and the ship's operational life at sea.The float out of MSC World Europa, which will be the first LNG-powered vessel to join the MSC Cruises fleet took place at the shipyard in Saint-Nazaire where she will now be moved to a wet dock for work to continue on the ship until her delivery in November 2022.NCL Homeports in Panama City Norwegian Cruise Line, will become the first cruise line to homeport in Panama City, Panama, offering roundtrip Panama Canal voyages beginning 20 March 2022 with Norwegian Jewel.NCLK (Parent company of NCL) signed a multi-year agreement with the Panama Tourism Authority which allows the Company to seasonally homeport at the Colon Cruise Terminal as well as at Fuerte Amador Cruise Terminal located on the Pacific Ocean side of the country and adjacent to Panama City.In 2022 and 2023 the Company will offer 12 homeport voyages starting with Norwegian Jewel on 20 March 2022 where she will sail a nine-day itinerary traversing the Panama Canal and visiting incredible destinations including Puerto Limon, Costa Rica; Oranjestad, Aruba; Willemstad, Curaçao; Kralendijk, Bonaire and Cartagena, Colombia before arriving to the Caribbean side of Panama in the city of Colon.Starting 14 January 2023, Norwegian Gem will also feature select Panama Canal voyages including an 11-day journey visiting seven ports of call, including Puerto Limon, Costa Rica; Oranjestad, Aruba; Willemstad, Curaçao; Puerto Plata, Dominican Republic and Grand Turk, Turks & Caicos Islands before ending in New York City. On 6 December 2023, Norwegian Joy will offer a 10-day voyage sailing from Panama City (Fuerte Amador), Panama and visiting notable destinations including Puerto Limon, Costa Rica; George Town, Grand Cayman; Roatán, Bay Islands; Harvest Caye, NCL's private resort destination in Belize; Cozumel, Mexico and Great Stirrup Cay, the company's private island in the Bahamas before ending her journey in MiamiSeabourn announces Northeast & Northwest Passages in 2023 Seabourn, the ultra-luxury ocean and expedition cruise line, has announced an exciting line-up of adventurous voyages for the summer of 2023 on its two new purpose-built expedition ships, Seabourn Venture and Seabourn Pursuit. The program includes the line's first-ever voyages to the Northeast and Northwest Passages in the Arctic, where guests will discover two of the world's most remote and fascinating regions filled with an abundance of history, wildlife, and unique landscapes.Seabourn Venture will depart July 29, 2023, for a 26-day journey across the Northeast Passage from Tromsø, Norway to Nome, Alaska. Its sister ship, Seabourn Pursuit, which is scheduled to launch in March 2023, will offer a 21-day adventure to the infamous Northwest Passage departing August 27, 2023, from Kangerlussuaq, Greenland to Nome. The expedition ships will be designed and built for diverse environments to PC6 Polar Class standards, with advanced technology to maneuver in these regions. These voyages, as well as the entire summer 2023 season, are open for sale on December 15Virgin Voyages: A Gin-uine romanceRichard Branson and Ryan Reynolds are back at it, but this time they're taking their partnership from the air to the high seas. We've joined forces with Aviation Gin so Sailors can sip, sun, and sea thanks to the most charming duo around. And when they pre-purchase a Bar Tab, they'll be able to choose from a selection of deliciously curated Aviation Gin-based cocktails on board — from The Double Agent at SIP to Razzle Dazzle's Electric FizzLe Ponant's transformationLe Ponant, PONANT's iconic three-masted sailboat, is undergoing a transformation to offer guests an exclusive travel experience. Entirely refurbished with a sophisticated new design by Jean-Philippe Nuel studioBookings for summer 2022 departures now openFrom June 2022, this legendary sailing ship will set sail again, offering tailor-made itineraries off the beaten track in Greece and Croatia. Sales are now open for 20 departures and 3 new itineraries.On the programme, exclusive ports of call, sublime and wild landscapes, and a series of immersive activities including glass-bottomed kayaking, snorkelling, stand up paddleboarding, cycling and hiking, all in tune with nature.“Croatia, under the sails of Le Ponant”Pomalo – a word that means ‘living outside of time' in Croatian – sets the tone for this sailing which will reveal the riches and wonders of the Dalmatian coast, Croatia and Montenegro. Le Ponant will sail from Dubrovnik to the magnificent Bay of Kotor, before dropping anchor near Mljet, an island renowned for its national park, Korcula, Komiza and the island of Vis, Stari Grad on the island of Hvar, the delightful Pučišća, and finally the Elaphite archipelago.Dubrovnik, Croatia – Dubrovnik, Croatia – 8 days, 7 nights – 12 sailings from June to August 2022“Island hopping from Dubrovnik to Athens”On this unique cruise, Le Ponant will sail to the Peloponnese, to the island of Paxos, the port of Fiskardo on the island of Kefalonia, very close to Ithaca, the fortified peninsula of Monemvasia, the island of Kythnos and its scrubland landscapes, and finally Lavrio, a peaceful marina near Athens. Magnificent landscapes, full of emotion and history, between the Ionian and Aegean Seas.Dubrovnik, Croatia – Lavrio, Greece – 7 days, 6 nights – From 28 August to 3 September 2022“The Cyclades, in the wake of Le Ponant”This sailing is an invitation to rediscover the wonders of the Greek archipelago, its islands of white rock, their picturesque white houses and the turquoise waters of the Aegean Sea. From the port of Lavrio, a short distance from Athens, Le Ponant will set sail for the Cyclades and the Saronic Islands with exclusive ports of call in Tinos, Polyaigos, Folegandros, Monemvasia, Kythnos, and finally Spetses.Lavrio, Greece – Lavrio, Greece – 8 days, 7 nights – 7 sailings from September to October 2022And MoreJoin the show:If you have a cruise tip, burning question or want to record a cruise review get in touch with us via the website https://thebigcruisepodcast.com/join-the-show/ Guests: Chris Frame: https://bit.ly/3a4aBCg Chris's Youtube: https://www.youtube.com/c/ChrisFrameOfficialPeter Kollar: https://www.cruising.org.au/Home Listen & Subscribe: Amazon Podcasts: https://amzn.to/3w40cDcApple Podcasts: https://apple.co/2XvD7tF Audible: https://adbl.co/3nDvuNgCastbox: https://bit.ly/2xkGBEI Google Podcasts: https://bit.ly/2RuY04u I heart Radio: https://ihr.fm/3mVIEUASpotify: https://spoti.fi/3caCwl8 Stitcher: https://bit.ly/2JWE8Tz Pocket casts: https://bit.ly/2JY4J2M Tune in: https://bit.ly/2V0Jrrs Podcast Addict: https://bit.ly/2BF6LnE Hosted on Acast. See acast.com/privacy for more information.
È stato presentato in concorso al Festival di Cannes France, il film di Bruno Dumont con Léa Seydoux, Juliane Köhler, Benjamin Biolay.
Episode Title: Veteran Eye The Chief DIYIn this episode Durell is joined by indie hip-hop creative and entrepreneur Veteran Eye. Durell and Veteran Eye start off the episode talking about his early introduction to music and being heavily influenced by New York hip hop culture even though his origin is from the south in Greensboro, North Carolina. Veteran Eye talks about although being true to the culture, it's still hard to not get caught into the trap of trying to keep up with the mainstream to achieve success. He also talks about the journey ,the grind and early days of paying the dues along the way. The journey is where the real success lies. He also talks about the early days in his journey chasing a record deal in the early 2000's. Veteran is always conscious about how to stay true to his self expression, while still having a career that's viable that can bring in income and develop a solid brand as an indie creative.Veteran Eye talks about how he found out about the Midem conference in Cannes France and how that played a major role in him being able to stay independent by being able to do business deals on an international level without the need of a major record label. He also talks about his ability to wear multiple hats between being the creative and executive in being able to provide opportunities to other creatives and music business entrepreneurs. Durell and Veteran Eye end the episode by talking about the importance for indie creatives to have an understanding of copyrights work, the ability to use merch and VIP experiences to generate income that allow creatives to have a career doing things their way without having to sacrifice personal and professional integrity.For more information on Veteran Eye please visit his website:https://chiefdiy.com/
Episode Title: Veteran Eye The Chief DIYIn this episode Durell is joined by indie hip-hop creative and entrepreneur Veteran Eye. Durell and Veteran Eye start off the episode talking about his early introduction to music and being heavily influenced by New York hip hop culture even though his origin is from the south in Greensboro, North Carolina. Veteran Eye talks about although being true to the culture, it's still hard to not get caught into the trap of trying to keep up with the mainstream to achieve success. He also talks about the journey ,the grind and early days of paying the dues along the way. The journey is where the real success lies. He also talks about the early days in his journey chasing a record deal in the early 2000's. Veteran is always conscious about how to stay true to his self expression, while still having a career that's viable that can bring in income and develop a solid brand as an indie creative.Veteran Eye talks about how he found out about the Midem conference in Cannes France and how that played a major role in him being able to stay independent by being able to do business deals on an international level without the need of a major record label. He also talks about his ability to wear multiple hats between being the creative and executive in being able to provide opportunities to other creatives and music business entrepreneurs. Durell and Veteran Eye end the episode by talking about the importance for indie creatives to have an understanding of copyrights work, the ability to use merch and VIP experiences to generate income that allow creatives to have a career doing things their way without having to sacrifice personal and professional integrity.For more information on Veteran Eye please visit his website:https://chiefdiy.com/
Durell Peart is a speaker, artist manager, and music business consultant. He has over 15 years of professional entertainment industry experience. He has worked within the areas of artist management, brand development, marketing, promotion, and consulting. He has worked mostly within the urban and pop genres but his skill set can be easily adapted to any genre of music. He made the decision to pursue a career within the music industry because the formula for success in the industry is predicated on loving people and the ability to build meaningful relationships. Durell is a graduate of Full Sail University where he earned a Bachelors Of Science Degree in Entertainment Business as well being named Valedictorian and Advanced Achiever. He started his second company Double N Management & Marketing Group, LLC in 2015, with the primary focus of being a positive advocate for indie creatives. After spending so many years as an artist manager and utilizing his relationships only for the creatives on his immediate roster, he felt that it would be a great idea to expand and help creatives that he wasn’t doing day-to-day management for. He also noticed what was lacking in a majority of the creatives was the lack of education they had in choosing to embark on a professional career as a creative. Durell knew that he could make his greatest impact on his work with indie creatives by making their focus more about becoming global rather than being famous. The most important thing for creatives in today’s marketplace is to establish and execute a framework for building their own unique core audience rather than trying to appeal to everyone. Durell has been hard at work establishing his global footprint since 2016. He started attending the Midem conference in Cannes France where many of his international business partners and friendships began to form and fit into his professional network. He has played a key role in helping to secure international touring opportunities for the creatives ranging in territories including India, Spain, Luxembourg, The Netherlands, and France. In May of 2019, Durell secured an exclusive digital distribution deal and licensing partnership deal with Sound Republica Inc in Seoul Korea, which he can now use as a vehicle to help indie creatives build an audience in the 6th largest music market in the world. In January of 2020, Durell became an official partner of New Skool Rules, the number one urban music conference and festival in Europe (Rotterdam, Netherlands). He continues to provide value by aligning himself with strong global movements taking place in several international territories that support indie artists. Durell has been featured in Brash Magazine, Urban Magazine, as the cover story in Urban Grand Stand Digital Magazine: “The Power Issue” & We Are Jersey Magazine & Let Us Live Magazine Issue 2: Love Is Power Edition for the work he does in helping indie creatives. He looks forward to continuing to be a bridge for indie creatives worldwide as an advocate and speaker. Durell was born with a disability called Spastic Diplesia Cerebral Palsy in which he was diagnosed at the age of one. He has been fortunate over the years to be able to impact many people due to his Cerebral Palsy being mild. He is constantly using his voice to show others that even though living with a disability can be difficult at times it’s not impossible to live a normal and meaningful life. The special needs is filled with many who don’t have a platform and voice (literally) to share their concerns and how at times they can feel disconnected from those who can’t understand what it’s like to live with a physical or mental impairment daily. He will continue to work hard and use his voice and platform to be someone who can be their voice and advocate.
Building a true business isn't easy. It's hard work. It takes time. Chris Maughan is a man that knows this. Welcome back to the show Chris. Ceo and founder of AES in Cannes France and I-PRAC based in London and Cannes, we sit down and talk about the current state of the industry and how the rising tide is happening with trust and confidence at the forefront. Chris and his I-PRAC team are also the headlining sponsors for the Destinationaire Award and on this episode you will hear the winners! Sponsored by Cleaning Certification! Use my code SlickTalk20 for 20% off! Mentioned in this episode: I-PRAC Chris Maughan Slick Talk Website Slick Talk Socials Barefoot Vacation Rentals Moving Mountains Casal dei Fichi Homeslice Stays Ovo Network
Show Notes:Sandy Delasalle is the Principal Ballet Mistress and Artistic Associate at the West Australian Ballet.She’s had a passion for ballet all her life and as a Principal Ballerina has danced in some amazing and exotic places around the world. Originating from Cannes in France she and her husband Aurelien Scannella came half way across the world to work with the WA Ballet with the intention of staying for 3 years but have stayed for 7 years. In this episode Sandy reveals How a shy girl from Cannes France became an international Principal Ballerina. The special significance of performing Romeo and Juliette that was to shape her life and career. A day in the life of a ballet dancer and the sacrifices dancers make for their career. Why she can’t stop talking! Why dancing is the best therapy everCheese, the go go go of Europe and the stress of buying a baguetteAustralian chill, tall trees and loud birds Why her family became Australian citizens What she’s most proud of To find out more about Sandy Delasalle Scannella and the West Austrtalian Ballet go to https://waballet.com.au/Ready to transform your business? Book a 15 minute phone chat at paulinebright.com/contact Links: Pauline Bright website - https://paulinebright.com/Pauline Bright on LinkedIn - https://www.linkedin.com/in/paulinebright/Bright Business on Facebook https://www.facebook.com/pauline.bright.thecoach/Pauline Bright on Twitter https://twitter.com/PaulineBright13
This is a sneak preview specifically for subscribers of “Dana B’s Eurotrip” ... more to come this winter! This leg covers days 1-15: Transatlantic cruise starting in New York City, several days at sea, followed by stops in the Azores (Portugal), Lisbon (Portugal), Cadiz & Barcelona (Spain), Cannes (France), Florence / Pisa & Rome (Italy)
Learn more about your ad-choices at https://news.iheart.com/podcast-advertisers
This is the first part of a two part series with power couple NYC Comedian Will Carey and his girlfriend, Chelsea Connor who is the Director of Communications/ Media Relations at the world’s largest Union. In this episode Will answers our 5 questions, talks about his first international trip: to Cannes France to walk the red carpet in the Cannes Film Festival. He also talks about how he became a veteran traveller with the help of Chelsea and his first comedy show in Turkey. Together, they also tell us a harrowing travel story from the country of Turkey that you can’t miss. See acast.com/privacy for privacy and opt-out information.
Kc Taylor Live mix 014 @ Club Seven Cannes Saturday 23 Feb 2013 : 5:00 ( After Hours ) Enjoi !! Club Seven 7 Rue Rougiere 06400 Cannes France www.kctaylor.org kc.taylor@icloud.com
Kc Taylor Live mix 014 @ Club Seven Cannes Saturday 23 Feb 2013 : 5:00 ( After Hours ) Enjoi !! Club Seven 7 Rue Rougiere 06400 Cannes France www.kctaylor.org kc.taylor@icloud.com
Kendra Black is a Pop artist, dancer and actress based in New York City. Having performed in France, Monte-Carlo, Italy, Egypt, U.S. and the Caribbean, Kendra trained and performed with teachers from the Music Conservatory of Cannes (France), and from The Giuseppe Verdi Conservatory in Milan. She joined Voice Academy NYC where she worked with A&R Meghan Cress. Some of her most recent collaborations include Nickelodeon TV Channel as well as numerous roles in New York Film Academy productions. Kendra has recently released single "Air Pack Jet" from her upcoming album "The Edge" produced by L.A. production team Trend Def Studios and co-written with Nick Nitolli and Lachi, to be released early 2017. The album will feature a multi-platinum celebrity feature.
Stephen Hackett is a Porsche Sales and Leasing Consultant at Bellevue Porsche in Bellevue, Washington. Last year he was awarded one of the top 100 sales people worldwide at Porsche and he got to enjoy a week in Cannes France where he met the Porsche factory driver Walter Rohr. Stephen spent and drive Porsches. Stephen is one of those unique sales people who’s passion for what he sells is as impressive as his authenticity.
Happy New Year! I know 2013 is going to be a great year and I look forward to the possibilities it brings us all! I was going to post this particular podcast last week however, I realized that posting an interview on Christmas Day might be overstepping what should be time spent with my family... so here it is today! Today I have Martin F. Frascogna on the show, he is an attorney who specializes in international entertainment law. He has worked with international musicians, Grammy winners, labels and tours, currently representing clientele in 23 countries spanning 6 continents. Frascogna also works directly with indie artists at various levels in their career in order to help them efficiently progress using new age approaches and a global mindset. A constant blogger who boldly leaks information typically withheld from artist by labels, attorneys, manager and agents, Frascogna is also published by the American Bar Associations (ABA), the leading authority used by lawyers and universities. Frascogna acted as a contributing author to Entertainment Law for the General Practitioner addressing new global issues. The contribution made Frascogna one of the youngest attorneys published by the ABA on entertainment law. He also authored an e-book series to assist indie artists with hopes of expanding into international markets (How To Market & Promote Music in SWEDEN – How To Market & Promote Music in ITALY). Frascogna is also a contributor, both as a blogger and speaker to MIDEM, the world’s largest music conference held annually in Cannes France. Marty has a lot of stories to tell and advice to give so be sure to check this one out!
This edition was recorded in Cannes France and nearby Monaco. We look at the state of the music industry in 1996 (they still don't really understand the Internet do they?) and visit , a radio station targeting British expats living in the South of France. 25 years later (this update in 2021) the station is still there although the website looks as though it was built in 1996 and all they changed was the copyright notice. I love the story about the shortwave site, formerly used by Trans World Radio Monte Carlo. The Germans built it originally to blast into North Africa during the war.